From ed540673d96e0379e5e355d50a0c68704fcc791b Mon Sep 17 00:00:00 2001 From: Jonathan Esk-Riddell Date: Thu, 25 Jan 2024 15:42:19 +0000 Subject: [PATCH 001/123] port slideshow to Qt 6 --- src/CMakeLists.txt | 9 +- src/qml/calamares-qt5/CMakeLists.txt | 42 +++ .../calamares-qt5/slideshow/BackButton.qml | 15 ++ .../calamares-qt5/slideshow/ForwardButton.qml | 14 + src/qml/calamares-qt5/slideshow/NavButton.qml | 59 +++++ .../calamares-qt5/slideshow/Presentation.qml | 243 ++++++++++++++++++ src/qml/calamares-qt5/slideshow/Slide.qml | 206 +++++++++++++++ .../calamares-qt5/slideshow/SlideCounter.qml | 29 +++ src/qml/calamares-qt5/slideshow/qmldir | 10 + .../calamares-qt5/slideshow/qmldir.license | 2 + src/qml/calamares/slideshow/Presentation.qml | 2 - 11 files changed, 627 insertions(+), 4 deletions(-) create mode 100644 src/qml/calamares-qt5/CMakeLists.txt create mode 100644 src/qml/calamares-qt5/slideshow/BackButton.qml create mode 100644 src/qml/calamares-qt5/slideshow/ForwardButton.qml create mode 100644 src/qml/calamares-qt5/slideshow/NavButton.qml create mode 100644 src/qml/calamares-qt5/slideshow/Presentation.qml create mode 100644 src/qml/calamares-qt5/slideshow/Slide.qml create mode 100644 src/qml/calamares-qt5/slideshow/SlideCounter.qml create mode 100644 src/qml/calamares-qt5/slideshow/qmldir create mode 100644 src/qml/calamares-qt5/slideshow/qmldir.license diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 2d5d885c71..2393af8561 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -14,8 +14,13 @@ include(CalamaresAddTranslations) add_subdirectory(libcalamares) add_subdirectory(libcalamaresui) -# all things qml -add_subdirectory(qml/calamares) +if(WITH_QT6) + # all things qml + add_subdirectory(qml/calamares-qt5) +else() + # all things qml + add_subdirectory(qml/calamares) +endif() # application add_subdirectory(calamares) diff --git a/src/qml/calamares-qt5/CMakeLists.txt b/src/qml/calamares-qt5/CMakeLists.txt new file mode 100644 index 0000000000..07e376bfaa --- /dev/null +++ b/src/qml/calamares-qt5/CMakeLists.txt @@ -0,0 +1,42 @@ +# === This file is part of Calamares - === +# +# SPDX-FileCopyrightText: 2020 Adriaan de Groot +# SPDX-License-Identifier: BSD-2-Clause +# + +# Install "slideshows" and other QML-sources for Calamares. +# +# In practice, in the central source repositoy, this means +# just-install-the-slideshow-example. For alternative slideshows, +# see the approach in the calamares-extensions repository. + +# Iterate over all the subdirectories which have a qmldir file, copy them over to the build dir, +# and install them into share/calamares/qml/calamares +file(GLOB SUBDIRECTORIES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR} "*") +foreach(SUBDIRECTORY ${SUBDIRECTORIES}) + if( + IS_DIRECTORY "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}" + AND EXISTS "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/qmldir" + ) + set(QML_DIR share/calamares/qml) + set(QML_MODULE_DESTINATION ${QML_DIR}/calamares/${SUBDIRECTORY}) + + # We glob all the files inside the subdirectory, and we make sure they are + # synced with the bindir structure and installed. + file(GLOB QML_MODULE_FILES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY} "${SUBDIRECTORY}/*") + foreach(QML_MODULE_FILE ${QML_MODULE_FILES}) + if(NOT IS_DIRECTORY ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE}) + configure_file(${SUBDIRECTORY}/${QML_MODULE_FILE} ${SUBDIRECTORY}/${QML_MODULE_FILE} COPYONLY) + + install( + FILES ${CMAKE_CURRENT_BINARY_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE} + DESTINATION ${QML_MODULE_DESTINATION} + ) + endif() + endforeach() + + message("-- ${BoldYellow}Configured QML module: ${BoldRed}calamares.${SUBDIRECTORY}${ColorReset}") + endif() +endforeach() + +message("") diff --git a/src/qml/calamares-qt5/slideshow/BackButton.qml b/src/qml/calamares-qt5/slideshow/BackButton.qml new file mode 100644 index 0000000000..4e420e064a --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/BackButton.qml @@ -0,0 +1,15 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * + * Calamares is Free Software: see the License-Identifier above. + * + */ + +NavButton { + id: backButton + anchors.left: parent.left + visible: parent.currentSlide > 0 + isForward: false +} diff --git a/src/qml/calamares-qt5/slideshow/ForwardButton.qml b/src/qml/calamares-qt5/slideshow/ForwardButton.qml new file mode 100644 index 0000000000..7838fab3b6 --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/ForwardButton.qml @@ -0,0 +1,14 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * + * Calamares is Free Software: see the License-Identifier above. + * + */ + +NavButton { + id: forwardButton + anchors.right: parent.right + visible: parent.currentSlide + 1 < parent.slides.length; +} diff --git a/src/qml/calamares-qt5/slideshow/NavButton.qml b/src/qml/calamares-qt5/slideshow/NavButton.qml new file mode 100644 index 0000000000..bdb2f402e4 --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/NavButton.qml @@ -0,0 +1,59 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * + * Calamares is Free Software: see the License-Identifier above. + * + */ + +/* This is a navigation (arrow) button that fades in on hover, and + * which calls forward / backward navigation on the presentation it + * is in. It should be a child item of the presentation (not of a + * single slide). Use the ForwardButton or BackButton for a pre- + * configured instance that interacts with the presentation. + */ + +import QtQuick 2.5; + +Image { + id: fade + + property bool isForward : true + + width: 100 + height: 100 + anchors.verticalCenter: parent.verticalCenter + opacity: 0.3 + + OpacityAnimator { + id: fadeIn + target: fade + from: fade.opacity + to: 1.0 + duration: 500 + running: false + } + + OpacityAnimator { + id: fadeOut + target: fade + from: fade.opacity + to: 0.3 + duration: 250 + running: false + } + + MouseArea { + anchors.fill: parent + hoverEnabled: true + onEntered: { fadeOut.running = false; fadeIn.running = true } + onExited: { fadeIn.running = false ; fadeOut.running = true } + onClicked: { + if (isForward) + fade.parent.goToNextSlide() + else + fade.parent.goToPreviousSlide() + } + } +} diff --git a/src/qml/calamares-qt5/slideshow/Presentation.qml b/src/qml/calamares-qt5/slideshow/Presentation.qml new file mode 100644 index 0000000000..1eed2e8422 --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/Presentation.qml @@ -0,0 +1,243 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2017 Adriaan de Groot + * SPDX-FileCopyrightText: 2016 The Qt Company Ltd. + * SPDX-License-Identifier: LGPL-2.1-only + * + * 2017, Adriaan de Groot + * - added looping, keys-instead-of-shortcut + * 2018, Adriaan de Groot + * - make looping a property, drop the 'c' fade-key + * - drop navigation through entering a slide number + * (this and the 'c' key make sense in a *presentation* + * slideshow, not in a passive slideshow like Calamares) + * - remove quit key + * 2019, Adriaan de Groot + * - Support "V2" loading + * - Disable shortcuts until the content is visible in Calamares + * 2020, Adriaan de Groot + * - Updated to SPDX headers + */ + +/**************************************************************************** +** +** Copyright (C) 2016 The Qt Company Ltd. +** Contact: https://www.qt.io/licensing/ +** +** This file is part of the QML Presentation System. +** +** $QT_BEGIN_LICENSE:LGPL$ +** Commercial License Usage +** Licensees holding valid commercial Qt licenses may use this file in +** accordance with the commercial license agreement provided with the +** Software or, alternatively, in accordance with the terms contained in +** a written agreement between you and Digia. For licensing terms and +** conditions see http://qt.digia.com/licensing. For further information +** use the contact form at http://qt.digia.com/contact-us. +** +** GNU Lesser General Public License Usage +** Alternatively, this file may be used under the terms of the GNU Lesser +** General Public License version 2.1 as published by the Free Software +** Foundation and appearing in the file LICENSE.LGPL included in the +** packaging of this file. Please review the following information to +** ensure the GNU Lesser General Public License version 2.1 requirements +** will be met: http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html. +** +** In addition, as a special exception, Digia gives you certain additional +** rights. These rights are described in the Digia Qt LGPL Exception +** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. +** +** GNU General Public License Usage +** Alternatively, this file may be used under the terms of the GNU +** General Public License version 3.0 as published by the Free Software +** Foundation and appearing in the file LICENSE.GPL included in the +** packaging of this file. Please review the following information to +** ensure the GNU General Public License version 3.0 requirements will be +** met: http://www.gnu.org/copyleft/gpl.html. +** +** +** $QT_END_LICENSE$ +** +****************************************************************************/ + + +import QtQuick 2.5 +import QtQuick.Window 2.0 + +Item { + id: root + + property variant slides: [] + property int currentSlide: 0 + + property bool loopSlides: true + + property bool showNotes: false; + property bool allowDelay: true; + property alias mouseNavigation: mouseArea.enabled + property bool arrowNavigation: true + property bool keyShortcutsEnabled: true + + property color titleColor: textColor; + property color textColor: "black" + property string fontFamily: "Helvetica" + property string codeFontFamily: "Courier New" + + // This is set by the C++ part of Calamares when the slideshow + // becomes visible. You can connect it to a timer, or whatever + // else needs to start only when the slideshow becomes visible. + // + // It is used in this example also to keep the keyboard shortcuts + // enabled only while the slideshow is active. + property bool activatedInCalamares: false + + // Private API + property int _lastShownSlide: 0 + + Component.onCompleted: { + var slideCount = 0; + var slides = []; + for (var i=0; i 0) + root.slides[root.currentSlide].visible = true; + } + + function switchSlides(from, to, forward) { + from.visible = false + to.visible = true + return true + } + + onCurrentSlideChanged: { + switchSlides(root.slides[_lastShownSlide], root.slides[currentSlide], currentSlide > _lastShownSlide) + _lastShownSlide = currentSlide + // Always keep focus on the slideshow + root.focus = true + } + + function goToNextSlide() { + if (root.slides[currentSlide].delayPoints) { + if (root.slides[currentSlide]._advance()) + return; + } + if (currentSlide + 1 < root.slides.length) + ++currentSlide; + else if (loopSlides) + currentSlide = 0; // Loop at the end + } + + function goToPreviousSlide() { + if (currentSlide - 1 >= 0) + --currentSlide; + else if (loopSlides) + currentSlide = root.slides.length - 1 + } + + focus: true // Keep focus + + // Navigation through key events, too + Keys.onSpacePressed: goToNextSlide() + Keys.onRightPressed: goToNextSlide() + Keys.onLeftPressed: goToPreviousSlide() + + // navigate with arrow keys + Shortcut { sequence: StandardKey.MoveToNextLine; enabled: root.activatedInCalamares && root .arrowNavigation; onActivated: goToNextSlide() } + Shortcut { sequence: StandardKey.MoveToPreviousLine; enabled: root.activatedInCalamares && root.arrowNavigation; onActivated: goToPreviousSlide() } + Shortcut { sequence: StandardKey.MoveToNextChar; enabled: root.activatedInCalamares && root.arrowNavigation; onActivated: goToNextSlide() } + Shortcut { sequence: StandardKey.MoveToPreviousChar; enabled: root.activatedInCalamares && root.arrowNavigation; onActivated: goToPreviousSlide() } + + // presentation-specific single-key shortcuts (which interfere with normal typing) + Shortcut { sequence: " "; enabled: root.activatedInCalamares && root.keyShortcutsEnabled; onActivated: goToNextSlide() } + + // standard shortcuts + Shortcut { sequence: StandardKey.MoveToNextPage; enabled: root.activatedInCalamares; onActivated: goToNextSlide() } + Shortcut { sequence: StandardKey.MoveToPreviousPage; enabled: root.activatedInCalamares; onActivated: goToPreviousSlide() } + + MouseArea { + id: mouseArea + anchors.fill: parent + acceptedButtons: Qt.LeftButton | Qt.RightButton + onClicked: { + if (mouse.button == Qt.RightButton) + goToPreviousSlide() + else + goToNextSlide() + } + onPressAndHold: goToPreviousSlide(); //A back mechanism for touch only devices + } + + Window { + id: notesWindow; + width: 400 + height: 300 + + title: "QML Presentation: Notes" + visible: root.showNotes + + Flickable { + anchors.fill: parent + contentWidth: parent.width + contentHeight: textContainer.height + + Item { + id: textContainer + width: parent.width + height: notesText.height + 2 * notesText.padding + + Text { + id: notesText + + property real padding: 16; + + x: padding + y: padding + width: parent.width - 2 * padding + + + font.pixelSize: 16 + wrapMode: Text.WordWrap + + property string notes: root.slides[root.currentSlide].notes; + + onNotesChanged: { + var result = ""; + + var lines = notes.split("\n"); + var beginNewLine = false + for (var i=0; i 0) + result += " "; + result += line; + } + } + + if (result.length == 0) { + font.italic = true; + text = "no notes.." + } else { + font.italic = false; + text = result; + } + } + } + } + } + } +} diff --git a/src/qml/calamares-qt5/slideshow/Slide.qml b/src/qml/calamares-qt5/slideshow/Slide.qml new file mode 100644 index 0000000000..9cb9e7381c --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/Slide.qml @@ -0,0 +1,206 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2012 Digia Plc and/or its subsidiary(-ies). + * SPDX-License-Identifier: LGPL-2.1-only + */ + +/**************************************************************************** +** +** Copyright (C) 2012 Digia Plc and/or its subsidiary(-ies). +** Contact: http://www.qt-project.org/legal +** +** This file is part of the QML Presentation System. +** +** $QT_BEGIN_LICENSE:LGPL$ +** Commercial License Usage +** Licensees holding valid commercial Qt licenses may use this file in +** accordance with the commercial license agreement provided with the +** Software or, alternatively, in accordance with the terms contained in +** a written agreement between you and Digia. For licensing terms and +** conditions see http://qt.digia.com/licensing. For further information +** use the contact form at http://qt.digia.com/contact-us. +** +** GNU Lesser General Public License Usage +** Alternatively, this file may be used under the terms of the GNU Lesser +** General Public License version 2.1 as published by the Free Software +** Foundation and appearing in the file LICENSE.LGPL included in the +** packaging of this file. Please review the following information to +** ensure the GNU Lesser General Public License version 2.1 requirements +** will be met: http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html. +** +** In addition, as a special exception, Digia gives you certain additional +** rights. These rights are described in the Digia Qt LGPL Exception +** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. +** +** GNU General Public License Usage +** Alternatively, this file may be used under the terms of the GNU +** General Public License version 3.0 as published by the Free Software +** Foundation and appearing in the file LICENSE.GPL included in the +** packaging of this file. Please review the following information to +** ensure the GNU General Public License version 3.0 requirements will be +** met: http://www.gnu.org/copyleft/gpl.html. +** +** +** $QT_END_LICENSE$ +** +****************************************************************************/ + + +import QtQuick 2.5 + +Item { + /* + Slides can only be instantiated as a direct child of a Presentation {} as they rely on + several properties there. + */ + + id: slide + + property bool isSlide: true; + + property bool delayPoints: false; + property int _pointCounter: 0; + function _advance() { + if (!parent.allowDelay) + return false; + + _pointCounter = _pointCounter + 1; + if (_pointCounter < content.length) + return true; + _pointCounter = 0; + return false; + } + + property string title; + property variant content: [] + property string centeredText + property string writeInText; + property string notes; + + property real fontSize: parent.height * 0.05 + property real fontScale: 1 + + property real baseFontSize: fontSize * fontScale + property real titleFontSize: fontSize * 1.2 * fontScale + property real bulletSpacing: 1 + + property real contentWidth: width + + // Define the slide to be the "content area" + x: parent.width * 0.05 + y: parent.height * 0.2 + width: parent.width * 0.9 + height: parent.height * 0.7 + + property real masterWidth: parent.width + property real masterHeight: parent.height + + property color titleColor: parent.titleColor; + property color textColor: parent.textColor; + property string fontFamily: parent.fontFamily; + property int textFormat: Text.PlainText + + visible: false + + Text { + id: titleText + font.pixelSize: titleFontSize + text: title; + anchors.horizontalCenter: parent.horizontalCenter + anchors.bottom: parent.top + anchors.bottomMargin: parent.fontSize * 1.5 + font.bold: true; + font.family: slide.fontFamily + color: slide.titleColor + horizontalAlignment: Text.Center + z: 1 + } + + Text { + id: centeredId + width: parent.width + anchors.centerIn: parent + anchors.verticalCenterOffset: - parent.y / 3 + text: centeredText + horizontalAlignment: Text.Center + font.pixelSize: baseFontSize + font.family: slide.fontFamily + color: slide.textColor + wrapMode: Text.Wrap + } + + Text { + id: writeInTextId + property int length; + font.family: slide.fontFamily + font.pixelSize: baseFontSize + color: slide.textColor + + anchors.fill: parent; + wrapMode: Text.Wrap + + text: slide.writeInText.substring(0, length); + + NumberAnimation on length { + from: 0; + to: slide.writeInText.length; + duration: slide.writeInText.length * 30; + running: slide.visible && parent.visible && slide.writeInText.length > 0 + } + + visible: slide.writeInText != undefined; + } + + + Column { + id: contentId + anchors.fill: parent + + Repeater { + model: content.length + + Row { + id: row + + function decideIndentLevel(s) { return s.charAt(0) == " " ? 1 + decideIndentLevel(s.substring(1)) : 0 } + property int indentLevel: decideIndentLevel(content[index]) + property int nextIndentLevel: index < content.length - 1 ? decideIndentLevel(content[index+1]) : 0 + property real indentFactor: (10 - row.indentLevel * 2) / 10; + + height: text.height + (nextIndentLevel == 0 ? 1 : 0.3) * slide.baseFontSize * slide.bulletSpacing + x: slide.baseFontSize * indentLevel + visible: (!slide.parent.allowDelay || !delayPoints) || index <= _pointCounter + + Rectangle { + id: dot + anchors.baseline: text.baseline + anchors.baselineOffset: -text.font.pixelSize / 2 + width: text.font.pixelSize / 3 + height: text.font.pixelSize / 3 + color: slide.textColor + radius: width / 2 + opacity: text.text.length == 0 ? 0 : 1 + } + + Item { + id: space + width: dot.width * 1.5 + height: 1 + } + + Text { + id: text + width: slide.contentWidth - parent.x - dot.width - space.width + font.pixelSize: baseFontSize * row.indentFactor + text: content[index] + textFormat: slide.textFormat + wrapMode: Text.WordWrap + color: slide.textColor + horizontalAlignment: Text.AlignLeft + font.family: slide.fontFamily + } + } + } + } + +} diff --git a/src/qml/calamares-qt5/slideshow/SlideCounter.qml b/src/qml/calamares-qt5/slideshow/SlideCounter.qml new file mode 100644 index 0000000000..d5b2de7be6 --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/SlideCounter.qml @@ -0,0 +1,29 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * + * Calamares is Free Software: see the License-Identifier above. + * + */ + +/* This control just shows a (non-translated) count of the slides + * in the slideshow in the format "n / total". + */ + +import QtQuick 2.5; + +Rectangle { + id: slideCounter + anchors.right: parent.right + anchors.bottom: parent.bottom + width: 100 + height: 50 + + Text { + id: slideCounterText + anchors.centerIn: parent + //: slide counter, %1 of %2 (numeric) + text: qsTr("%L1 / %L2").arg(parent.parent.currentSlide + 1).arg(parent.parent.slides.length) + } +} diff --git a/src/qml/calamares-qt5/slideshow/qmldir b/src/qml/calamares-qt5/slideshow/qmldir new file mode 100644 index 0000000000..7b964b831a --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/qmldir @@ -0,0 +1,10 @@ +module calamares.slideshow + +Presentation 1.0 Presentation.qml +Slide 1.0 Slide.qml + +NavButton 1.0 NavButton.qml +ForwardButton 1.0 ForwardButton.qml +BackButton 1.0 BackButton.qml + +SlideCounter 1.0 SlideCounter.qml diff --git a/src/qml/calamares-qt5/slideshow/qmldir.license b/src/qml/calamares-qt5/slideshow/qmldir.license new file mode 100644 index 0000000000..d2da9cf5be --- /dev/null +++ b/src/qml/calamares-qt5/slideshow/qmldir.license @@ -0,0 +1,2 @@ +SPDX-FileCopyrightText: no +SPDX-License-Identifier: CC0-1.0 diff --git a/src/qml/calamares/slideshow/Presentation.qml b/src/qml/calamares/slideshow/Presentation.qml index 1eed2e8422..aab7007e62 100644 --- a/src/qml/calamares/slideshow/Presentation.qml +++ b/src/qml/calamares/slideshow/Presentation.qml @@ -196,8 +196,6 @@ Item { Text { id: notesText - property real padding: 16; - x: padding y: padding width: parent.width - 2 * padding From c9685168e0ef9854c9f2834929e154662d06ed59 Mon Sep 17 00:00:00 2001 From: Jonathan Esk-Riddell Date: Fri, 26 Jan 2024 14:49:21 +0000 Subject: [PATCH 002/123] fix selection logic --- src/CMakeLists.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 2393af8561..aefefc5702 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -16,10 +16,10 @@ add_subdirectory(libcalamaresui) if(WITH_QT6) # all things qml - add_subdirectory(qml/calamares-qt5) + add_subdirectory(qml/calamares) else() # all things qml - add_subdirectory(qml/calamares) + add_subdirectory(qml/calamares-qt5) endif() # application From 7b13d0b62faf54096dcc1b74e0929ace9905fc00 Mon Sep 17 00:00:00 2001 From: Jonathan Esk-Riddell Date: Fri, 26 Jan 2024 14:50:42 +0000 Subject: [PATCH 003/123] rename directory --- src/CMakeLists.txt | 2 +- src/qml/{calamares => calamares-qt6}/CMakeLists.txt | 0 src/qml/{calamares => calamares-qt6}/slideshow/BackButton.qml | 0 .../{calamares => calamares-qt6}/slideshow/ForwardButton.qml | 0 src/qml/{calamares => calamares-qt6}/slideshow/NavButton.qml | 0 src/qml/{calamares => calamares-qt6}/slideshow/Presentation.qml | 0 src/qml/{calamares => calamares-qt6}/slideshow/Slide.qml | 0 src/qml/{calamares => calamares-qt6}/slideshow/SlideCounter.qml | 0 src/qml/{calamares => calamares-qt6}/slideshow/qmldir | 0 src/qml/{calamares => calamares-qt6}/slideshow/qmldir.license | 0 10 files changed, 1 insertion(+), 1 deletion(-) rename src/qml/{calamares => calamares-qt6}/CMakeLists.txt (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/BackButton.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/ForwardButton.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/NavButton.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/Presentation.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/Slide.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/SlideCounter.qml (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/qmldir (100%) rename src/qml/{calamares => calamares-qt6}/slideshow/qmldir.license (100%) diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index aefefc5702..bc60e97060 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -16,7 +16,7 @@ add_subdirectory(libcalamaresui) if(WITH_QT6) # all things qml - add_subdirectory(qml/calamares) + add_subdirectory(qml/calamares-qt6) else() # all things qml add_subdirectory(qml/calamares-qt5) diff --git a/src/qml/calamares/CMakeLists.txt b/src/qml/calamares-qt6/CMakeLists.txt similarity index 100% rename from src/qml/calamares/CMakeLists.txt rename to src/qml/calamares-qt6/CMakeLists.txt diff --git a/src/qml/calamares/slideshow/BackButton.qml b/src/qml/calamares-qt6/slideshow/BackButton.qml similarity index 100% rename from src/qml/calamares/slideshow/BackButton.qml rename to src/qml/calamares-qt6/slideshow/BackButton.qml diff --git a/src/qml/calamares/slideshow/ForwardButton.qml b/src/qml/calamares-qt6/slideshow/ForwardButton.qml similarity index 100% rename from src/qml/calamares/slideshow/ForwardButton.qml rename to src/qml/calamares-qt6/slideshow/ForwardButton.qml diff --git a/src/qml/calamares/slideshow/NavButton.qml b/src/qml/calamares-qt6/slideshow/NavButton.qml similarity index 100% rename from src/qml/calamares/slideshow/NavButton.qml rename to src/qml/calamares-qt6/slideshow/NavButton.qml diff --git a/src/qml/calamares/slideshow/Presentation.qml b/src/qml/calamares-qt6/slideshow/Presentation.qml similarity index 100% rename from src/qml/calamares/slideshow/Presentation.qml rename to src/qml/calamares-qt6/slideshow/Presentation.qml diff --git a/src/qml/calamares/slideshow/Slide.qml b/src/qml/calamares-qt6/slideshow/Slide.qml similarity index 100% rename from src/qml/calamares/slideshow/Slide.qml rename to src/qml/calamares-qt6/slideshow/Slide.qml diff --git a/src/qml/calamares/slideshow/SlideCounter.qml b/src/qml/calamares-qt6/slideshow/SlideCounter.qml similarity index 100% rename from src/qml/calamares/slideshow/SlideCounter.qml rename to src/qml/calamares-qt6/slideshow/SlideCounter.qml diff --git a/src/qml/calamares/slideshow/qmldir b/src/qml/calamares-qt6/slideshow/qmldir similarity index 100% rename from src/qml/calamares/slideshow/qmldir rename to src/qml/calamares-qt6/slideshow/qmldir diff --git a/src/qml/calamares/slideshow/qmldir.license b/src/qml/calamares-qt6/slideshow/qmldir.license similarity index 100% rename from src/qml/calamares/slideshow/qmldir.license rename to src/qml/calamares-qt6/slideshow/qmldir.license From fd2610c739bd1ab78823932a1e08d75a9a66dd4b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sun, 4 Feb 2024 21:40:52 +0100 Subject: [PATCH 004/123] [*] Remove pre-Qt-5.15 compatibility ifdefs --- src/libcalamares/locale/Tests.cpp | 5 ---- src/libcalamares/network/Manager.cpp | 17 ------------- src/libcalamares/utils/String.h | 16 ++----------- src/libcalamares/utils/System.cpp | 8 ++----- src/libcalamaresui/utils/QtCompat.h | 24 +++++-------------- src/libcalamaresui/viewpages/Slideshow.cpp | 2 -- .../locale/timezonewidget/timezonewidget.cpp | 13 ++++------ src/modules/partition/jobs/ClearMountsJob.cpp | 5 ---- 8 files changed, 14 insertions(+), 76 deletions(-) diff --git a/src/libcalamares/locale/Tests.cpp b/src/libcalamares/locale/Tests.cpp index 3e463596c1..812f53d061 100644 --- a/src/libcalamares/locale/Tests.cpp +++ b/src/libcalamares/locale/Tests.cpp @@ -115,13 +115,8 @@ LocaleTests::testLanguageScripts() void LocaleTests::testEsperanto() { -#if QT_VERSION < QT_VERSION_CHECK( 5, 12, 2 ) - QCOMPARE( QLocale( "eo" ).language(), QLocale::C ); - QCOMPARE( QLocale( QLocale::Esperanto ).language(), QLocale::English ); -#else QCOMPARE( QLocale( "eo" ).language(), QLocale::Esperanto ); QCOMPARE( QLocale( QLocale::Esperanto ).language(), QLocale::Esperanto ); // Probably fails on 5.12, too -#endif } void diff --git a/src/libcalamares/network/Manager.cpp b/src/libcalamares/network/Manager.cpp index b319b58c85..5bb480e8b9 100644 --- a/src/libcalamares/network/Manager.cpp +++ b/src/libcalamares/network/Manager.cpp @@ -216,12 +216,6 @@ Manager::Private::checkHasInternet() // It's possible that access was switched off (see below, if the check // fails) so we want to turn it back on first. Otherwise all the // checks will fail **anyway**, defeating the point of the checks. -#if ( QT_VERSION < QT_VERSION_CHECK( 5, 15, 0 ) ) - if ( !m_hasInternet ) - { - threadNAM->setNetworkAccessible( QNetworkAccessManager::Accessible ); - } -#endif if ( m_lastCheckedUrlIndex < 0 ) { m_lastCheckedUrlIndex = 0; @@ -245,17 +239,6 @@ Manager::Private::checkHasInternet() attempts++; } while ( !m_hasInternet && ( attempts < m_hasInternetUrls.size() ) ); -// For earlier Qt versions (< 5.15.0), set the accessibility flag to -// NotAccessible if synchronous ping has failed, so that any module -// using Qt's networkAccessible method to determine whether or not -// internet connection is actually available won't get confused. -#if ( QT_VERSION < QT_VERSION_CHECK( 5, 15, 0 ) ) - if ( !m_hasInternet ) - { - threadNAM->setNetworkAccessible( QNetworkAccessManager::NotAccessible ); - } -#endif - return m_hasInternet; } diff --git a/src/libcalamares/utils/String.h b/src/libcalamares/utils/String.h index 30fca66d2c..cf942f13ec 100644 --- a/src/libcalamares/utils/String.h +++ b/src/libcalamares/utils/String.h @@ -26,21 +26,9 @@ * To avoid overly-many warnings related to the API change, introduce * Calamares-specific constants that pull from the correct enum. */ -constexpr static const auto SplitSkipEmptyParts = -#if QT_VERSION < QT_VERSION_CHECK( 5, 14, 0 ) - QString::SkipEmptyParts -#else - Qt::SkipEmptyParts -#endif - ; +constexpr static const auto SplitSkipEmptyParts = Qt::SkipEmptyParts; -constexpr static const auto SplitKeepEmptyParts = -#if QT_VERSION < QT_VERSION_CHECK( 5, 14, 0 ) - QString::KeepEmptyParts -#else - Qt::KeepEmptyParts -#endif - ; +constexpr static const auto SplitKeepEmptyParts = Qt::KeepEmptyParts; namespace Calamares { diff --git a/src/libcalamares/utils/System.cpp b/src/libcalamares/utils/System.cpp index 5e17ffa668..dd098af32a 100644 --- a/src/libcalamares/utils/System.cpp +++ b/src/libcalamares/utils/System.cpp @@ -122,12 +122,8 @@ System::createTargetFile( const QString& path, const QByteArray& contents, Write return CreationResult( CreationResult::Code::AlreadyExists ); } - QIODevice::OpenMode m = -#if QT_VERSION >= QT_VERSION_CHECK( 5, 11, 0 ) - // New flag from Qt 5.11, implies WriteOnly - ( mode == WriteMode::KeepExisting ? QIODevice::NewOnly : QIODevice::WriteOnly ) | -#endif - QIODevice::WriteOnly | QIODevice::Truncate; + QIODevice::OpenMode m + = ( mode == WriteMode::KeepExisting ? QIODevice::NewOnly : QIODevice::WriteOnly ) | QIODevice::Truncate; if ( !f.open( m ) ) { diff --git a/src/libcalamaresui/utils/QtCompat.h b/src/libcalamaresui/utils/QtCompat.h index d53c01e0b6..b568fbf083 100644 --- a/src/libcalamaresui/utils/QtCompat.h +++ b/src/libcalamaresui/utils/QtCompat.h @@ -8,10 +8,10 @@ /**@file Handle compatibility and deprecations across Qt versions * - * Since Calamares is supposed to work with Qt 5.9 or later, it covers a - * lot of changes in the Qt API. Especially the later Qt 5.15 (last LTS) - * versions deprecate a number of enum values and parts of the QWidgets - * API. This file adjusts for that by introducing suitable aliases + * Since Calamares is supposed to work with Qt 5.15 or Qt 6 or later, it + * covers a lot of changes in the Qt API. + * + * This file adjusts for that by introducing suitable aliases * and workaround-functions. * * For a similar approach for QtCore, see libcalamares/utils/String.h @@ -23,20 +23,8 @@ #include /* Avoid warnings about QPalette changes */ -constexpr static const auto WindowBackground = -#if QT_VERSION < QT_VERSION_CHECK( 5, 15, 0 ) - QPalette::Background -#else - QPalette::Window -#endif - ; +constexpr static const auto WindowBackground = QPalette::Window; -constexpr static const auto WindowText = -#if QT_VERSION < QT_VERSION_CHECK( 5, 15, 0 ) - QPalette::Foreground -#else - QPalette::WindowText -#endif - ; +constexpr static const auto WindowText = QPalette::WindowText; #endif diff --git a/src/libcalamaresui/viewpages/Slideshow.cpp b/src/libcalamaresui/viewpages/Slideshow.cpp index 66a1afaaf4..f20ef63bb9 100644 --- a/src/libcalamaresui/viewpages/Slideshow.cpp +++ b/src/libcalamaresui/viewpages/Slideshow.cpp @@ -54,9 +54,7 @@ SlideshowQML::SlideshowQML( QWidget* parent ) m_qmlShow->engine()->addImportPath( Calamares::qmlModulesDir().absolutePath() ); cDebug() << "QML import paths:" << Logger::DebugList( m_qmlShow->engine()->importPathList() ); -#if QT_VERSION >= QT_VERSION_CHECK( 5, 10, 0 ) CALAMARES_RETRANSLATE( if ( m_qmlShow ) { m_qmlShow->engine()->retranslate(); } ); -#endif if ( Branding::instance()->slideshowAPI() == 2 ) { diff --git a/src/modules/locale/timezonewidget/timezonewidget.cpp b/src/modules/locale/timezonewidget/timezonewidget.cpp index e1d31631f3..67ecb09ef7 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.cpp +++ b/src/modules/locale/timezonewidget/timezonewidget.cpp @@ -137,14 +137,8 @@ TimeZoneWidget::paintEvent( QPaintEvent* ) painter.drawImage( point.x() - pin.width() / 2, point.y() - pin.height() / 2, pin ); // Draw text and box - // .. the lambda manages deprecations: the old one works in Qt 5.9 and Qt 5.10, - // while the new one avoids deprecation messages in Qt 5.13 and later. -#if QT_VERSION >= QT_VERSION_CHECK( 5, 11, 0 ) - auto textwidth = [ & ]( const QString& s ) { return fontMetrics.horizontalAdvance( s ); }; -#else - auto textwidth = [ & ]( const QString& s ) { return fontMetrics.width( s ); }; -#endif - const int textWidth = textwidth( m_currentLocation ? m_currentLocation->translated() : QString() ); + const int textWidth + = fontMetrics.horizontalAdvance( m_currentLocation ? m_currentLocation->translated() : QString() ); const int textHeight = fontMetrics.height(); QRect rect = QRect( point.x() - textWidth / 2 - 5, point.y() - textHeight - 8, textWidth + 10, textHeight - 2 ); @@ -170,7 +164,8 @@ TimeZoneWidget::paintEvent( QPaintEvent* ) painter.setBrush( QColor( 40, 40, 40 ) ); painter.drawRoundedRect( rect, 3, 3 ); painter.setPen( Qt::white ); - painter.drawText( rect.x() + 5, rect.bottom() - 4, m_currentLocation ? m_currentLocation->translated() : QString() ); + painter.drawText( + rect.x() + 5, rect.bottom() - 4, m_currentLocation ? m_currentLocation->translated() : QString() ); #endif } diff --git a/src/modules/partition/jobs/ClearMountsJob.cpp b/src/modules/partition/jobs/ClearMountsJob.cpp index bbe77f09be..ce1355b2b9 100644 --- a/src/modules/partition/jobs/ClearMountsJob.cpp +++ b/src/modules/partition/jobs/ClearMountsJob.cpp @@ -196,12 +196,7 @@ getPVGroups( const QString& deviceName ) vgSet.insert( vgName ); } -// toList() was deprecated, but old-old versions don't support QStringList construction like this -#if QT_VERSION < QT_VERSION_CHECK( 5, 15, 0 ) - return vgSet.toList(); -#else return QStringList { vgSet.cbegin(), vgSet.cend() }; -#endif } } else From 7d7a4597c13662e324c1171b8dc3c8769d7f1f87 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sun, 4 Feb 2024 21:54:35 +0100 Subject: [PATCH 005/123] [libcalamaresui] prefer < comparison of Qt versions --- src/libcalamaresui/viewpages/QmlViewStep.h | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/libcalamaresui/viewpages/QmlViewStep.h b/src/libcalamaresui/viewpages/QmlViewStep.h index fe678752ad..8d6eada7c0 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.h +++ b/src/libcalamaresui/viewpages/QmlViewStep.h @@ -111,10 +111,10 @@ private Q_SLOTS: QWidget* m_widget = nullptr; WaitingWidget* m_spinner = nullptr; -#if QT_VERSION >= QT_VERSION_CHECK( 6, 0, 0 ) - QWidget* m_qmlWidget = nullptr; // Qt6: container for QQuickWindow -#else +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) QQuickWidget* m_qmlWidget = nullptr; +#else + QWidget* m_qmlWidget = nullptr; // Qt6: container for QQuickWindow #endif QQmlEngine* m_qmlEngine = nullptr; // Qt5: points to QuickWidget engine, Qt6: separate engine From 25f9eaf523967c31b9dc33326693b182270f14c9 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sun, 4 Feb 2024 22:06:22 +0100 Subject: [PATCH 006/123] [libcalamares*] Prefer < comparisons in Qt version --- src/libcalamares/PythonHelper.cpp | 4 +- src/libcalamares/python/Api.cpp | 4 +- src/libcalamaresui/ViewManager.cpp | 41 +++++++++++--------- src/libcalamaresui/viewpages/QmlViewStep.cpp | 26 ++++++------- 4 files changed, 41 insertions(+), 34 deletions(-) diff --git a/src/libcalamares/PythonHelper.cpp b/src/libcalamares/PythonHelper.cpp index 946c7f9e3f..6e18e1d998 100644 --- a/src/libcalamares/PythonHelper.cpp +++ b/src/libcalamares/PythonHelper.cpp @@ -65,7 +65,9 @@ variantToPyObject( const QVariant& variant ) return bp::object( variant.toDouble() ); case Calamares::CharVariantType: -#if QT_VERSION > QT_VERSION_CHECK( 6, 0, 0 ) +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) +#else + // In Qt6, QChar is also available and different from CharVariantType case QMetaType::Type::QChar: #endif case Calamares::StringVariantType: diff --git a/src/libcalamares/python/Api.cpp b/src/libcalamares/python/Api.cpp index bc5b053818..cbf817f4cf 100644 --- a/src/libcalamares/python/Api.cpp +++ b/src/libcalamares/python/Api.cpp @@ -82,7 +82,9 @@ variantToPyObject( const QVariant& variant ) return py::float_( variant.toDouble() ); case Calamares::CharVariantType: -#if QT_VERSION > QT_VERSION_CHECK( 6, 0, 0 ) +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) +#else + // In Qt6, QChar is also available and different from CharVariantType case QMetaType::Type::QChar: #endif case Calamares::StringVariantType: diff --git a/src/libcalamaresui/ViewManager.cpp b/src/libcalamaresui/ViewManager.cpp index 10c1955e75..3cc86f2bcf 100644 --- a/src/libcalamaresui/ViewManager.cpp +++ b/src/libcalamaresui/ViewManager.cpp @@ -152,8 +152,8 @@ ViewManager::onInstallationFailed( const QString& message, const QString& detail cDebug() << Logger::SubEntry << "- message:" << message; cDebug() << Logger::SubEntry << "- details:" << Logger::NoQuote << details; - QString heading - = Calamares::Settings::instance()->isSetupMode() ? tr( "Setup Failed", "@title" ) : tr( "Installation Failed", "@title" ); + QString heading = Calamares::Settings::instance()->isSetupMode() ? tr( "Setup Failed", "@title" ) + : tr( "Installation Failed", "@title" ); ErrorDialog* errorDialog = new ErrorDialog(); errorDialog->setWindowTitle( tr( "Error", "@title" ) ); @@ -183,7 +183,8 @@ ViewManager::onInitFailed( const QStringList& modules ) // don't bother being precise about installer / setup wording. QString title( tr( "Calamares Initialization Failed", "@title" ) ); QString description( tr( "%1 can not be installed. Calamares was unable to load all of the configured modules. " - "This is a problem with the way Calamares is being used by the distribution.", "@info" ) ); + "This is a problem with the way Calamares is being used by the distribution.", + "@info" ) ); QString detailString; if ( modules.count() > 0 ) @@ -287,7 +288,16 @@ questionBox( QWidget* parent, const QString& button1 ) { -#if QT_VERSION >= QT_VERSION_CHECK( 6, 0, 0 ) +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) + return QMessageBox::question( parent, + title, + question, + button0, + button1, + QString(), + 0 /* default first button, i.e. confirm */, + 1 /* escape is second button, i.e. cancel */ ); +#else QMessageBox mb( QMessageBox::Question, title, question, QMessageBox::StandardButton::NoButton, parent ); const auto* const okButton = mb.addButton( button0, QMessageBox::AcceptRole ); mb.addButton( button1, QMessageBox::RejectRole ); @@ -297,16 +307,6 @@ questionBox( QWidget* parent, return 0; } return 1; // Cancel -#else - return QMessageBox::question( parent, - title, - question, - button0, - button1, - QString(), - 0 /* default first button, i.e. confirm */, - 1 /* escape is second button, i.e. cancel */ ); - #endif } @@ -329,16 +329,19 @@ ViewManager::next() // Depending on Calamares::Settings, we show an "are you sure" prompt or not. if ( settings->showPromptBeforeExecution() && stepIsExecute( m_steps, m_currentStep + 1 ) ) { - QString title - = settings->isSetupMode() ? tr( "Continue with Setup?", "@title" ) : tr( "Continue with Installation?", "@title" ); + QString title = settings->isSetupMode() ? tr( "Continue with Setup?", "@title" ) + : tr( "Continue with Installation?", "@title" ); QString question = settings->isSetupMode() ? tr( "The %1 setup program is about to make changes to your " "disk in order to set up %2.
You will not be able " - "to undo these changes.", "%1 is short product name, %2 is short product name with version" ) + "to undo these changes.", + "%1 is short product name, %2 is short product name with version" ) : tr( "The %1 installer is about to make changes to your " "disk in order to install %2.
You will not be able " - "to undo these changes.", "%1 is short product name, %2 is short product name with version" ); - QString confirm = settings->isSetupMode() ? tr( "&Set Up Now", "@button" ) : tr( "&Install Now", "@button" ); + "to undo these changes.", + "%1 is short product name, %2 is short product name with version" ); + QString confirm + = settings->isSetupMode() ? tr( "&Set Up Now", "@button" ) : tr( "&Install Now", "@button" ); const auto* branding = Calamares::Branding::instance(); int reply = questionBox( m_widget, diff --git a/src/libcalamaresui/viewpages/QmlViewStep.cpp b/src/libcalamaresui/viewpages/QmlViewStep.cpp index 115a92da55..086f8fa640 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.cpp +++ b/src/libcalamaresui/viewpages/QmlViewStep.cpp @@ -24,10 +24,10 @@ #include #include #include -#if QT_VERSION >= QT_VERSION_CHECK( 6, 0, 0 ) -#include -#else +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) #include +#else +#include #endif #include @@ -74,13 +74,13 @@ QmlViewStep::QmlViewStep( QObject* parent ) { Calamares::registerQmlModels(); -#if QT_VERSION >= QT_VERSION_CHECK( 6, 0, 0 ) - m_qmlEngine = new QQmlEngine( this ); -#else +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) m_qmlWidget = new QQuickWidget; m_qmlWidget->setResizeMode( QQuickWidget::SizeRootObjectToView ); m_qmlWidget->setSizePolicy( QSizePolicy::Expanding, QSizePolicy::Expanding ); m_qmlEngine = m_qmlWidget->engine(); +#else + m_qmlEngine = new QQmlEngine( this ); #endif QVBoxLayout* layout = new QVBoxLayout( m_widget ); @@ -192,19 +192,19 @@ QmlViewStep::loadComplete() } else { -#if QT_VERSION >= QT_VERSION_CHECK( 6, 0, 0 ) +#if QT_VERSION < QT_VERSION_CHECK( 6, 0, 0 ) + // setContent() is public API, but not documented publicly. + // It is marked \internal in the Qt sources, but does exactly + // what is needed: sets up visual parent by replacing the root + // item, and handling resizes. + m_qmlWidget->setContent( QUrl( m_qmlFileName ), m_qmlComponent, m_qmlObject ); +#else auto* quick = new QQuickWindow; auto* root = quick->contentItem(); m_qmlObject->setParentItem( root ); m_qmlObject->bindableWidth().setBinding( [ = ]() { return root->width(); } ); m_qmlObject->bindableHeight().setBinding( [ = ]() { return root->height(); } ); m_qmlWidget = QWidget::createWindowContainer( quick, m_widget ); -#else - // setContent() is public API, but not documented publicly. - // It is marked \internal in the Qt sources, but does exactly - // what is needed: sets up visual parent by replacing the root - // item, and handling resizes. - m_qmlWidget->setContent( QUrl( m_qmlFileName ), m_qmlComponent, m_qmlObject ); #endif showQml(); } From 4e065b1ba9426ed4c0b99dcef332af363933eff6 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sun, 4 Feb 2024 22:26:03 +0100 Subject: [PATCH 007/123] [qml] Tidy up cmake bits, credit to contributor --- CHANGES-3.3 | 5 ++- src/CMakeLists.txt | 8 +---- src/qml/CMakeLists.txt | 50 ++++++++++++++++++++++++++++ src/qml/calamares-qt5/CMakeLists.txt | 43 +----------------------- src/qml/calamares-qt6/CMakeLists.txt | 43 +----------------------- 5 files changed, 57 insertions(+), 92 deletions(-) create mode 100644 src/qml/CMakeLists.txt diff --git a/CHANGES-3.3 b/CHANGES-3.3 index 6227bfcf03..3e79c54762 100644 --- a/CHANGES-3.3 +++ b/CHANGES-3.3 @@ -10,9 +10,12 @@ the history of the 3.2 series (2018-05 - 2022-08). # 3.3.2 (unreleased) This release contains contributions from (alphabetically by first name): - - nobody, yet! + - Adriaan de Groot + - Jonathan Riddell ## Core ## + - Slideshow support code (QML) now ported to Qt and made available + as two separate directories of support-code. (thanks Jon) ## Modules ## diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index bc60e97060..e342c962f5 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -14,13 +14,7 @@ include(CalamaresAddTranslations) add_subdirectory(libcalamares) add_subdirectory(libcalamaresui) -if(WITH_QT6) - # all things qml - add_subdirectory(qml/calamares-qt6) -else() - # all things qml - add_subdirectory(qml/calamares-qt5) -endif() +add_subdirectory(qml) # application add_subdirectory(calamares) diff --git a/src/qml/CMakeLists.txt b/src/qml/CMakeLists.txt new file mode 100644 index 0000000000..fa0ee8facd --- /dev/null +++ b/src/qml/CMakeLists.txt @@ -0,0 +1,50 @@ +# === This file is part of Calamares - === +# +# SPDX-FileCopyrightText: 2020 Adriaan de Groot +# SPDX-License-Identifier: BSD-2-Clause +# + +# Install "slideshows" and other QML-sources for Calamares. +# +# In practice, in the central source repositoy, this means +# just-install-the-slideshow-example. For alternative slideshows, +# see the approach in the calamares-extensions repository. + +function(calamares_install_qml) + # Iterate over all the subdirectories which have a qmldir file, copy them over to the build dir, + # and install them into share/calamares/qml/calamares + file(GLOB SUBDIRECTORIES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR}/${qml_subdir} "*") + foreach(SUBDIRECTORY ${SUBDIRECTORIES}) + if( + IS_DIRECTORY "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}" + AND EXISTS "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/qmldir" + ) + set(QML_DIR share/calamares/qml) + set(QML_MODULE_DESTINATION ${QML_DIR}/calamares/${SUBDIRECTORY}) + + # We glob all the files inside the subdirectory, and we make sure they are + # synced with the bindir structure and installed. + file(GLOB QML_MODULE_FILES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY} "${SUBDIRECTORY}/*") + foreach(QML_MODULE_FILE ${QML_MODULE_FILES}) + if(NOT IS_DIRECTORY ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE}) + configure_file(${SUBDIRECTORY}/${QML_MODULE_FILE} ${SUBDIRECTORY}/${QML_MODULE_FILE} COPYONLY) + + install( + FILES ${CMAKE_CURRENT_BINARY_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE} + DESTINATION ${QML_MODULE_DESTINATION} + ) + endif() + endforeach() + + message("-- ${BoldYellow}Configured QML module: ${BoldRed}calamares.${SUBDIRECTORY}${ColorReset}") + endif() + endforeach() + + message("") +endfunction() + +if(WITH_QT6) + add_subdirectory(calamares-qt6) +else() + add_subdirectory(calamares-qt5) +endif() diff --git a/src/qml/calamares-qt5/CMakeLists.txt b/src/qml/calamares-qt5/CMakeLists.txt index 07e376bfaa..456f967cb1 100644 --- a/src/qml/calamares-qt5/CMakeLists.txt +++ b/src/qml/calamares-qt5/CMakeLists.txt @@ -1,42 +1 @@ -# === This file is part of Calamares - === -# -# SPDX-FileCopyrightText: 2020 Adriaan de Groot -# SPDX-License-Identifier: BSD-2-Clause -# - -# Install "slideshows" and other QML-sources for Calamares. -# -# In practice, in the central source repositoy, this means -# just-install-the-slideshow-example. For alternative slideshows, -# see the approach in the calamares-extensions repository. - -# Iterate over all the subdirectories which have a qmldir file, copy them over to the build dir, -# and install them into share/calamares/qml/calamares -file(GLOB SUBDIRECTORIES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR} "*") -foreach(SUBDIRECTORY ${SUBDIRECTORIES}) - if( - IS_DIRECTORY "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}" - AND EXISTS "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/qmldir" - ) - set(QML_DIR share/calamares/qml) - set(QML_MODULE_DESTINATION ${QML_DIR}/calamares/${SUBDIRECTORY}) - - # We glob all the files inside the subdirectory, and we make sure they are - # synced with the bindir structure and installed. - file(GLOB QML_MODULE_FILES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY} "${SUBDIRECTORY}/*") - foreach(QML_MODULE_FILE ${QML_MODULE_FILES}) - if(NOT IS_DIRECTORY ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE}) - configure_file(${SUBDIRECTORY}/${QML_MODULE_FILE} ${SUBDIRECTORY}/${QML_MODULE_FILE} COPYONLY) - - install( - FILES ${CMAKE_CURRENT_BINARY_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE} - DESTINATION ${QML_MODULE_DESTINATION} - ) - endif() - endforeach() - - message("-- ${BoldYellow}Configured QML module: ${BoldRed}calamares.${SUBDIRECTORY}${ColorReset}") - endif() -endforeach() - -message("") +calamares_install_qml() diff --git a/src/qml/calamares-qt6/CMakeLists.txt b/src/qml/calamares-qt6/CMakeLists.txt index 07e376bfaa..456f967cb1 100644 --- a/src/qml/calamares-qt6/CMakeLists.txt +++ b/src/qml/calamares-qt6/CMakeLists.txt @@ -1,42 +1 @@ -# === This file is part of Calamares - === -# -# SPDX-FileCopyrightText: 2020 Adriaan de Groot -# SPDX-License-Identifier: BSD-2-Clause -# - -# Install "slideshows" and other QML-sources for Calamares. -# -# In practice, in the central source repositoy, this means -# just-install-the-slideshow-example. For alternative slideshows, -# see the approach in the calamares-extensions repository. - -# Iterate over all the subdirectories which have a qmldir file, copy them over to the build dir, -# and install them into share/calamares/qml/calamares -file(GLOB SUBDIRECTORIES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR} "*") -foreach(SUBDIRECTORY ${SUBDIRECTORIES}) - if( - IS_DIRECTORY "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}" - AND EXISTS "${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/qmldir" - ) - set(QML_DIR share/calamares/qml) - set(QML_MODULE_DESTINATION ${QML_DIR}/calamares/${SUBDIRECTORY}) - - # We glob all the files inside the subdirectory, and we make sure they are - # synced with the bindir structure and installed. - file(GLOB QML_MODULE_FILES RELATIVE ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY} "${SUBDIRECTORY}/*") - foreach(QML_MODULE_FILE ${QML_MODULE_FILES}) - if(NOT IS_DIRECTORY ${CMAKE_CURRENT_SOURCE_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE}) - configure_file(${SUBDIRECTORY}/${QML_MODULE_FILE} ${SUBDIRECTORY}/${QML_MODULE_FILE} COPYONLY) - - install( - FILES ${CMAKE_CURRENT_BINARY_DIR}/${SUBDIRECTORY}/${QML_MODULE_FILE} - DESTINATION ${QML_MODULE_DESTINATION} - ) - endif() - endforeach() - - message("-- ${BoldYellow}Configured QML module: ${BoldRed}calamares.${SUBDIRECTORY}${ColorReset}") - endif() -endforeach() - -message("") +calamares_install_qml() From 12892ccfe45333bed136f9bbe09131aa6ca2b6e5 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Sun, 4 Feb 2024 22:50:30 +0100 Subject: [PATCH 008/123] i18n: [calamares] Automatic merge of Transifex translations --- lang/calamares_ar.ts | 734 +++++++++------ lang/calamares_as.ts | 822 +++++++++------- lang/calamares_ast.ts | 788 +++++++++------- lang/calamares_az.ts | 860 +++++++++-------- lang/calamares_az_AZ.ts | 858 ++++++++++------- lang/calamares_be.ts | 856 ++++++++++------- lang/calamares_bg.ts | 856 ++++++++++------- lang/calamares_bn.ts | 724 ++++++++------ lang/calamares_bqi.ts | 684 ++++++++------ lang/calamares_ca.ts | 808 +++++++++------- lang/calamares_ca@valencia.ts | 830 +++++++++------- lang/calamares_cs_CZ.ts | 860 +++++++++-------- lang/calamares_da.ts | 828 +++++++++------- lang/calamares_de.ts | 879 +++++++++-------- lang/calamares_el.ts | 716 ++++++++------ lang/calamares_en_GB.ts | 762 ++++++++------- lang/calamares_eo.ts | 692 ++++++++------ lang/calamares_es.ts | 850 ++++++++++------- lang/calamares_es_AR.ts | 1000 +++++++++++--------- lang/calamares_es_MX.ts | 786 +++++++++------- lang/calamares_es_PR.ts | 684 ++++++++------ lang/calamares_et.ts | 776 ++++++++------- lang/calamares_eu.ts | 734 +++++++++------ lang/calamares_fa.ts | 856 ++++++++++------- lang/calamares_fi_FI.ts | 910 ++++++++++-------- lang/calamares_fr.ts | 992 ++++++++++--------- lang/calamares_fur.ts | 858 ++++++++++------- lang/calamares_gl.ts | 778 ++++++++------- lang/calamares_gu.ts | 684 ++++++++------ lang/calamares_he.ts | 854 ++++++++++------- lang/calamares_hi.ts | 856 ++++++++++------- lang/calamares_hr.ts | 842 ++++++++++------- lang/calamares_hu.ts | 1673 ++++++++++++++++++--------------- lang/calamares_id.ts | 790 +++++++++------- lang/calamares_ie.ts | 710 ++++++++------ lang/calamares_is.ts | 856 ++++++++++------- lang/calamares_it_IT.ts | 860 +++++++++-------- lang/calamares_ja-Hira.ts | 684 ++++++++------ lang/calamares_ja.ts | 858 ++++++++++------- lang/calamares_ka.ts | 1478 ++++++++++++++++------------- lang/calamares_kk.ts | 684 ++++++++------ lang/calamares_kn.ts | 684 ++++++++------ lang/calamares_ko.ts | 858 ++++++++++------- lang/calamares_lo.ts | 684 ++++++++------ lang/calamares_lt.ts | 842 ++++++++++------- lang/calamares_lv.ts | 686 ++++++++------ lang/calamares_mk.ts | 684 ++++++++------ lang/calamares_ml.ts | 816 +++++++++------- lang/calamares_mr.ts | 686 ++++++++------ lang/calamares_nb.ts | 686 ++++++++------ lang/calamares_ne_NP.ts | 688 ++++++++------ lang/calamares_nl.ts | 850 ++++++++++------- lang/calamares_oc.ts | 732 +++++++++------ lang/calamares_pl.ts | 860 +++++++++-------- lang/calamares_pt_BR.ts | 860 +++++++++-------- lang/calamares_pt_PT.ts | 858 ++++++++++------- lang/calamares_ro.ts | 782 ++++++++------- lang/calamares_ro_RO.ts | 684 ++++++++------ lang/calamares_ru.ts | 993 ++++++++++--------- lang/calamares_si.ts | 856 ++++++++++------- lang/calamares_sk.ts | 856 ++++++++++------- lang/calamares_sl.ts | 686 ++++++++------ lang/calamares_sq.ts | 904 ++++++++++-------- lang/calamares_sr.ts | 690 ++++++++------ lang/calamares_sr@latin.ts | 688 ++++++++------ lang/calamares_sv.ts | 854 ++++++++++------- lang/calamares_ta_IN.ts | 684 ++++++++------ lang/calamares_te.ts | 684 ++++++++------ lang/calamares_tg.ts | 822 +++++++++------- lang/calamares_th.ts | 718 ++++++++------ lang/calamares_tr_TR.ts | 988 ++++++++++--------- lang/calamares_uk.ts | 842 ++++++++++------- lang/calamares_ur.ts | 692 ++++++++------ lang/calamares_uz.ts | 684 ++++++++------ lang/calamares_vi.ts | 834 +++++++++------- lang/calamares_zh.ts | 684 ++++++++------ lang/calamares_zh_CN.ts | 856 ++++++++++------- lang/calamares_zh_HK.ts | 686 ++++++++------ lang/calamares_zh_TW.ts | 854 ++++++++++------- 79 files changed, 37135 insertions(+), 26970 deletions(-) diff --git a/lang/calamares_ar.ts b/lang/calamares_ar.ts index 12efb3bba5..a219e0282c 100644 --- a/lang/calamares_ar.ts +++ b/lang/calamares_ar.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - ضبط إعدادات الارتباط التلقائي + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info قطاع الإقلاع الرئيسي ل %1 Boot Partition + @info قسم الإقلاع System Partition + @info قسم النظام Do not install a boot loader + @label لا تثبّت محمّل إقلاع @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ثبت @@ -637,18 +642,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info فشل المثبّت في تحديث جدول التّقسيم على القرص '%1'. @@ -662,9 +676,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>تقسيم يدويّ</strong><br/>يمكنك إنشاء أو تغيير حجم الأقسام بنفسك. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>اختر قسمًا لتقليصه، ثمّ اسحب الشّريط السّفليّ لتغيير حجمه </strong> + Select storage de&vice: + @label اختر &جهاز التّخزين: @@ -673,56 +698,49 @@ The installer will quit and all changes will be lost. Current: + @label الحاليّ: After: + @label بعد: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>تقسيم يدويّ</strong><br/>يمكنك إنشاء أو تغيير حجم الأقسام بنفسك. - - Reuse %1 as home partition for %2. + Reuse %1 as home partition for %2 + @label - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>اختر قسمًا لتقليصه، ثمّ اسحب الشّريط السّفليّ لتغيير حجمه </strong> - %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - مكان محمّل الإقلاع: - <strong>Select a partition to install on</strong> + @label <strong>اختر القسم حيث سيكون التّثبيت عليه</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name تعذّر إيجاد قسم النّظام EFI في أيّ مكان. فضلًا ارجع واستخدم التّقسيم اليدويّ لإعداد %1. The EFI system partition at %1 will be used for starting %2. - قسم النّظام EFI على %1 سيُستخدم لبدء %2. + @info, %1 is partition path, %2 is product name + سيُستخدم قسم نظام EFI على %1 لبدء %2. EFI system partition: + @label قسم نظام EFI: @@ -777,36 +795,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -840,11 +871,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -857,12 +890,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1012,42 +1042,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label الخلاصة - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. هذه نظرة عامّة عمّا سيحصل ما إن تبدأ عمليّة التّثبيت. @@ -1119,13 +1150,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1204,31 +1235,37 @@ The installer will quit and all changes will be lost. En&crypt + @action تشفير Logical + @label منطقيّ Primary + @label أساسيّ GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1236,43 +1273,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - ينشئ قسم %1 جديد على %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info فشل المثبّت في إنشاء قسم على القرص '%1'. @@ -1308,18 +1353,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - أنشئ جدول تقسيم %1 جديد على %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - أنشئ جدول تقسيم <strong>%1</strong> جديد على <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - ينشئ جدول التّقسيم %1 الجديد على %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1336,28 +1379,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - أنشئ المستخدم <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1366,6 +1413,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1373,17 +1421,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1397,12 +1443,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1415,18 +1463,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - احذف القسم %1 + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - احذف القسم <strong>%1</strong>. - - - - Deleting partition %1. - يحذف القسم %1 . + Deleting partition <strong>%1</strong>… + @status + @@ -1611,11 +1657,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1637,57 +1685,68 @@ The installer will quit and all changes will be lost. Set partition information + @title اضبط معلومات القسم Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - ثبّت %1 على قسم نظام %2 <strong>جديد</strong>. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - ثبّت %2 على قسم النّظام %3 ‏<strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - ثبّت محمّل الإقلاع على <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - يضبط نقاط الضّمّ. + + Setting up mount points… + @status + @@ -1756,24 +1815,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - يهيّء القسم %1 بنظام الملفّات %2. + + Formatting partition %1 with file system %2… + @status + @@ -2266,20 +2328,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. توليد معرف الجهاز - + Configuration Error خطأ في الضبط - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2839,11 +2919,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2900,7 +2975,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -3006,31 +3082,37 @@ The installer will quit and all changes will be lost. Home + @label المنزل Boot + @label الإقلاع EFI system + @label نظام EFI Swap + @label التّبديل New partition for %1 + @label قسم جديد ل‍ %1 New partition + @label قسم جديد @@ -3046,37 +3128,44 @@ The installer will quit and all changes will be lost. Free Space + @title المساحة الحرّة - New partition - قسم جديد + New Partition + @title + Name + @title الاسم File System + @title نظام الملفّات File System Label + @title Mount Point + @title نقطة الضّمّ Size + @title الحجم @@ -3155,16 +3244,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - جاري جمع معلومات عن النظام... - - - - Partitions - الأقسام - Unsafe partition actions are enabled. @@ -3180,16 +3259,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - الحاليّ: - - - - After: - بعد: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3241,6 +3310,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + الأقسام + + + + Current: + @label + الحاليّ: + + + + After: + @label + بعد: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3286,7 +3379,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3314,6 +3408,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3321,7 +3416,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3415,26 +3511,12 @@ Output: الافتراضي - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3453,11 +3535,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - مساحة غير مقسّمة أو جدول تقسيم مجهول - unknown @@ -3482,6 +3559,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + مساحة غير مقسّمة أو جدول تقسيم مجهول + Recommended @@ -3496,8 +3579,9 @@ Output: RemoveUserJob - Remove live user from target system - إزالة المستخدم المباشر من النظام الهدف + Removing live user from the target system… + @status + @@ -3505,12 +3589,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3623,22 +3709,25 @@ Output: ResizePartitionJob - - Resize partition %1. - غيّر حجم القسم %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. فشل المثبّت في تغيير حجم القسم %1 على القرص '%2'. @@ -3648,6 +3737,7 @@ Output: Resize Volume Group + @title @@ -3655,17 +3745,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. @@ -3682,13 +3779,15 @@ Output: ScanningDialog - Scanning storage devices... - يفحص أجهزة التّخزين... + Scanning storage devices… + @status + - Partitioning - يقسّم + Partitioning… + @status + @@ -3705,8 +3804,9 @@ Output: - Setting hostname %1. - يضبط اسم المضيف 1%. + Setting hostname %1… + @status + @@ -3770,81 +3870,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - اضبط رايات القسم %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. - يمحي رايات القسم <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. - يمحي رايات القسم <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - يضبط رايات <strong>%2</strong> القسم<strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. فشل المثبّت في ضبط رايات القسم %1. @@ -3858,32 +3973,33 @@ Output: - Setting password for user %1. - يضبط كلمة مرور للمستخدم %1. + Setting password for user %1… + @status + - + Bad destination system path. مسار النّظام المقصد سيّء. - + rootMountPoint is %1 rootMountPoint هو %1 - + Cannot disable root account. - + Cannot set password for user %1. تعذّر ضبط كلمة مرور للمستخدم %1. - - + + usermod terminated with error code %1. أُنهي usermod برمز الخطأ %1. @@ -3932,7 +4048,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3951,7 +4068,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3969,7 +4087,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -4019,7 +4138,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4042,7 +4162,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4071,7 +4192,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4134,6 +4256,7 @@ Output: Feedback + @title @@ -4141,8 +4264,9 @@ Output: UmountJob - Unmount file systems. - الغاء تحميل ملف النظام + Unmounting file systems… + @status + @@ -4300,11 +4424,6 @@ Output: &Release notes &ملاحظات الإصدار - - - %1 support - %1 الدعم - About %1 Setup @@ -4317,12 +4436,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title مرحبا بك @@ -4331,6 +4457,7 @@ Output: Welcome + @title مرحبا بك @@ -4338,7 +4465,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4754,21 +4882,11 @@ Output: What is your name? ما اسمك؟ - - - Your Full Name - - What name do you want to use to log in? ما الاسم الذي تريده لتلج به؟ - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4789,11 +4907,6 @@ Output: What is the name of this computer? ما اسم هذا الحاسوب؟ - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4815,13 +4928,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4839,11 +4957,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4859,16 +4997,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4887,21 +5015,11 @@ Output: What is your name? ما اسمك؟ - - - Your Full Name - - What name do you want to use to log in? ما الاسم الذي تريده لتلج به؟ - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4922,9 +5040,19 @@ Output: What is the name of this computer? ما اسم هذا الحاسوب؟ + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4954,7 +5082,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4977,16 +5115,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -5023,12 +5151,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5052,12 +5180,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_as.ts b/lang/calamares_as.ts index 566bdff49a..ef0ac5a59d 100644 --- a/lang/calamares_as.ts +++ b/lang/calamares_as.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1ৰ প্ৰধান বুত্ নথি Boot Partition + @info বুত্ বিভাজন System Partition + @info চিছ্তেম বিভাজন Do not install a boot loader + @label বুত্ লোডাৰ ইনস্তল কৰিব নালাগে @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ইনস্তল @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>মেনুৱেল বিভাজন</strong><br/>আপুনি নিজে বিভাজন বনাব বা বিভজনৰ আয়তন সলনি কৰিব পাৰে। + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>আয়তন সলনি কৰিবলৈ বিভাজন বাচনি কৰক, তাৰ পিছত তলৰ "বাৰ্" ডালৰ সহায়ত আয়তন চেত্ কৰক</strong> + Select storage de&vice: + @label স্তোৰেজ ডিভাইচ চয়ণ কৰক (&v): @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label বর্তমান: After: + @label পিছত: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>মেনুৱেল বিভাজন</strong><br/>আপুনি নিজে বিভাজন বনাব বা বিভজনৰ আয়তন সলনি কৰিব পাৰে। - - Reuse %1 as home partition for %2. - %1ক %2ৰ গৃহ বিভাজন হিচাপে পুনৰ ব্যৱহাৰ কৰক। - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>আয়তন সলনি কৰিবলৈ বিভাজন বাচনি কৰক, তাৰ পিছত তলৰ "বাৰ্" ডালৰ সহায়ত আয়তন চেত্ কৰক</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 বিভজনক সৰু কৰি %2MiB কৰা হ'ব আৰু %4ৰ বাবে %3MiBৰ নতুন বিভজন বনোৱা হ'ব। - - - Boot loader location: - বুত্ লোডাৰৰ অৱস্থান: - <strong>Select a partition to install on</strong> + @label <strong>ইনস্তল​ কৰিবলৈ এখন বিভাজন চয়ন কৰক</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name এই চিছটেমত এখনো EFI চিছটেম বিভাজন কতো পোৱা নগ'ল। অনুগ্ৰহ কৰি উভতি যাওক আৰু মেনুৱেল বিভাজন প্ৰক্ৰিয়া দ্বাৰা %1 চেত্ আপ কৰক। The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1ত থকা EFI চিছটেম বিভাজনটো %2ক আৰম্ভ কৰাৰ বাবে ব্যৱহাৰ কৰা হ'ব। EFI system partition: + @label EFI চিছটেম বিভাজন: @@ -769,38 +787,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - কোনো স্ৱেপ নাই + No swap + @label + - Reuse Swap - স্ৱেপ পুনৰ ব্যৱহাৰ কৰক + Reuse swap + @label + Swap (no Hibernate) + @label স্ৱেপ (হাইবাৰনেট নোহোৱাকৈ) Swap (with Hibernate) + @label স্ৱোআপ (হাইবাৰনেটৰ সৈতে) Swap to file + @label ফাইললৈ স্ৱোআপ কৰক। + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title %1ত বিভাজন কৰ্য্যৰ বাবে মাউণ্ট্ আতৰাওক - Clearing mounts for partitioning operations on %1. - %1ত বিভাজন কৰ্য্যৰ বাবে মাউণ্ট্ আতৰ কৰি আছে। + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - গোটেই অস্থায়ী মাউন্ত আঁতৰাওক। - - - Clearing all temporary mounts. - গোটেই অস্থায়ী মাউন্ত আঁতৰোৱা হৈ আছে। + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection পেকেজ নিৰ্বাচন - + Please pick a product from the list. The selected product will be installed. সুচীৰ পৰা পণ্য এটা বাচনি কৰক। বাচনি কৰা পণ্যটো ইনস্তল হ'ব। - + Packages পেকেজ - + Install option: <strong>%1</strong> - + None - + Summary + @label সাৰাংশ - + This is an overview of what will happen once you start the setup procedure. চেত্ আপ প্ৰক্ৰিয়া হ'লে কি হ'ব এয়া এটা অৱলোকন। - + This is an overview of what will happen once you start the install procedure. ইনস্তল প্ৰক্ৰিয়া হ'লে কি হ'ব এয়া এটা অৱলোকন। @@ -1111,15 +1142,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + চিছটেমৰ ভাষা %1লৈ সলনি কৰা হ'ব। - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + সংখ্যা আৰু তাৰিখ স্থানীয় %1লৈ সলনি কৰা হ'ব। @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action এনক্ৰিপ্ত্ (&c) Logical + @label যুক্তিসম্মত Primary + @label মূখ্য GPT + @label GPT Mountpoint already in use. Please select another one. + @info এইটো মাওন্ট্ পইন্ট্ ইতিমধ্যে ব্যৱহাৰ হৈ আছে। অনুগ্ৰহ কৰি বেলেগ এটা বাচনি কৰক। Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - %1 ফাইল চিছটেমৰ সৈতে %4 (%3) ত %2MiBৰ নতুন বিভাজন বনাওক। + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%4</strong>ত নতুন (%3) <strong>%1</strong> ফাইল চিছটেমৰ <strong>%2MiB</strong> বিভাজন কৰক। + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2ত নতুন %1 বিভজন বনাই আছে। + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info '%1' ডিস্কত নতুন বিভাজন বনোৱাত ইনস্তলাৰটো বিফল হ'ল। @@ -1300,18 +1345,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2ত নতুন %1 বিভাজন তালিকা বনাওক। + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3)ত নতুন <strong>%1</strong> বিভাজন তালিকা বনাওক। - - - - Creating new %1 partition table on %2. - %2ত নতুন %1 বিভাজন তালিকা বনোৱা হৈ আছে। + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - <strong>%1</strong> ব্যৱহাৰকৰ্তা বনাওক। - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,25 +1405,24 @@ The installer will quit and all changes will be lost. Create Volume Group - ভলিউম্ গোট বনাওক + @title + ভলিউম্ গোট CreateVolumeGroupJob - Create new volume group named %1. - %1 নামৰ নতুন ভলিউম্ গোট বনাওক। + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> নামৰ নতুন ভলিউম্ গোট বনাওক। - - - - Creating new volume group named %1. - %1 নামৰ নতুন ভলিউম্ গোট বনোৱা হৈ আছে। + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - %1 নামৰ ভলিউম গোট নিস্ক্ৰিয় কৰক। + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> নামৰ ভলিউম গোট নিস্ক্ৰিয় কৰক। + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - %1 বিভাজন বিলোপ কৰক। + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> বিভাজন ডিলিট কৰক। - - - - Deleting partition %1. - %1 বিভাজন বিলোপ কৰা হৈ আছে। + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip অনুগ্ৰহ কৰি দুয়োটা বাকচত একে পাছফ্ৰেছ প্রবিষ্ট কৰক। - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ The installer will quit and all changes will be lost. Set partition information + @title বিভাজন তথ্য চেত্ কৰক Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - <strong>নতুন</strong> %2 চিছটেম বিভাজনত %1 ইনস্তল কৰক। + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - %3 চিছটেম বিভাজনত <strong>%1</strong>ত %2 ইনস্তল কৰক। + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - <strong>1%ত</strong> বুত্ লোডাৰ ইনস্তল কৰক। + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - মাউন্ট পইন্ট চেত্ আপ হৈ আছে। + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4ত ফৰ্মেট বিভাজন %1 ( ফাইল চিছটেম: %2, আয়তন: %3 MiB) + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MiB</strong> ৰ <strong>%1 %</strong> বিভাজন <strong>%2</strong> ফাইল চিছটেমৰ সৈতে ফৰ্মেট কৰক। + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 ফৰ্মেট বিভাজনৰ সৈতে %2 ফাইল চিছটেম। + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. মেচিন-আইডি সৃষ্টি কৰক। - + Configuration Error কনফিগাৰেচন ত্ৰুটি - + No root mount point is set for MachineId. এইটো মেচিন-আইডিৰ বাবে কোনো মাউন্ট্ পইণ্ট্ট্ট্ ছেট কৰা নাই। + + + + + + File not found + ফাইল বিচাৰি পোৱা নাই + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> পথটো পূৰ্ণ পথ নহয়। + + + + Could not create new random file <pre>%1</pre>. + <pre>%1</pre> ৰেন্ডম ফাইল বনাব পৰা নগ'ল। + Map @@ -2799,11 +2879,6 @@ The installer will quit and all changes will be lost. Unknown error অজ্ঞাত ক্ৰুটি - - - Password is empty - খালী পাছৱৰ্ড - PackageChooserPage @@ -2860,7 +2935,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,31 +3042,37 @@ The installer will quit and all changes will be lost. Home + @label ঘৰ Boot + @label বুত্ EFI system + @label ই এফ আই (EFI) চিছটেম Swap + @label স্ৱেপ New partition for %1 + @label %1 ৰ বাবে নতুন বিভাজন New partition + @label নতুন বিভাজন @@ -3006,37 +3088,44 @@ The installer will quit and all changes will be lost. Free Space + @title খালী ঠাই - New partition - নতুন বিভাজন + New Partition + @title + Name + @title নাম File System + @title ফাইল চিছটেম File System Label + @title Mount Point + @title মাউন্ট পইন্ট Size + @title আয়তন @@ -3115,16 +3204,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - চিছটেম তথ্য সংগ্ৰহ কৰা হৈ আছে। - - - - Partitions - বিভাজনসমুহ - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - বর্তমান: - - - - After: - পিছত: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + বিভাজনসমুহ + + + + Current: + @label + বর্তমান: + + + + After: + @label + পিছত: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - প্লজমা Look-and-Feel কাৰ্য্য + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Look-and-Feel @@ -3281,8 +3376,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - ফাইল পিছৰ বাবে জমা কৰি আছে ... + Saving files for later… + @status + @@ -3378,26 +3474,12 @@ Output: ডিফল্ট্ - - - - - File not found - ফাইল বিচাৰি পোৱা নাই - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> পথটো পূৰ্ণ পথ নহয়। - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. <pre>%1</pre> ৰেন্ডম ফাইল বনাব পৰা নগ'ল। @@ -3416,11 +3498,6 @@ Output: (no mount point) (কোনো মাউন্ট পইন্ট নাই) - - - Unpartitioned space or unknown partition table - বিভাজন নকৰা খালী ঠাই অথবা অজ্ঞাত বিভজন তালিকা - unknown @@ -3445,6 +3522,12 @@ Output: @partition info স্ৱেপ + + + Unpartitioned space or unknown partition table + @info + বিভাজন নকৰা খালী ঠাই অথবা অজ্ঞাত বিভজন তালিকা + Recommended @@ -3459,8 +3542,9 @@ Output: RemoveUserJob - Remove live user from target system - গন্তব্য চিছটেমৰ পৰা লাইভ ব্যৱহাৰকাৰি আতৰাওক + Removing live user from the target system… + @status + @@ -3468,13 +3552,15 @@ Output: - Remove Volume Group named %1. - %1 নামৰ ভলিউম্ গোট বিলোপ কৰক। + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> নামৰ ভলিউম্ গোট বিলোপ কৰক। + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3587,22 +3673,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 বিভাজনৰ আয়তন সলনি কৰক। + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong> আয়তনৰ <strong>%1</strong> বিভাজনৰ আয়তন সলনি কৰি <strong>%3MiB</strong> কৰক। + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2MiB ৰ %1 বিভাজনৰ আয়তন সলনি কৰি %3 কৰি আছে। + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. ইনস্তলাৰটো '%2' ডিস্কত %1 বিভাজনৰ​ আয়তন সলনি কৰাত বিফল হ'ল। @@ -3612,6 +3701,7 @@ Output: Resize Volume Group + @title ভলিউম্ গোটৰ আয়তন সলনি কৰক @@ -3619,17 +3709,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 নামৰ ভলিউম্ গোটটোৰ আয়তন %2ৰ পৰা %3লৈ সলনি কৰক। + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> নামৰ ভলিউম্ গোটটোৰ আয়তন <strong>%2</strong>ৰ পৰা <strong>%3</strong>লৈ সলনি কৰক। + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. ইনস্তলাৰটো %1 নামৰ ভলিউম্ গোটটোৰ আয়তন সলনি কৰাত বিফল হ'ল। @@ -3646,13 +3743,15 @@ Output: ScanningDialog - Scanning storage devices... - ষ্টোৰেজ ডিভাইচ স্কেন কৰি আছে... + Scanning storage devices… + @status + - Partitioning - বিভাজন কৰি আছে + Partitioning… + @status + @@ -3669,8 +3768,9 @@ Output: - Setting hostname %1. - %1 হোস্ট্ নাম চেত্ কৰি আছে। + Setting hostname %1… + @status + @@ -3734,81 +3834,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 বিভাজনত ফ্লেগ চেত্ কৰক। + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1MiB ৰ %2 বিভাজনত ফ্লেগ চেত্ কৰক। + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - নতুন বিভাজনত ফ্লেগ চেত্ কৰক। + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> বিভাজনত ফ্লেগ আতৰাওক। + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MiB ৰ <strong>%2</strong> বিভাজনৰ ফ্লেগবোৰ আতৰাওক। + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - নতুন বিভাজনৰ ফ্লেগ আতৰাওক। + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> বিভাজনত <strong>%2</strong>ৰ ফ্লেগ লগাওক। + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiBৰ <strong>%2</strong> বিভাজনত <strong>%3</strong> ফ্লেগ লগাওক। + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - নতুন বিভাজনত <strong>%1</strong>ৰ ফ্লেগ লগাওক। + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - <strong>%1</strong> বিভাজনৰ ফ্লেগ আতৰাই আছে। + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MiB ৰ <strong>%2</strong> বিভাজনৰ ফ্লেগবোৰ আতৰ কৰি আছে। + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - নতুন বিভাজনৰ ফ্লেগ আতৰাই আছে। + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%1</strong> বিভাজনত <strong>%2</strong> ফ্লেগ লগাই আছে। + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1MiBৰ <strong>%2</strong> বিভাজনত <strong>%3</strong> ফ্লেগ লগাই আছে। + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - নতুন বিভাজনত <strong>%1</strong> ফ্লেগ লগাই আছে। + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. ইনস্তলাৰটো​ %1 বিভাজনত ফ্লেগ লগোৱাত বিফল হ'ল। @@ -3822,32 +3937,33 @@ Output: - Setting password for user %1. - %1 ব্যৱহাৰকাৰীৰ বাবে পাছ্ৱৰ্ড চেত্ কৰি আছে। + Setting password for user %1… + @status + - + Bad destination system path. গন্তব্যস্থানৰ চিছটেমৰ পথ বেয়া। - + rootMountPoint is %1 ৰূট মাঊন্ট পইন্ট্ %1 - + Cannot disable root account. ৰূট একাঊন্ট নিস্ক্ৰিয় কৰিব নোৱাৰি। - + Cannot set password for user %1. %1 ব্যৱহাৰকাৰীৰ পাছ্ৱৰ্ড চেত্ কৰিব নোৱাৰি। - - + + usermod terminated with error code %1. %1 ক্ৰুটি চিহ্নৰ সৈতে ইউজাৰম'ড সমাপ্ত হ'ল। @@ -3896,7 +4012,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3915,7 +4032,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3933,8 +4051,9 @@ Output: ShellProcessJob - Shell Processes Job - ছেল প্ৰক্ৰিয়াবোৰৰ কাৰ্য্য + Running shell processes… + @status + @@ -3983,8 +4102,9 @@ Output: - Sending installation feedback. - ইন্স্তল সম্বন্ধীয় প্ৰতিক্ৰিয়া পঠাই আছে। + Sending installation feedback… + @status + @@ -4006,8 +4126,9 @@ Output: - Configuring KDE user feedback. - কনফিগাৰত KDE ব্যৱহাৰকৰ্তাৰ সম্বন্ধীয় প্ৰতিক্ৰীয়া + Configuring KDE user feedback… + @status + @@ -4035,8 +4156,9 @@ Output: - Configuring machine feedback. - মেচিন সম্বন্ধীয় প্ৰতিক্ৰীয়া কনফিগাৰ কৰি আছে‌। + Configuring machine feedback… + @status + @@ -4098,6 +4220,7 @@ Output: Feedback + @title প্ৰতিক্ৰিয়া @@ -4105,8 +4228,9 @@ Output: UmountJob - Unmount file systems. - ফাইল চিছটেম​বোৰ মাউণ্টৰ পৰা আতৰাওক। + Unmounting file systems… + @status + @@ -4264,11 +4388,6 @@ Output: &Release notes মুক্তি টোকা (&R) - - - %1 support - %1 সহায় - About %1 Setup @@ -4281,12 +4400,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title আদৰণি @@ -4295,6 +4421,7 @@ Output: Welcome + @title আদৰণি @@ -4302,7 +4429,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4719,21 +4847,11 @@ Output: What is your name? আপোনাৰ নাম কি? - - - Your Full Name - আপোনাৰ সম্পূৰ্ণ নাম - What name do you want to use to log in? লগইনত আপোনি কি নাম ব্যৱহাৰ কৰিব বিচাৰে? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4754,11 +4872,6 @@ Output: What is the name of this computer? এইটো কম্পিউটাৰৰ নাম কি? - - - Computer Name - কম্পিউটাৰৰ নাম - This name will be used if you make the computer visible to others on a network. @@ -4779,16 +4892,21 @@ Output: Password পাছৱৰ্ড - - - Repeat Password - পাছৱৰ্ড পুনৰ লিখক। - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4804,11 +4922,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4824,16 +4962,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4852,21 +4980,11 @@ Output: What is your name? আপোনাৰ নাম কি? - - - Your Full Name - আপোনাৰ সম্পূৰ্ণ নাম - What name do you want to use to log in? লগইনত আপোনি কি নাম ব্যৱহাৰ কৰিব বিচাৰে? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4887,10 +5005,20 @@ Output: What is the name of this computer? এইটো কম্পিউটাৰৰ নাম কি? + + + Your full name + + + + + Login name + + - Computer Name - কম্পিউটাৰৰ নাম + Computer name + @@ -4919,8 +5047,18 @@ Output: - Repeat Password - পাছৱৰ্ড পুনৰ লিখক। + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4942,16 +5080,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4989,13 +5117,13 @@ Output: - Known issues - জ্ঞাত সমস্যা + Known Issues + - Release notes - মুক্তি টোকা + Release Notes + @@ -5019,13 +5147,13 @@ Output: - Known issues - জ্ঞাত সমস্যা + Known Issues + - Release notes - মুক্তি টোকা + Release Notes + diff --git a/lang/calamares_ast.ts b/lang/calamares_ast.ts index 4cae796ac5..86dcb8a8ea 100644 --- a/lang/calamares_ast.ts +++ b/lang/calamares_ast.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record de %1 Boot Partition + @info Partición d'arrinque System Partition + @info Partición del sistema Do not install a boot loader + @label Nenyures @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalación @@ -629,18 +634,27 @@ L'instalador va colar y van perdese tolos cambeos. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info L'instalador falló al anovar la tabla particiones nel discu «%1». @@ -654,9 +668,20 @@ L'instalador va colar y van perdese tolos cambeos. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionáu manual</strong><br/>Vas poder crear o redimensionar particiones. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Esbilla una partición a redimensionar, dempués arrastra la barra baxera pa facelo</strong> + Select storage de&vice: + @label Esbilla un preséu d'al&macenamientu: @@ -665,56 +690,49 @@ L'instalador va colar y van perdese tolos cambeos. Current: + @label Anguaño: After: + @label Dempués: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionáu manual</strong><br/>Vas poder crear o redimensionar particiones. - - Reuse %1 as home partition for %2. - Reusu de %s como partición d'aniciu pa %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Esbilla una partición a redimensionar, dempués arrastra la barra baxera pa facelo</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 va redimensionase a %2MB y va crease una partición de %3MB pa %4. - - - Boot loader location: - Allugamientu del xestor d'arrinque: - <strong>Select a partition to install on</strong> + @label <strong>Esbilla una partición na qu'instalar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Nun pudo alcontrase per nenyures una partición del sistema EFI. Volvi p'atrás y usa'l particionáu manual pa configurar %1, por favor. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partición del sistema EFI en %1 va usase p'aniciar %2. EFI system partition: + @label Partición del sistema EFI: @@ -769,38 +787,51 @@ L'instalador va colar y van perdese tolos cambeos. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - Ensin intercambéu + No swap + @label + - Reuse Swap - Reusar un intercambéu + Reuse swap + @label + Swap (no Hibernate) + @label Intercambéu (ensin ivernación) Swap (with Hibernate) + @label Intercambéu (con ivernación) Swap to file + @label Intercambéu nun ficheru + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ L'instalador va colar y van perdese tolos cambeos. Clear mounts for partitioning operations on %1 + @title Llimpieza de los montaxes pa les operaciones de particionáu en %1. - Clearing mounts for partitioning operations on %1. - Llimpiando los montaxes pa les operaciones de particionáu en %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ L'instalador va colar y van perdese tolos cambeos. ClearTempMountsJob - Clear all temporary mounts. - Llimpieza de tolos montaxes temporales. - - - Clearing all temporary mounts. - Llimpiando tolos montaxes temporales. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ L'instalador va colar y van perdese tolos cambeos. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages Paquetes - + Install option: <strong>%1</strong> - + None - + Summary + @label Sumariu - + This is an overview of what will happen once you start the setup procedure. Esto ye una previsualización de lo que va asoceder nel momentu qu'anicies el procesu de configuración. - + This is an overview of what will happen once you start the install procedure. Esto ye una previsualización de lo que va asoceder nel momentu qu'anicies el procesu d'instalación. @@ -1111,15 +1142,15 @@ L'instalador va colar y van perdese tolos cambeos. - The system language will be set to %1 + The system language will be set to %1. @info - + La llingua del sistema va afitase a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + La númberación y data van afitase en %1. @@ -1196,31 +1227,37 @@ L'instalador va colar y van perdese tolos cambeos. En&crypt + @action &Cifrar Logical + @label Llóxica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. + @info El puntu de montaxe yá ta n'usu. Esbilla otru, por favor. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ L'instalador va colar y van perdese tolos cambeos. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Creando una partición %1 en %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info L'instalador falló al crear la partición nel discu «%1». @@ -1300,18 +1345,16 @@ L'instalador va colar y van perdese tolos cambeos. CreatePartitionTableJob - Create new %1 partition table on %2. - Creación d'una tabla de particiones %1 en %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Va crease una tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creando una tabla de particiones %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,28 +1371,32 @@ L'instalador va colar y van perdese tolos cambeos. - Create user <strong>%1</strong>. - Va crease l'usuariu <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ L'instalador va colar y van perdese tolos cambeos. Create Volume Group + @title @@ -1365,18 +1413,16 @@ L'instalador va colar y van perdese tolos cambeos. CreateVolumeGroupJob - Create new volume group named %1. - Creación d'un grupu de volúmenes col nome %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Va crease un grupu de volúmenes col nome <strong>%1</strong>. - - - - Creating new volume group named %1. - Creando un grupu de volúmenes col nome %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ L'instalador va colar y van perdese tolos cambeos. - Deactivate volume group named %1. - Desactivación del grupu de volúmenes col nome %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Va desactivase'l grupu de volúmenes col nome <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ L'instalador va colar y van perdese tolos cambeos. DeletePartitionJob - Delete partition %1. - Desaniciu de la partición %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Va desaniciase la partición <strong>%1</strong>. - - - - Deleting partition %1. - Desaniciando la partición %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ L'instalador va colar y van perdese tolos cambeos. Please enter the same passphrase in both boxes. + @tooltip Introduz la mesma fras de pasu en dambes caxes, por favor. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ L'instalador va colar y van perdese tolos cambeos. Set partition information + @title Afitamientu de la información de les particiones Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Va instalase %1 na partición %2 <strong>nueva</strong> del sistema. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Va instalase %2 na partición %3 del sistema de <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Va instalase'l xestor d'arrinque en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configurando los puntos de montaxe. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ L'instalador va colar y van perdese tolos cambeos. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatiando la partición %1 col sistema de ficheros %2. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ L'instalador va colar y van perdese tolos cambeos. MachineIdJob - + Generate machine-id. Xeneración de machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + El camín <pre>%1</pre> ha ser absolutu. + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2795,11 +2875,6 @@ L'instalador va colar y van perdese tolos cambeos. Unknown error Desconozse'l fallu - - - Password is empty - La contraseña ta balera - PackageChooserPage @@ -2856,7 +2931,8 @@ L'instalador va colar y van perdese tolos cambeos. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2962,31 +3038,37 @@ L'instalador va colar y van perdese tolos cambeos. Home + @label Aniciu Boot + @label Arrinque EFI system + @label Sistema EFI Swap + @label Intercambéu New partition for %1 + @label Partición nueva pa %1 New partition + @label Partición nueva @@ -3002,37 +3084,44 @@ L'instalador va colar y van perdese tolos cambeos. Free Space + @title Espaciu llibre - New partition - Partición nueva + New Partition + @title + Name + @title Nome File System + @title Sistema de ficheros File System Label + @title Mount Point + @title Puntu de montaxe Size + @title Tamañu @@ -3111,16 +3200,6 @@ L'instalador va colar y van perdese tolos cambeos. PartitionViewStep - - - Gathering system information... - Recoyendo la información del sistema... - - - - Partitions - Particiones - Unsafe partition actions are enabled. @@ -3136,16 +3215,6 @@ L'instalador va colar y van perdese tolos cambeos. No partitions will be changed. - - - Current: - Anguaño: - - - - After: - Dempués: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3197,6 +3266,30 @@ L'instalador va colar y van perdese tolos cambeos. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + + + + Current: + @label + Anguaño: + + + + After: + @label + Dempués: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3242,8 +3335,9 @@ L'instalador va colar y van perdese tolos cambeos. PlasmaLnfJob - Plasma Look-and-Feel Job - Trabayu Look-and-Feel de Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3270,6 +3364,7 @@ L'instalador va colar y van perdese tolos cambeos. Look-and-Feel + @label Aspeutu @@ -3277,8 +3372,9 @@ L'instalador va colar y van perdese tolos cambeos. PreserveFiles - Saving files for later ... - Guardando ficheros pa dempués... + Saving files for later… + @status + @@ -3374,26 +3470,12 @@ Salida: Por defeutu - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - El camín <pre>%1</pre> ha ser absolutu. - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3412,11 +3494,6 @@ Salida: (no mount point) - - - Unpartitioned space or unknown partition table - L'espaciu nun ta particionáu o nun se conoz la tabla de particiones - unknown @@ -3441,6 +3518,12 @@ Salida: @partition info intercambéu + + + Unpartitioned space or unknown partition table + @info + L'espaciu nun ta particionáu o nun se conoz la tabla de particiones + Recommended @@ -3456,7 +3539,8 @@ Salida: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3465,13 +3549,15 @@ Salida: - Remove Volume Group named %1. - Desaniciu del grupu de volúmenes %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Va desaniciase'l grupu de volúmenes col nome <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3585,22 +3671,25 @@ Salida: ResizePartitionJob - - Resize partition %1. - Redimensión de la partición %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. L'instalador falló al redimensionar la partición %1 nel discu «%2». @@ -3610,6 +3699,7 @@ Salida: Resize Volume Group + @title Redimensionar el grupu @@ -3617,17 +3707,24 @@ Salida: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Redimensionáu del grupu de volúmenes col nome %1 de %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Va redimensionase'l grupu de volúmenes col nome <strong>%1</strong> de <strong>%2</strong> a <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. L'instalador falló al redimensionar un grupu de volúmenes col nome «%1». @@ -3644,13 +3741,15 @@ Salida: ScanningDialog - Scanning storage devices... - Escaniando preseos d'almacenamientu... + Scanning storage devices… + @status + - Partitioning - Particionáu + Partitioning… + @status + @@ -3667,8 +3766,9 @@ Salida: - Setting hostname %1. - Afitando'l nome d'agospiu %1. + Setting hostname %1… + @status + @@ -3732,81 +3832,96 @@ Salida: SetPartFlagsJob - Set flags on partition %1. - Afitamientu de banderes na partición %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Afitamientu de banderes na partición nueva. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Van llimpiase les banderes de la partición <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Llimpieza de les banderes de la partición nueva. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Va afitase la bandera <strong>%2</strong> na partición <strong>%1</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Va afitase la bandera <strong>%1</strong> na partición nueva. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Llimpiando les banderes de la partición <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Llimpiando les banderes de la partición nueva. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Afitando les banderes <strong>%2</strong> na partición <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Afitando les banderes <strong>%1</strong> na partición nueva. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. L'instalador falló al afitar les banderes na partición %1. @@ -3820,32 +3935,33 @@ Salida: - Setting password for user %1. - Afitando la contraseña del usuariu %1. + Setting password for user %1… + @status + - + Bad destination system path. El camín del sistema de destín ye incorreutu. - + rootMountPoint is %1 rootMountPoint ye %1 - + Cannot disable root account. Nun pue desactivase la cuenta root. - + Cannot set password for user %1. Nun pue afitase la contraseña del usuariu %1. - - + + usermod terminated with error code %1. usermod terminó col códigu de fallu %1. @@ -3894,7 +4010,8 @@ Salida: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3913,7 +4030,8 @@ Salida: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3931,8 +4049,9 @@ Salida: ShellProcessJob - Shell Processes Job - Trabayu de procesos de la shell + Running shell processes… + @status + @@ -3981,8 +4100,9 @@ Salida: - Sending installation feedback. - Unviando'l siguimientu de la instalación. + Sending installation feedback… + @status + @@ -4004,7 +4124,8 @@ Salida: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4033,8 +4154,9 @@ Salida: - Configuring machine feedback. - Configurando'l siguimientu de la máquina. + Configuring machine feedback… + @status + @@ -4096,6 +4218,7 @@ Salida: Feedback + @title Siguimientu @@ -4103,8 +4226,9 @@ Salida: UmountJob - Unmount file systems. - Desmontaxe de sistemes de ficheros. + Unmounting file systems… + @status + @@ -4262,11 +4386,6 @@ Salida: &Release notes Notes de &llanzamientu - - - %1 support - Sofitu de %1 - About %1 Setup @@ -4279,12 +4398,19 @@ Salida: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Acoyida @@ -4293,6 +4419,7 @@ Salida: Welcome + @title Acoyida @@ -4300,7 +4427,8 @@ Salida: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4716,21 +4844,11 @@ Salida: What is your name? ¿Cómo te llames? - - - Your Full Name - - What name do you want to use to log in? ¿Qué nome quies usar p'aniciar sesión? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4751,11 +4869,6 @@ Salida: What is the name of this computer? ¿Cómo va llamase esti ordenador? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4777,13 +4890,18 @@ Salida: Contraseña - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4801,11 +4919,31 @@ Salida: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4821,16 +4959,6 @@ Salida: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4849,21 +4977,11 @@ Salida: What is your name? ¿Cómo te llames? - - - Your Full Name - - What name do you want to use to log in? ¿Qué nome quies usar p'aniciar sesión? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4884,9 +5002,19 @@ Salida: What is the name of this computer? ¿Cómo va llamase esti ordenador? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4916,7 +5044,17 @@ Salida: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4939,16 +5077,6 @@ Salida: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4985,13 +5113,13 @@ Salida: - Known issues - Problemes conocíos + Known Issues + - Release notes - Notes del llanzamientu + Release Notes + @@ -5014,13 +5142,13 @@ Salida: - Known issues - Problemes conocíos + Known Issues + - Release notes - Notes del llanzamientu + Release Notes + diff --git a/lang/calamares_az.ts b/lang/calamares_az.ts index 352aa44ddb..260cbdbbef 100644 --- a/lang/calamares_az.ts +++ b/lang/calamares_az.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Avtomatik qoşulma ayarlarını idarə edin + Managing auto-mount settings… + @status + Avtomatik qoşulma ayarlarınln idarə edilməsi... @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 əsas önyükləyicinin qeydə alınması Boot Partition + @info Önyükləyici bölməsi System Partition + @info Sistem bölməsi Do not install a boot loader + @label Heç bir önyükləyici quraşdırma @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Ayarlayın - + Install @label Quraşdırmaq @@ -633,18 +638,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.ChangeFilesystemLabelJob - Set filesystem label on %1. - Fayl sistemi yarlığını %1 üzərində qurun. + Set filesystem label on %1 + @title + %1 üzərindəki fayl sistemi etiketini təyin edin - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - <strong>%1</strong> fayl sistemi yarlığını <strong>%2</strong> bölməsinə qurun. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + <strong>%1</strong> fayl sistemi etiketini <strong>%2</strong> bölməsinə təyin edin - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + <strong>%1</strong> fayl sistemi etiketini <strong>%2</strong>bölməsinə ayarlayın... + + + + The installer failed to update partition table on disk '%1'. + @info Quraşdırıcının '%1' diskindəki bölməni yeniləməsi baş tutmadı. @@ -658,9 +672,20 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> + Select storage de&vice: + @label Yaddaş ci&hazını seçmək: @@ -669,56 +694,49 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Current: + @label Cari: After: + @label Sonra: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. - - Reuse %1 as home partition for %2. - %1 Ev bölməsi olaraq %2 üçün istifadə edilsin. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> + Reuse %1 as home partition for %2 + @label + %2 üçün ev bölməsi kimi %1 təkrar istifadə edin. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 %2MB-a qədər azalacaq və %4 üçün yeni bölmə %3MB disk bölməsi yaradılacaq. - - - Boot loader location: - Ön yükləyici (boot) yeri: - <strong>Select a partition to install on</strong> + @label <strong>Quraşdırılacaq disk bölməsini seçin</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI sistem bölməsi tapılmadı. Geriyə qayıdın və %1 bölməsini əllə yaradın. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. EFI system partition: + @label EFI sistem bölməsi: @@ -773,38 +791,51 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. This storage device has one of its partitions <strong>mounted</strong>. + @info Bu yaddaş qurğusunda bölmələrdən biri <strong>quraşdırılmışdır</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Bu yaddaş qurğusu <strong>qeyri-aktiv RAİD</strong> qurğusunun bir hissəsidir. - No Swap - Mübadilə bölməsi olmadan + No swap + @label + Mübadilə bölməsi yoxdur - Reuse Swap - Mövcud mübadilə bölməsini istifadə etmək + Reuse swap + @label + Mübadilə bölməsini yenidən istifadə edin Swap (no Hibernate) + @label Mübadilə bölməsi (yuxu rejimi olmadan) Swap (with Hibernate) + @label Mübadilə bölməsi (yuxu rejimi ilə) Swap to file + @label Mübadilə faylı + + + Bootloader location: + @label + Önyükləmə yeri: + ClearMountsJob @@ -836,12 +867,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Clear mounts for partitioning operations on %1 + @title %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək - Clearing mounts for partitioning operations on %1. - %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silinir. + Clearing mounts for partitioning operations on %1… + @status + %1 üzərində bölmələr yartma əməliyyatları üçün bağlantılar təmizlənir. {1...?} @@ -853,13 +886,10 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.ClearTempMountsJob - Clear all temporary mounts. - Bütün müvəqqəti qoşulma nöqtələrini ləğv etmək. - - - Clearing all temporary mounts. - Bütün müvəqqəti qoşulma nöqtələri ləğv edilir. + Clearing all temporary mounts… + @status + Bütün müvəqqəti bağlantılar təmizlənir... @@ -1008,42 +1038,43 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.OLDU! - + Package Selection Paket seçimi - + Please pick a product from the list. The selected product will be installed. Lütfən məhsulu siyahıdan seçin. Seçilmiş məhsul quraşdırılacaqdır. - + Packages Paketlər - + Install option: <strong>%1</strong> Quraşdırma seçimi: <strong>%1</strong> - + None Heç biri - + Summary + @label Nəticə - + This is an overview of what will happen once you start the setup procedure. Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. - + This is an overview of what will happen once you start the install procedure. Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. @@ -1115,15 +1146,15 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - The system language will be set to %1 + The system language will be set to %1. @info - Sistem dili %1. təyin ediləcək. {1?} + Sistem dili %1 təyin ediləcək. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Yerli say və tarix formatı %1 təyin ediləcək. {1?} + Yerli say və tarix formatı %1 təyin olunacaq. @@ -1200,31 +1231,37 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. En&crypt + @action &Şifrələmək Logical + @label Məntiqi Primary + @label Əsas GPT + @label GPT Mountpoint already in use. Please select another one. + @info Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. Mountpoint must start with a <tt>/</tt>. + @info Qoşulma nöqtəsi <tt>/</tt> ilə başlamalıdır. @@ -1232,43 +1269,51 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Yeni %1MiB bölməsini %3 (%2) üzərində %4 girişləri ilə yaradın. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + %1MB yeni bölməni %3 üzərində (%2) %4 girişləri ilə yaradın. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Yeni %1MiB bölməsini %3 (%2) üzərində yaradın. + Create new %1MiB partition on %3 (%2) + @title + %3 (%2) üzərində yeno %1MB-lıq bölmə yaradın - Create new %2MiB partition on %4 (%3) with file system %1. - %1 fayl sistemi ilə %4 (%3)-də yeni %2MB bölmə yaratmaq. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + %1 fayl sistemi ilə %4 (%3) üzərində %2MB-lıq bölmə yaradın - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Yeni <strong>%1MiB</strong> bölməsini <strong>%3</strong> (%2) üzərində <em>%4</em> girişlərində yaradın. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + <strong>%3</strong> (%2) üzərində <em>%4</em> girişləri ilə yeni <strong>%1MB</strong> bölmə yaradın - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Yeni <strong>%1MiB</strong> bölməsini <strong>%3</strong> (%2) üzərində yaradın. + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%1</strong> fayl sistemi ilə <strong>%4</strong> (%3)-də yeni <strong>%2MB</strong> bölmə yaratmaq. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2-də yeni %1 bölmə yaratmaq. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Quraşdırıcı '%1' diskində bölmə yarada bilmədi. @@ -1304,18 +1349,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreatePartitionTableJob - Create new %1 partition table on %2. - %2-də yeni %1 bölmələr cədvəli yaratmaq. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3)`də yeni <strong>%1</strong> bölmələr cədvəli yaratmaq. - - - - Creating new %1 partition table on %2. - %2-də yeni %1 bölməsi yaratmaq. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Create user <strong>%1</strong>. - <strong>%1</strong> istifadəçi hesabı yaratmaq. - - - - Preserving home directory - Ev qovluğunun saxlanılması + Create user <strong>%1</strong> + - Creating user %1 - İsitfadəçi %1 yaradılır + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status %1 istifadəçisinin tənzimlənməsi - Setting file permissions - Fayl icazələrinin quruaşdırılması + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Create Volume Group + @title Tutumlar qrupu yaratmaq @@ -1369,18 +1417,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreateVolumeGroupJob - Create new volume group named %1. - %1 adlı yeni tutumlar qrupu yaratmaq. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> adlı yeni tutumlar qrupu yaratmaq. - - - - Creating new volume group named %1. - %1 adlı yeni tutumlar qrupu yaradılır. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Deactivate volume group named %1. - %1 adlı tutumlar qrupu qeyri-aktiv edildi. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> adlı tutumlar qrupunu qeyri-aktiv etmək. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.DeletePartitionJob - Delete partition %1. - %1 bölməsini silmək. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> bölməsini silmək. - - - - Deleting partition %1. - %1 bölməsinin silinməsi. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,12 +1653,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Please enter the same passphrase in both boxes. + @tooltip Lütfən, hər iki sahəyə eyni şifrəni daxil edin. - Password must be a minimum of %1 characters - Şifrə ən az %1 işarədən ibarət olmalıdır + Password must be a minimum of %1 characters. + @tooltip + @@ -1633,57 +1681,68 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Set partition information + @title Bölmə məlumatlarını ayarlamaq Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <strong>Yeni</strong> %2 sistem bölməsində <em>%3</em> xüsusiyyətləri ilə %1 quraşdırın - - Install %1 on <strong>new</strong> %2 system partition. - %2 <strong>yeni</strong> sistem diskinə %1 quraşdırmaq. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>Yeni</strong> %2 bölməsini <strong>%1</strong> qoşulma nöqtəsi və <em>%3</em> xüsusiyyətləri ilə qurun. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>yeni</strong> %2 bölməsini <strong>%1</strong>%3 qoşulma nöqtəsi ilə qurun. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - %3 <strong>%1</strong> sistem bölməsində <em>%4</em> xüsusiyyətləri ilə %2 quraşdırın. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - <strong>%1</strong> %3 bölməsini <strong>%2</strong> qoşulma nöqtəsi və <em>%4</em> xüsusiyyətləri ilə qurun. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - %3 bölməsinə <strong>%1</strong> ilə <strong>%2</strong>%4 qoşulma nöqtəsi ayarlamaq. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - %3 <strong>%1</strong> sistem bölməsində %2 quraşdırın. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Ön yükləyicini <strong>%1</strong> üzərində quraşdırın. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Qoşulma nöqtəsini ayarlamaq. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 üzərində %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MB</strong> bölməsini <strong>%2</strong> fayl sistemi ilə <strong>%1</strong> formatlamaq. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 bölməsini %2 fayl sistemi ilə formatlamaq. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. MachineIdJob - + Generate machine-id. Komputerin İD-ni yaratmaq. - + Configuration Error Tənzimləmə xətası - + No root mount point is set for MachineId. Komputer İD-si üçün kök qoşulma nöqtəsi təyin edilməyib. + + + + + + File not found + Fayl tapılmadı + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> yolu mütləq bir yol olmalıdır. + + + + Could not create new random file <pre>%1</pre>. + Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. + Map @@ -2803,11 +2883,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Unknown error Naməlum xəta - - - Password is empty - Şifrə böşdur - PackageChooserPage @@ -2864,8 +2939,9 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Keyboard switch: - Klaviatura dəyişimi: + Switch Keyboard: + shortcut for switching between keyboard layouts + Klaviaturanı dəyişin: @@ -2970,31 +3046,37 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Home + @label Home Boot + @label Boot EFI system + @label EFI sistemi Swap + @label Swap - Mübadilə New partition for %1 + @label %1 üçün yeni bölmə New partition + @label Yeni bölmə @@ -3010,37 +3092,44 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Free Space + @title Boş disk sahəsi - New partition - Yeni bölmə + New Partition + @title + Name + @title Adı File System + @title Fayl sistemi File System Label + @title Fayl sistemi yarlığı Mount Point + @title Qoşulma nöqtəsi Size + @title Ölçüsü @@ -3120,16 +3209,6 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PartitionViewStep - - - Gathering system information... - Sistem məlumatları toplanır ... - - - - Partitions - Bölmələr - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril No partitions will be changed. Dəyişiklik ediləcək heç bir bölmə yoxdur. - - - Current: - Cari: - - - - After: - Sonra: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril The filesystem must have flag <strong>%1</strong> set. Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. + + + Gathering system information… + @status + + + + + Partitions + @label + Bölmələr + + + + Current: + @label + Cari: + + + + After: + @label + Sonra: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,8 +3344,9 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Xarici Görünüş Mövzusu İşləri + Applying Plasma Look-and-Feel… + @status + @@ -3279,6 +3373,7 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Look-and-Feel + @label Xarici Görünüş @@ -3286,8 +3381,9 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PreserveFiles - Saving files for later ... - Fayllar daha sonra saxlanılır... + Saving files for later… + @status + @@ -3383,26 +3479,12 @@ Output: Standart - - - - - File not found - Fayl tapılmadı - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> yolu mütləq bir yol olmalıdır. - - - + Directory not found Qovluq tapılmadı - - + Could not create new random file <pre>%1</pre>. Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. @@ -3421,11 +3503,6 @@ Output: (no mount point) (qoşulma nöqtəsi yoxdur) - - - Unpartitioned space or unknown partition table - Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli - unknown @@ -3450,6 +3527,12 @@ Output: @partition info mübadilə + + + Unpartitioned space or unknown partition table + @info + Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli + Recommended @@ -3465,8 +3548,9 @@ Output: RemoveUserJob - Remove live user from target system - Canlı istifadəçini hədəf sistemindən silmək + Removing live user from the target system… + @status + @@ -3474,13 +3558,15 @@ Output: - Remove Volume Group named %1. - %1 adlı Tutum Qrupunu silmək. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> adlı Tutum Qrupunu silmək. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3594,22 +3680,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 bölməsinin ölçüsünü dəyişmək. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MB</strong> <strong>%1</strong> bölməsinin ölçüsünü <strong>%3MB</strong>-a dəyişmək. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2 MB %1 bölməsinin ölçüsünü %3MB-a dəyişmək. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Quraşdırıcı %1 bölməsinin ölçüsünü "%2" diskində dəyişə bilmədi. @@ -3619,6 +3708,7 @@ Output: Resize Volume Group + @title Tutum qrupunun ölçüsünü dəyişmək @@ -3626,17 +3716,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 adlı tutum qrupunun ölçüsünü %2-dən %3-ə dəyişmək. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> adlı tutum qrupunun ölçüsünü <strong>%2</strong>-dən strong>%3</strong>-ə dəyişmək. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Quraşdırıcı "%1" adlı tutum qrupunun ölçüsünü dəyişə bilmədi. @@ -3653,13 +3750,15 @@ Output: ScanningDialog - Scanning storage devices... - Yaddaş qurğusu axtarılır... + Scanning storage devices… + @status + - Partitioning - Bölüşdürmə + Partitioning… + @status + @@ -3676,8 +3775,9 @@ Output: - Setting hostname %1. - %1 host adının ayarlanması. + Setting hostname %1… + @status + @@ -3741,81 +3841,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 bölməsində bayraqlar qoymaq. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1 MB %2 bölməsində bayraqlar qoymaq. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Yeni bölmədə bayraq qoymaq. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> bölməsindəki bayraqları ləğv etmək. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MB <strong>%2</strong> bölməsindəki bayraqları ləğv etmək. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Yeni bölmədəki bayraqları ləğv etmək. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> bölməsini <strong>%2</strong> kimi bayraqlamaq. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MB <strong>%2</strong> bölməsini <strong>%3</strong> kimi bayraqlamaq. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Yeni bölməni <strong>%1</strong> kimi bayraqlamaq. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - <strong>%1</strong> bölməsindəki bayraqları ləöv etmək. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MB <strong>%2</strong> bölməsindəki bayraqların ləğv edilməsi. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Yeni bölmədəki bayraqların ləğv edilməsi. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%2</strong> bayraqlarının <strong>%1</strong> bölməsində ayarlanması. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - <strong>%3</strong> bayraqlarının %1MB <strong>%2</strong> bölməsində ayarlanması. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - <strong>%1</strong> bayraqlarının yeni bölmədə ayarlanması. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Quraşdırıcı %1 bölməsinə bayraqlar qoya bilmədi. @@ -3829,32 +3944,33 @@ Output: - Setting password for user %1. - %1 istifadəçisi üçün şifrə ayarlamaq. + Setting password for user %1… + @status + - + Bad destination system path. Səhv sistem yolu təyinatı. - + rootMountPoint is %1 rootMountPoint %1-dir - + Cannot disable root account. Kök hesabını qeyri-aktiv etmək olmur. - + Cannot set password for user %1. %1 istifadəçisi üçün şifrə yaradıla bilmədi. - - + + usermod terminated with error code %1. usermod %1 xəta kodu ilə sonlandı. @@ -3903,8 +4019,9 @@ Output: SetupGroupsJob - Preparing groups. - Qruplar hazırlanır. + Preparing groups… + @status + @@ -3922,8 +4039,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> istifadəçilərinin tənzimlənməsi. + Configuring <pre>sudo</pre> users… + @status + @@ -3940,8 +4058,9 @@ Output: ShellProcessJob - Shell Processes Job - Shell prosesləri ilə iş + Running shell processes… + @status + @@ -3990,8 +4109,9 @@ Output: - Sending installation feedback. - Quraşdırılma hesabatının göndərməsi. + Sending installation feedback… + @status + @@ -4013,8 +4133,9 @@ Output: - Configuring KDE user feedback. - KDE istifadəçi hesabatının tənzimlənməsi. + Configuring KDE user feedback… + @status + @@ -4042,8 +4163,9 @@ Output: - Configuring machine feedback. - kompyuter hesabatının tənzimlənməsi. + Configuring machine feedback… + @status + @@ -4105,6 +4227,7 @@ Output: Feedback + @title Hesabat @@ -4112,8 +4235,9 @@ Output: UmountJob - Unmount file systems. - Fayl sistemini ayırmaq. + Unmounting file systems… + @status + @@ -4271,11 +4395,6 @@ Output: &Release notes Bu&raxılış haqqında qeydlər - - - %1 support - %1 dəstəyi - About %1 Setup @@ -4288,12 +4407,19 @@ Output: @title %1 quraşdırıcısı haqqında + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Xoş Gəldiniz @@ -4302,6 +4428,7 @@ Output: Welcome + @title Xoş Gəldiniz @@ -4309,8 +4436,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS mənbələri - zpool və verilənlər dəsti yaratmaq + Creating ZFS pools and datasets… + @status + @@ -4757,21 +4885,11 @@ Output: What is your name? Adınız nədir? - - - Your Full Name - Tam adınız - What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? - - - Login Name - Giriş Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4792,11 +4910,6 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? - - - Computer Name - Kompyuterin adı - This name will be used if you make the computer visible to others on a network. @@ -4817,16 +4930,21 @@ Output: Password Şifrə - - - Repeat Password - Şifrənin təkararı - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. Güclü şifrə üçün rəqəm, hərf və durğu işarələrinin qarışıöğından istifadə edin. Şifrə ən azı səkkiz simvoldan uzun olmalı və müntəzəm olaraq dəyişdirilməlidir. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4842,11 +4960,31 @@ Output: Log in automatically without asking for the password Şifrə soruşmadan sistemə daxil olmaq + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. + + + Repeat password + + Reuse user password as root password @@ -4862,16 +5000,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. - - - Root Password - Kök Şifrəsi - - - - Repeat Root Password - Kök Şifrəsini təkrar yazın - Enter the same password twice, so that it can be checked for typing errors. @@ -4890,21 +5018,11 @@ Output: What is your name? Adınız nədir? - - - Your Full Name - Tam adınız - What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? - - - Login Name - Giriş Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4925,10 +5043,20 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? + + + Your full name + + + + + Login name + + - Computer Name - Kompyuterin adı + Computer name + @@ -4957,8 +5085,18 @@ Output: - Repeat Password - Şifrənin təkararı + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4980,16 +5118,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. - - - Root Password - Kök Şifrəsi - - - - Repeat Root Password - Kök Şifrəsini təkrar yazın - Enter the same password twice, so that it can be checked for typing errors. @@ -5027,13 +5155,13 @@ Output: - Known issues - Məlum problemlər + Known Issues + - Release notes - Buraxılış qeydləri + Release Notes + @@ -5057,13 +5185,13 @@ Output: - Known issues - Məlum problemlər + Known Issues + - Release notes - Buraxılış qeydləri + Release Notes + diff --git a/lang/calamares_az_AZ.ts b/lang/calamares_az_AZ.ts index 4f9a68120c..0733b91650 100644 --- a/lang/calamares_az_AZ.ts +++ b/lang/calamares_az_AZ.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Avtomatik qoşulma ayarlarını idarə edin + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 əsas önyükləyicinin qeydə alınması Boot Partition + @info Önyükləyici bölməsi System Partition + @info Sistem bölməsi Do not install a boot loader + @label Heç bir önyükləyici quraşdırma @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Quraşdırmaq @@ -633,18 +638,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.ChangeFilesystemLabelJob - Set filesystem label on %1. - Fayl sistemi yarlığını %1 üzərində qurun. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - <strong>%1</strong> fayl sistemi yarlığını <strong>%2</strong> bölməsinə qurun. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Quraşdırıcının '%1' diskindəki bölməni yeniləməsi baş tutmadı. @@ -658,9 +672,20 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> + Select storage de&vice: + @label Yaddaş ci&hazını seçmək: @@ -669,56 +694,49 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Current: + @label Cari: After: + @label Sonra: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. - - Reuse %1 as home partition for %2. - %1 Ev bölməsi olaraq %2 üçün istifadə edilsin. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 %2MB-a qədər azalacaq və %4 üçün yeni bölmə %3MB disk bölməsi yaradılacaq. - - - Boot loader location: - Ön yükləyici (boot) yeri: - <strong>Select a partition to install on</strong> + @label <strong>Quraşdırılacaq disk bölməsini seçin</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI sistem bölməsi tapılmadı. Geriyə qayıdın və %1 bölməsini əllə yaradın. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. EFI system partition: + @label EFI sistem bölməsi: @@ -773,38 +791,51 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. This storage device has one of its partitions <strong>mounted</strong>. + @info Bu yaddaş qurğusunda bölmələrdən biri <strong>quraşdırılmışdır</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Bu yaddaş qurğusu <strong>qeyri-aktiv RAİD</strong> qurğusunun bir hissəsidir. - No Swap - Mübadilə bölməsi olmadan + No swap + @label + - Reuse Swap - Mövcud mübadilə bölməsini istifadə etmək + Reuse swap + @label + Swap (no Hibernate) + @label Mübadilə bölməsi (yuxu rejimi olmadan) Swap (with Hibernate) + @label Mübadilə bölməsi (yuxu rejimi ilə) Swap to file + @label Mübadilə faylı + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Clear mounts for partitioning operations on %1 + @title %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək - Clearing mounts for partitioning operations on %1. - %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silinir. + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.ClearTempMountsJob - Clear all temporary mounts. - Bütün müvəqqəti qoşulma nöqtələrini ləğv etmək. - - - Clearing all temporary mounts. - Bütün müvəqqəti qoşulma nöqtələri ləğv edilir. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.OLDU! - + Package Selection Paket seçimi - + Please pick a product from the list. The selected product will be installed. Lütfən məhsulu siyahıdan seçin. Seçilmiş məhsul quraşdırılacaqdır. - + Packages Paketlər - + Install option: <strong>%1</strong> Quraşdırma seçimi: <strong>%1</strong> - + None Heç biri - + Summary + @label Nəticə - + This is an overview of what will happen once you start the setup procedure. Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. - + This is an overview of what will happen once you start the install procedure. Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. @@ -1115,15 +1146,15 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - The system language will be set to %1 + The system language will be set to %1. @info - + Sistem dili %1 təyin ediləcək. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Yerli say və tarix formatı %1 təyin olunacaq. @@ -1200,31 +1231,37 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. En&crypt + @action &Şifrələmək Logical + @label Məntiqi Primary + @label Əsas GPT + @label GPT Mountpoint already in use. Please select another one. + @info Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. Mountpoint must start with a <tt>/</tt>. + @info Qoşulma nöqtəsi <tt>/</tt> ilə başlamalıdır. @@ -1232,43 +1269,51 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Yeni %1MiB bölməsini %3 (%2) üzərində %4 girişləri ilə yaradın. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Yeni %1MiB bölməsini %3 (%2) üzərində yaradın. + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - %1 fayl sistemi ilə %4 (%3)-də yeni %2MB bölmə yaratmaq. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Yeni <strong>%1MiB</strong> bölməsini <strong>%3</strong> (%2) üzərində <em>%4</em> girişlərində yaradın. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Yeni <strong>%1MiB</strong> bölməsini <strong>%3</strong> (%2) üzərində yaradın. + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%1</strong> fayl sistemi ilə <strong>%4</strong> (%3)-də yeni <strong>%2MB</strong> bölmə yaratmaq. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2-də yeni %1 bölmə yaratmaq. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Quraşdırıcı '%1' diskində bölmə yarada bilmədi. @@ -1304,18 +1349,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreatePartitionTableJob - Create new %1 partition table on %2. - %2-də yeni %1 bölmələr cədvəli yaratmaq. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3)`də yeni <strong>%1</strong> bölmələr cədvəli yaratmaq. - - - - Creating new %1 partition table on %2. - %2-də yeni %1 bölməsi yaratmaq. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Create user <strong>%1</strong>. - <strong>%1</strong> istifadəçi hesabı yaratmaq. - - - - Preserving home directory - Ev qovluğunun saxlanılması + Create user <strong>%1</strong> + - Creating user %1 - İsitfadəçi %1 yaradılır + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status %1 istifadəçisinin tənzimlənməsi - Setting file permissions - Fayl icazələrinin quruaşdırılması + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Create Volume Group + @title Tutumlar qrupu yaratmaq @@ -1369,18 +1417,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.CreateVolumeGroupJob - Create new volume group named %1. - %1 adlı yeni tutumlar qrupu yaratmaq. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> adlı yeni tutumlar qrupu yaratmaq. - - - - Creating new volume group named %1. - %1 adlı yeni tutumlar qrupu yaradılır. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Deactivate volume group named %1. - %1 adlı tutumlar qrupu qeyri-aktiv edildi. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> adlı tutumlar qrupunu qeyri-aktiv etmək. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.DeletePartitionJob - Delete partition %1. - %1 bölməsini silmək. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> bölməsini silmək. - - - - Deleting partition %1. - %1 bölməsinin silinməsi. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,12 +1653,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Please enter the same passphrase in both boxes. + @tooltip Lütfən, hər iki sahəyə eyni şifrəni daxil edin. - Password must be a minimum of %1 characters - Şifrə ən az %1 işarədən ibarət olmalıdır + Password must be a minimum of %1 characters. + @tooltip + @@ -1633,57 +1681,68 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Set partition information + @title Bölmə məlumatlarını ayarlamaq Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <strong>Yeni</strong> %2 sistem bölməsində <em>%3</em> xüsusiyyətləri ilə %1 quraşdırın - - Install %1 on <strong>new</strong> %2 system partition. - %2 <strong>yeni</strong> sistem diskinə %1 quraşdırmaq. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>Yeni</strong> %2 bölməsini <strong>%1</strong> qoşulma nöqtəsi və <em>%3</em> xüsusiyyətləri ilə qurun. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>yeni</strong> %2 bölməsini <strong>%1</strong>%3 qoşulma nöqtəsi ilə qurun. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - %3 <strong>%1</strong> sistem bölməsində <em>%4</em> xüsusiyyətləri ilə %2 quraşdırın. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - <strong>%1</strong> %3 bölməsini <strong>%2</strong> qoşulma nöqtəsi və <em>%4</em> xüsusiyyətləri ilə qurun. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - %3 bölməsinə <strong>%1</strong> ilə <strong>%2</strong>%4 qoşulma nöqtəsi ayarlamaq. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - %3 <strong>%1</strong> sistem bölməsində %2 quraşdırın. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Ön yükləyicini <strong>%1</strong> üzərində quraşdırın. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Qoşulma nöqtəsini ayarlamaq. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 üzərində %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MB</strong> bölməsini <strong>%2</strong> fayl sistemi ilə <strong>%1</strong> formatlamaq. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 bölməsini %2 fayl sistemi ilə formatlamaq. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. MachineIdJob - + Generate machine-id. Komputerin İD-ni yaratmaq. - + Configuration Error Tənzimləmə xətası - + No root mount point is set for MachineId. Komputer İD-si üçün kök qoşulma nöqtəsi təyin edilməyib. + + + + + + File not found + Fayl tapılmadı + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> yolu mütləq bir yol olmalıdır. + + + + Could not create new random file <pre>%1</pre>. + Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. + Map @@ -2803,11 +2883,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Unknown error Naməlum xəta - - - Password is empty - Şifrə böşdur - PackageChooserPage @@ -2864,7 +2939,8 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Home + @label Home Boot + @label Boot EFI system + @label EFI sistemi Swap + @label Swap - Mübadilə New partition for %1 + @label %1 üçün yeni bölmə New partition + @label Yeni bölmə @@ -3010,37 +3092,44 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Free Space + @title Boş disk sahəsi - New partition - Yeni bölmə + New Partition + @title + Name + @title Adı File System + @title Fayl sistemi File System Label + @title Fayl sistemi yarlığı Mount Point + @title Qoşulma nöqtəsi Size + @title Ölçüsü @@ -3120,16 +3209,6 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PartitionViewStep - - - Gathering system information... - Sistem məlumatları toplanır ... - - - - Partitions - Bölmələr - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril No partitions will be changed. Dəyişiklik ediləcək heç bir bölmə yoxdur. - - - Current: - Cari: - - - - After: - Sonra: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril The filesystem must have flag <strong>%1</strong> set. Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. + + + Gathering system information… + @status + + + + + Partitions + @label + Bölmələr + + + + Current: + @label + Cari: + + + + After: + @label + Sonra: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,8 +3344,9 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Xarici Görünüş Mövzusu İşləri + Applying Plasma Look-and-Feel… + @status + @@ -3279,6 +3373,7 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Look-and-Feel + @label Xarici Görünüş @@ -3286,8 +3381,9 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PreserveFiles - Saving files for later ... - Fayllar daha sonra saxlanılır... + Saving files for later… + @status + @@ -3383,26 +3479,12 @@ Output: Standart - - - - - File not found - Fayl tapılmadı - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> yolu mütləq bir yol olmalıdır. - - - + Directory not found Qovluq tapılmadı - - + Could not create new random file <pre>%1</pre>. Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. @@ -3421,11 +3503,6 @@ Output: (no mount point) (qoşulma nöqtəsi yoxdur) - - - Unpartitioned space or unknown partition table - Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli - unknown @@ -3450,6 +3527,12 @@ Output: @partition info mübadilə + + + Unpartitioned space or unknown partition table + @info + Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli + Recommended @@ -3465,8 +3548,9 @@ Output: RemoveUserJob - Remove live user from target system - Canlı istifadəçini hədəf sistemindən silmək + Removing live user from the target system… + @status + @@ -3474,13 +3558,15 @@ Output: - Remove Volume Group named %1. - %1 adlı Tutum Qrupunu silmək. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> adlı Tutum Qrupunu silmək. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3594,22 +3680,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 bölməsinin ölçüsünü dəyişmək. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MB</strong> <strong>%1</strong> bölməsinin ölçüsünü <strong>%3MB</strong>-a dəyişmək. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2 MB %1 bölməsinin ölçüsünü %3MB-a dəyişmək. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Quraşdırıcı %1 bölməsinin ölçüsünü "%2" diskində dəyişə bilmədi. @@ -3619,6 +3708,7 @@ Output: Resize Volume Group + @title Tutum qrupunun ölçüsünü dəyişmək @@ -3626,17 +3716,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 adlı tutum qrupunun ölçüsünü %2-dən %3-ə dəyişmək. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> adlı tutum qrupunun ölçüsünü <strong>%2</strong>-dən strong>%3</strong>-ə dəyişmək. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Quraşdırıcı "%1" adlı tutum qrupunun ölçüsünü dəyişə bilmədi. @@ -3653,13 +3750,15 @@ Output: ScanningDialog - Scanning storage devices... - Yaddaş qurğusu axtarılır... + Scanning storage devices… + @status + - Partitioning - Bölüşdürmə + Partitioning… + @status + @@ -3676,8 +3775,9 @@ Output: - Setting hostname %1. - %1 host adının ayarlanması. + Setting hostname %1… + @status + @@ -3741,81 +3841,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 bölməsində bayraqlar qoymaq. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1 MB %2 bölməsində bayraqlar qoymaq. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Yeni bölmədə bayraq qoymaq. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> bölməsindəki bayraqları ləğv etmək. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MB <strong>%2</strong> bölməsindəki bayraqları ləğv etmək. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Yeni bölmədəki bayraqları ləğv etmək. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> bölməsini <strong>%2</strong> kimi bayraqlamaq. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MB <strong>%2</strong> bölməsini <strong>%3</strong> kimi bayraqlamaq. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Yeni bölməni <strong>%1</strong> kimi bayraqlamaq. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - <strong>%1</strong> bölməsindəki bayraqları ləöv etmək. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MB <strong>%2</strong> bölməsindəki bayraqların ləğv edilməsi. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Yeni bölmədəki bayraqların ləğv edilməsi. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%2</strong> bayraqlarının <strong>%1</strong> bölməsində ayarlanması. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - <strong>%3</strong> bayraqlarının %1MB <strong>%2</strong> bölməsində ayarlanması. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - <strong>%1</strong> bayraqlarının yeni bölmədə ayarlanması. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Quraşdırıcı %1 bölməsinə bayraqlar qoya bilmədi. @@ -3829,32 +3944,33 @@ Output: - Setting password for user %1. - %1 istifadəçisi üçün şifrə ayarlamaq. + Setting password for user %1… + @status + - + Bad destination system path. Səhv sistem yolu təyinatı. - + rootMountPoint is %1 rootMountPoint %1-dir - + Cannot disable root account. Kök hesabını qeyri-aktiv etmək olmur. - + Cannot set password for user %1. %1 istifadəçisi üçün şifrə yaradıla bilmədi. - - + + usermod terminated with error code %1. usermod %1 xəta kodu ilə sonlandı. @@ -3903,8 +4019,9 @@ Output: SetupGroupsJob - Preparing groups. - Qruplar hazırlanır. + Preparing groups… + @status + @@ -3922,8 +4039,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> istifadəçilərinin tənzimlənməsi. + Configuring <pre>sudo</pre> users… + @status + @@ -3940,8 +4058,9 @@ Output: ShellProcessJob - Shell Processes Job - Shell prosesləri ilə iş + Running shell processes… + @status + @@ -3990,8 +4109,9 @@ Output: - Sending installation feedback. - Quraşdırılma hesabatının göndərməsi. + Sending installation feedback… + @status + @@ -4013,8 +4133,9 @@ Output: - Configuring KDE user feedback. - KDE istifadəçi hesabatının tənzimlənməsi. + Configuring KDE user feedback… + @status + @@ -4042,8 +4163,9 @@ Output: - Configuring machine feedback. - kompyuter hesabatının tənzimlənməsi. + Configuring machine feedback… + @status + @@ -4105,6 +4227,7 @@ Output: Feedback + @title Hesabat @@ -4112,8 +4235,9 @@ Output: UmountJob - Unmount file systems. - Fayl sistemini ayırmaq. + Unmounting file systems… + @status + @@ -4271,11 +4395,6 @@ Output: &Release notes Bu&raxılış haqqında qeydlər - - - %1 support - %1 dəstəyi - About %1 Setup @@ -4288,12 +4407,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Xoş Gəldiniz @@ -4302,6 +4428,7 @@ Output: Welcome + @title Xoş Gəldiniz @@ -4309,8 +4436,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS mənbələri - zpool və verilənlər dəsti yaratmaq + Creating ZFS pools and datasets… + @status + @@ -4757,21 +4885,11 @@ Output: What is your name? Adınız nədir? - - - Your Full Name - Tam adınız - What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? - - - Login Name - Giriş Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4792,11 +4910,6 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? - - - Computer Name - Kompyuterin adı - This name will be used if you make the computer visible to others on a network. @@ -4817,16 +4930,21 @@ Output: Password Şifrə - - - Repeat Password - Şifrənin təkararı - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. Güclü şifrə üçün rəqəm, hərf və durğu işarələrinin qarışıöğından istifadə edin. Şifrə ən azı səkkiz simvoldan uzun olmalı və müntəzəm olaraq dəyişdirilməlidir. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4842,11 +4960,31 @@ Output: Log in automatically without asking for the password Şifrə soruşmadan sistemə daxil olmaq + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. + + + Repeat password + + Reuse user password as root password @@ -4862,16 +5000,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. - - - Root Password - Kök Şifrəsi - - - - Repeat Root Password - Kök Şifrəsini təkrar yazın - Enter the same password twice, so that it can be checked for typing errors. @@ -4890,21 +5018,11 @@ Output: What is your name? Adınız nədir? - - - Your Full Name - Tam adınız - What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? - - - Login Name - Giriş Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4925,10 +5043,20 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? + + + Your full name + + + + + Login name + + - Computer Name - Kompyuterin adı + Computer name + @@ -4957,8 +5085,18 @@ Output: - Repeat Password - Şifrənin təkararı + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4980,16 +5118,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. - - - Root Password - Kök Şifrəsi - - - - Repeat Root Password - Kök Şifrəsini təkrar yazın - Enter the same password twice, so that it can be checked for typing errors. @@ -5027,13 +5155,13 @@ Output: - Known issues - Məlum problemlər + Known Issues + - Release notes - Buraxılış qeydləri + Release Notes + @@ -5057,13 +5185,13 @@ Output: - Known issues - Məlum problemlər + Known Issues + - Release notes - Buraxılış qeydləri + Release Notes + diff --git a/lang/calamares_be.ts b/lang/calamares_be.ts index a4ae7a049c..4978997e79 100644 --- a/lang/calamares_be.ts +++ b/lang/calamares_be.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Кіраванне наладамі аўтаматычнага мантавання + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Галоўны загрузачны запіс (MBR) %1 Boot Partition + @info Загрузачны раздзел System Partition + @info Сістэмны раздзел Do not install a boot loader + @label Не ўсталёўваць загрузчык @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Усталяванне @@ -636,18 +641,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - Адмеціць файлавую сістэму на %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Прызначыць адмеціну <strong>%1</strong> раздзелу <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info У праграмы ўсталявання не ўдалося абнавіць табліцу раздзелаў на дыску '%1'. @@ -661,9 +675,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Уласнаручная разметка</strong><br/>Вы можаце самастойна ствараць раздзелы або змяняць іх памеры. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Абярыце раздзел для памяншэння і цягніце паўзунок, каб змяніць памер</strong> + Select storage de&vice: + @label Абраць &прыладу захоўвання: @@ -672,56 +697,49 @@ The installer will quit and all changes will be lost. Current: + @label Зараз: After: + @label Пасля: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Уласнаручная разметка</strong><br/>Вы можаце самастойна ствараць раздзелы або змяняць іх памеры. - - Reuse %1 as home partition for %2. - Выкарыстаць %1 як хатні раздзел для %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Абярыце раздзел для памяншэння і цягніце паўзунок, каб змяніць памер</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 будзе паменшаны да %2MiB і новы раздзел %3MiB будзе створаны для %4. - - - Boot loader location: - Размяшчэнне загрузчыка: - <strong>Select a partition to install on</strong> + @label <strong>Абярыце раздзел для ўсталявання </strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Не выяўлена сістэмнага раздзела EFI. Калі ласка, вярніцеся назад і зрабіце разметку %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Сістэмны раздзел EFI на %1 будзе выкарыстаны для запуску %2. EFI system partition: + @label Сістэмны раздзел EFI: @@ -776,38 +794,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info Адзін з раздзелаў гэтай назапашвальнай прылады<strong>прымантаваны</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Гэтая назапашвальная прылада ёсць часткай<strong>неактыўнага RAID</strong>. - No Swap - Без раздзела падпампоўвання + No swap + @label + - Reuse Swap - Выкарыстаць існы раздзел падпампоўвання + Reuse swap + @label + Swap (no Hibernate) + @label Раздзел падпампоўвання (без усыплення) Swap (with Hibernate) + @label Раздзел падпампоўвання (з усыпленнем) Swap to file + @label Раздзел падпампоўвання ў файле + + + Bootloader location: + @label + + ClearMountsJob @@ -839,12 +870,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Ачысціць пункты мантавання для выканання разметкі на %1 - Clearing mounts for partitioning operations on %1. - Ачыстка пунктаў мантавання для выканання разметкі на %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -856,13 +889,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Ачысціць усе часовыя пункты мантавання. - - - Clearing all temporary mounts. - Ачышчаюцца ўсе часовыя пункты мантавання. + Clearing all temporary mounts… + @status + @@ -1011,42 +1041,43 @@ The installer will quit and all changes will be lost. Добра! - + Package Selection Выбар пакункаў - + Please pick a product from the list. The selected product will be installed. Калі ласка, абярыце прадукт са спіса. Абраны прадукт будзе ўсталяваны. - + Packages Пакункі - + Install option: <strong>%1</strong> Параметр усталявання: <strong>%1</strong> - + None Няма - + Summary + @label Выніковыя звесткі - + This is an overview of what will happen once you start the setup procedure. Гэта агляд дзеянняў, якія здейсняцца падчас запуску працэдуры ўсталявання. - + This is an overview of what will happen once you start the install procedure. Гэта агляд дзеянняў, якія здейсняцца падчас запуску працэдуры ўсталявання. @@ -1118,15 +1149,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Мова сістэмы: %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Рэгіянальны фармат лічбаў і датаў: %1. @@ -1203,31 +1234,37 @@ The installer will quit and all changes will be lost. En&crypt + @action &Шыфраваць Logical + @label Лагічны Primary + @label Асноўны GPT + @label GPT Mountpoint already in use. Please select another one. + @info Пункт мантавання ўжо выкарыстоўваецца. Калі ласка, абярыце іншы. Mountpoint must start with a <tt>/</tt>. + @info Пункт мантавання павінен пачынацца з <tt>/</tt>. @@ -1235,43 +1272,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Стварыць новы раздзел %1МіБ на %3 (%2) з запісамі %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Стварыць новы раздзел %1МіБ на %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Стварыць новы раздзел %2MБ на %4 (%3) з файлавай сістэмай %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Стварыць новы раздзел <strong>%1МіБ</strong> на <strong>%3</strong> (%2) з запісамі <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Стварыць новы раздзел <strong>%1МіБ</strong> на <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Стварыць новы раздзел <strong>%2MiB</strong> на <strong>%4</strong> (%3) з файлавай сістэмай <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Стварэнне новага раздзела %1 на %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Праграме ўсталявання не ўдалося стварыць новы раздзел на дыску '%1'. @@ -1307,18 +1352,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Стварэнне новай табліцы раздзелаў %1 на %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Стварэнне новай табліцы раздзелаў <strong>%1</strong> на <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Стварэнне новай табліцы раздзелаў %1 на %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1335,29 +1378,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Стварыць карыстальніка <strong>%1</strong>. - - - - Preserving home directory - Захаванне хатняга каталога + Create user <strong>%1</strong> + - Creating user %1 - Стварэнне карыстальніка %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Наладжванне карыстальніка %1 - Setting file permissions - Наладжванне правоў доступу да файлаў + Setting file permissions… + @status + @@ -1365,6 +1412,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Стварыць групу тамоў @@ -1372,18 +1420,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - Стварыць новую групу тамоў на дыску %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Стварыць новую групу тамоў на дыску <strong>%1</strong>. - - - - Creating new volume group named %1. - Стварэнне новай групы тамоў на дыску %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1396,13 +1442,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - Выключыць групу тамоў на дыску %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Выключыць групу тамоў на дыску <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1414,18 +1462,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Выдаліць раздзел %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Выдаліць раздзел <strong>%1</strong>. - - - - Deleting partition %1. - Выдаленне раздзела %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1610,11 +1656,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Калі ласка, увядзіце адную і тую парольную фразу ў абодва радкі. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1636,57 +1684,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Вызначыць звесткі пра раздзел Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Усталяваць %1 на <strong>новы</strong> сістэмны раздзел %2 з функцыямі <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Усталяваць %1 на <strong>новы</strong> %2 сістэмны раздзел. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Наладзіць <strong>новы</strong> %2 раздзел з пунктам мантавання <strong>%1</strong> і функцыямі <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Наладзіць <strong>новы</strong> %2 раздзел з пунктам мантавання <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Усталяваць %2 на сістэмны раздзел %3 <strong>%1</strong> з функцыямі <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Наладзіць %3 раздзел <strong>%1</strong> з пунктам мантавання <strong>%2</strong> і функцыямі <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Наладзіць %3 раздзел <strong>%1</strong> з пунктам мантавання <strong>%2</strong>.%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Усталяваць %2 на %3 сістэмны раздзел <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Усталяваць загрузчык на <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Наладжванне пунктаў мантавання. + + Setting up mount points… + @status + @@ -1755,24 +1814,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Фарматаваць раздзел %1 (файлавая сістэма: %2, памер: %3 Mб) на %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Фарматаваць раздзел <strong>%3MiB</strong> <strong>%1</strong> у файлавую сістэму <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Фарматаванне раздзела %1 ў файлавую сістэму %2. + + Formatting partition %1 with file system %2… + @status + @@ -2265,20 +2327,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Стварэнне machine-id. - + Configuration Error Памылка канфігурацыі - + No root mount point is set for MachineId. Для MachineId не вызначана каранёвага пункта мантавання. + + + + + + File not found + Файл не знойдзены + + + + Path <pre>%1</pre> must be an absolute path. + Шлях <pre>%1</pre> мусіць быць абсалютным шляхам. + + + + Could not create new random file <pre>%1</pre>. + Не ўдалося стварыць новы выпадковы файл <pre>%1</pre>. + Map @@ -2824,11 +2904,6 @@ The installer will quit and all changes will be lost. Unknown error Невядомая памылка - - - Password is empty - Пароль пусты - PackageChooserPage @@ -2885,7 +2960,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2991,31 +3067,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Boot EFI system + @label Сістэма EFI Swap + @label Swap New partition for %1 + @label Новы раздзел для %1 New partition + @label Новы раздзел @@ -3031,37 +3113,44 @@ The installer will quit and all changes will be lost. Free Space + @title Вольная прастора - New partition - Новы раздзел + New Partition + @title + Name + @title Назва File System + @title Файлавая сістэма File System Label + @title Адмеціна файлавай сістэмы Mount Point + @title Пункт мантавання Size + @title Памер @@ -3140,16 +3229,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Збор інфармацыі пра сістэму... - - - - Partitions - Раздзелы - Unsafe partition actions are enabled. @@ -3165,16 +3244,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. Раздзелы не зменяцца. - - - Current: - Зараз: - - - - After: - Пасля: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3226,6 +3295,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. Файлавая сістэма павінна мець сцяг <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Раздзелы + + + + Current: + @label + Зараз: + + + + After: + @label + Пасля: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3271,8 +3364,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Look-and-Feel + Applying Plasma Look-and-Feel… + @status + @@ -3299,6 +3393,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Выгляд @@ -3306,8 +3401,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Захаванне файлаў на будучыню... + Saving files for later… + @status + @@ -3403,26 +3499,12 @@ Output: Прадвызначана - - - - - File not found - Файл не знойдзены - - - - Path <pre>%1</pre> must be an absolute path. - Шлях <pre>%1</pre> мусіць быць абсалютным шляхам. - - - + Directory not found Каталог не знойдзены - - + Could not create new random file <pre>%1</pre>. Не ўдалося стварыць новы выпадковы файл <pre>%1</pre>. @@ -3441,11 +3523,6 @@ Output: (no mount point) (без пункта мантавання) - - - Unpartitioned space or unknown partition table - Прастора без раздзелаў або невядомая табліца раздзелаў - unknown @@ -3470,6 +3547,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Прастора без раздзелаў або невядомая табліца раздзелаў + Recommended @@ -3485,8 +3568,9 @@ Output: RemoveUserJob - Remove live user from target system - Выдаліць часовага карыстальніка з мэтавай сістэмы + Removing live user from the target system… + @status + @@ -3494,13 +3578,15 @@ Output: - Remove Volume Group named %1. - Выдаліць групу тамоў на дыску %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Выдаліць групу тамоў на дыску <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3614,22 +3700,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Змяніць памер раздзела %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Змяніць памер <strong>%2Мб</strong> раздзела <strong>%1</strong> to <strong>%3Мб</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Змена памеру раздзела %1 з %2Мб на %3Мб. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Праграме ўсталявання не ўдалося змяніць памер раздзела %1 на дыску '%2'. @@ -3639,6 +3728,7 @@ Output: Resize Volume Group + @title Змяніць памер групы тамоў @@ -3646,17 +3736,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Змяніць памер групы тамоў %1 з %2 на %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Змяніць памер групы тамоў <strong>%1</strong> з <strong>%2</strong> на <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Праграме ўсталявання не ўдалося змяніць памер групы тамоў '%1'. @@ -3673,13 +3770,15 @@ Output: ScanningDialog - Scanning storage devices... - Сканаванне назапашвальных прылад... + Scanning storage devices… + @status + - Partitioning - Падзел + Partitioning… + @status + @@ -3696,8 +3795,9 @@ Output: - Setting hostname %1. - Вызначэнне назвы камп’ютара ў сетцы %1. + Setting hostname %1… + @status + @@ -3761,81 +3861,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Вызначыць сцягі на раздзеле %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Вызначыць сцягі %1MБ раздзела %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Вызначыць сцягі новага раздзела. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Ачысціць сцягі раздзела <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Ачысціць сцягі %1MБ раздзела <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Ачысціць сцягі новага раздзела. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Адзначыць раздзел сцягам <strong>%1</strong> як <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Адзначыць %1MБ <strong>%2</strong> раздзел як <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Адзначыць новы раздзел сцягам як <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Ачышчэнне сцягоў раздзела <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Ачышчэнне сцягоў %1MБ раздзела <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Ачышчэнне сцягоў новага раздзела. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Вызначэнне сцягоў <strong>%2</strong> раздзела <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Вызначэнне сцягоў <strong>%3</strong> раздзела %1MБ <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Вызначэнне сцягоў <strong>%1</strong> новага раздзела. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Праграме ўсталявання не ўдалося адзначыць раздзел %1. @@ -3849,32 +3964,33 @@ Output: - Setting password for user %1. - Прызначэнне пароля для карыстальніка %1. + Setting password for user %1… + @status + - + Bad destination system path. Няправільны мэтавы шлях сістэмы. - + rootMountPoint is %1 Пункт мантавання каранёвага раздзела %1 - + Cannot disable root account. Немагчыма адключыць акаўнт адміністратара. - + Cannot set password for user %1. Не ўдалося прызначыць пароль для карыстальніка %1. - - + + usermod terminated with error code %1. Загад "usermod" завяршыўся з кодам памылкі %1. @@ -3923,8 +4039,9 @@ Output: SetupGroupsJob - Preparing groups. - Рыхтаванне групаў. + Preparing groups… + @status + @@ -3942,8 +4059,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Наладжванне <pre>суперкарыстальнікаў</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3960,8 +4078,9 @@ Output: ShellProcessJob - Shell Processes Job - Працэсы абалонкі + Running shell processes… + @status + @@ -4010,8 +4129,9 @@ Output: - Sending installation feedback. - Адпраўленне справаздачы па ўсталяванні. + Sending installation feedback… + @status + @@ -4033,8 +4153,9 @@ Output: - Configuring KDE user feedback. - Наладжванне зваротнай сувязі KDE. + Configuring KDE user feedback… + @status + @@ -4062,8 +4183,9 @@ Output: - Configuring machine feedback. - Наладжванне сістэмы зваротнай сувязі. + Configuring machine feedback… + @status + @@ -4125,6 +4247,7 @@ Output: Feedback + @title Зваротная сувязь @@ -4132,8 +4255,9 @@ Output: UmountJob - Unmount file systems. - Адмантаваць файлавыя сістэмы. + Unmounting file systems… + @status + @@ -4291,11 +4415,6 @@ Output: &Release notes &Нататкі да выпуску - - - %1 support - падтрымка %1 - About %1 Setup @@ -4308,12 +4427,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Агульныя звесткі @@ -4322,6 +4448,7 @@ Output: Welcome + @title Агульныя звесткі @@ -4329,8 +4456,9 @@ Output: ZfsJob - Create ZFS pools and datasets - Стварыць наборы даных ZFS + Creating ZFS pools and datasets… + @status + @@ -4774,21 +4902,11 @@ Output: What is your name? Як ваша імя? - - - Your Full Name - Ваша поўнае імя - What name do you want to use to log in? Якое імя вы хочаце выкарыстоўваць для ўваходу? - - - Login Name - Лагін - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4809,11 +4927,6 @@ Output: What is the name of this computer? Якая назва гэтага камп’ютара? - - - Computer Name - Назва камп’ютара - This name will be used if you make the computer visible to others on a network. @@ -4834,16 +4947,21 @@ Output: Password Пароль - - - Repeat Password - Паўтарыце пароль - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Увядзіце двойчы аднолькавы пароль. Гэта неабходна для таго, каб пазбегнуць памылак. Надзейны пароль павінен складацца з літар, лічбаў, знакаў пунктуацыі. Ён павінен змяшчаць прынамсі 8 знакаў, яго перыядычна трэба змяняць. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4859,11 +4977,31 @@ Output: Log in automatically without asking for the password Аўтаматычна ўваходзіць без уводу пароля + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Толькі літары, лічбы, знакі падкрэслівання, працяжнікі, мінімум - 2 сімвалы. + + + Repeat password + + Reuse user password as root password @@ -4879,16 +5017,6 @@ Output: Choose a root password to keep your account safe. Абярыце пароль адміністратара для абароны вашага акаўнта. - - - Root Password - Пароль адміністратара - - - - Repeat Root Password - Паўтарыце пароль адміністратара - Enter the same password twice, so that it can be checked for typing errors. @@ -4907,21 +5035,11 @@ Output: What is your name? Як ваша імя? - - - Your Full Name - Ваша поўнае імя - What name do you want to use to log in? Якое імя вы хочаце выкарыстоўваць для ўваходу? - - - Login Name - Лагін - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4942,10 +5060,20 @@ Output: What is the name of this computer? Якая назва гэтага камп’ютара? + + + Your full name + + + + + Login name + + - Computer Name - Назва камп’ютара + Computer name + @@ -4974,8 +5102,18 @@ Output: - Repeat Password - Паўтарыце пароль + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4997,16 +5135,6 @@ Output: Choose a root password to keep your account safe. Абярыце пароль адміністратара для абароны вашага акаўнта. - - - Root Password - Пароль адміністратара - - - - Repeat Root Password - Паўтарыце пароль адміністратара - Enter the same password twice, so that it can be checked for typing errors. @@ -5044,13 +5172,13 @@ Output: - Known issues - Вядомыя праблемы + Known Issues + - Release notes - Нататкі да выпуску + Release Notes + @@ -5074,13 +5202,13 @@ Output: - Known issues - Вядомыя праблемы + Known Issues + - Release notes - Нататкі да выпуску + Release Notes + diff --git a/lang/calamares_bg.ts b/lang/calamares_bg.ts index 2ece2639f0..fba4822e65 100644 --- a/lang/calamares_bg.ts +++ b/lang/calamares_bg.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Управление на настройките за автоматично монтиране + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Сектор за начално зареждане на %1 Boot Partition + @info Дял за начално зареждане System Partition + @info Системен дял Do not install a boot loader + @label Не инсталирай програма за начално зареждане @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Инсталирай @@ -633,18 +638,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - Задаване на етикета на файловата система на %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Задаване на етикет на файлова система <strong>%1 </strong> в дял <strong>%2 </strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Инсталатора не успя да актуализира таблица на дяловете на диск '%1'. @@ -658,9 +672,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Самостоятелно поделяне</strong><br/>Можете да създадете или преоразмерите дяловете сами. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Изберете дял за смаляване, после влачете долната лента за преоразмеряване</strong> + Select storage de&vice: + @label Изберете ус&тройство за съхранение: @@ -669,56 +694,49 @@ The installer will quit and all changes will be lost. Current: + @label Сегашен: After: + @label След: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Самостоятелно поделяне</strong><br/>Можете да създадете или преоразмерите дяловете сами. - - Reuse %1 as home partition for %2. - Използване на %1 като домашен дял за %2 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Изберете дял за смаляване, после влачете долната лента за преоразмеряване</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 ще бъде намален до %2MiB и ще бъде създаден нов %3MiB дял за %4. - - - Boot loader location: - Локация на програмата за начално зареждане: - <strong>Select a partition to install on</strong> + @label <strong>Изберете дял за инсталацията</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI системен дял не е намерен. Моля, опитайте пак като използвате ръчно поделяне за %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI системен дял в %1 ще бъде използван за стартиране на %2. EFI system partition: + @label EFI системен дял: @@ -773,38 +791,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info Това устройство за съхранение има <strong> монтиран </strong> дял. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Това устройство за съхранение е част от <strong> неактивно RAID </strong> устройство. - No Swap - Без swap + No swap + @label + - Reuse Swap - Повторно използване на swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (без Хибернация) Swap (with Hibernate) + @label Swap (с Хибернация) Swap to file + @label Swap във файл + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Разчисти монтиранията за операциите на подялбата на %1 - Clearing mounts for partitioning operations on %1. - Разчистване на монтиранията за операциите на подялбата на %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Разчисти всички временни монтирания. - - - Clearing all temporary mounts. - Разчистване на всички временни монтирания. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ The installer will quit and all changes will be lost. OK! - + Package Selection Избор на пакети - + Please pick a product from the list. The selected product will be installed. Моля, изберете продукт от списъка. Избраният продукт ще бъде инсталиран. - + Packages Пакети - + Install option: <strong>%1</strong> Опция за инсталиране: <strong>%1</strong> - + None Без - + Summary + @label Обобщение - + This is an overview of what will happen once you start the setup procedure. Това е преглед на това, което ще се случи, след като започнете процедурата за настройване. - + This is an overview of what will happen once you start the install procedure. Това е преглед на промените, които ще се извършат, след като започнете процедурата по инсталиране. @@ -1115,15 +1146,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Системният език ще бъде %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Форматът на цифрите и датата ще бъде %1. @@ -1200,31 +1231,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Ши&фриране Logical + @label Логическа Primary + @label Главна GPT + @label GPT Mountpoint already in use. Please select another one. + @info Точката за монтиране вече се използва. Моля изберете друга. Mountpoint must start with a <tt>/</tt>. + @info Точката на монтиране трябва да започва с <tt>/</tt>. @@ -1232,43 +1269,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Създаване на нов %1МiB дял на %3 ( %2) с записи %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Създаване на нов %1mib дял на %3 ( %2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Създаване на нов %2mib дял на %4 ( %3) с файлова система %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Създаване на нов <strong>%1MiB </strong> дял на <strong>%3 </strong> (%2) сзаписи <em>%4 </em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Създаване на нов <strong>%1MiB </strong> дял на <strong>%3 </strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Създаване на нов <strong>%2Mib </strong> дял на <strong>%4 </strong> (%3) сфайлова система <strong>%1 </strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Създаване на нов %1 дял върху %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Инсталатора не успя да създаде дял върху диск '%1'. @@ -1304,18 +1349,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Създай нова %1 таблица на дяловете върху %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Създай нова <strong>%1</strong> таблица на дяловете върху <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Създаване на нова %1 таблица на дяловете върху %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Създай потребител <strong>%1</strong>. - - - - Preserving home directory - Запазване на домашната директория + Create user <strong>%1</strong> + - Creating user %1 - Създаване на потребител %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Конфигуриране на потребител %1 - Setting file permissions - Задаване на разрешения за файлове + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Създаване на група дялове @@ -1369,18 +1417,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - Създаване на нова група дялове с име %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Създаване на нова група дялове с име <strong>%1 </strong>. - - - - Creating new volume group named %1. - Създаване на нова група дялове с име %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - Деактивиране на група дялове с име %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Деактивиране на група дялове с име <strong>%1 </strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Изтрий дял %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Изтриване на дял <strong>%1</strong>. - - - - Deleting partition %1. - Изтриване на дял %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Моля, въведете еднаква парола в двете полета. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Постави информация за дял Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Инсталиране на %1 на <strong> нов </strong> %2 системен дял с функции <em> %3 </em> - - Install %1 on <strong>new</strong> %2 system partition. - Инсталирай %1 на <strong>нов</strong> %2 системен дял. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Настройване на <strong> нов </strong> %2 дял с монтиране на точка <strong> %1 </strong> и характеристики <em>%3 </em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Настройване на <strong> нов </strong> %2 дял с монтиране на точка <strong> %1 </strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Инсталиране на %2 на %3 системен дял <strong> %1 </strong> с функции <em> %4 </em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Настройване на %3 дял <strong>%1 </strong> с точка на монтиране <strong>%2 </strong>и функции <em>%4 </em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Настройване на %3 дял <strong>%1 </strong> с точка на монтиране <strong>%2 </strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Инсталирай %2 на %3 системен дял <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Инсталиране на зареждач върху <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Настройка на точките за монтиране. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Форматиране на дял %1 (файлова система: %2, размер: %3 MiB) на %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Форматиране на <strong>%3MiB </strong> дял <strong>%1 </strong> с файлова система<strong>%2 </strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Форматирай дял %1 с файлова система %2. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Генериране на machine-id. - + Configuration Error Грешка в конфигурацията - + No root mount point is set for MachineId. Не е зададена точка за монтиране на root за MachineID. + + + + + + File not found + Файлът не е намерен + + + + Path <pre>%1</pre> must be an absolute path. + Пътят <pre>%1 </pre> трябва да бъде абсолютен път. + + + + Could not create new random file <pre>%1</pre>. + Неуспех при създаването на нов случаен файл <pre>%1 </pre>. + Map @@ -2803,11 +2883,6 @@ The installer will quit and all changes will be lost. Unknown error Неизвестна грешка - - - Password is empty - Паролата е празна - PackageChooserPage @@ -2864,7 +2939,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ The installer will quit and all changes will be lost. Home + @label Домашен Boot + @label Зареждане EFI system + @label EFI система Swap + @label Swap New partition for %1 + @label Нов дял за %1 New partition + @label Нов дял @@ -3010,37 +3092,44 @@ The installer will quit and all changes will be lost. Free Space + @title Свободно пространство - New partition - Нов дял + New Partition + @title + Name + @title Име File System + @title Файлова система File System Label + @title Етикет на файловата система Mount Point + @title Точка на монтиране Size + @title Размер @@ -3119,16 +3208,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Събиране на системна информация... - - - - Partitions - Дялове - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. Дяловете няма да бъдат променени. - - - Current: - Сегашен: - - - - After: - След: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. Файловата система трябва да има флаг <strong>%1 </strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Дялове + + + + Current: + @label + Сегашен: + + + + After: + @label + След: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Оформление и външен вид в стил Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3278,6 +3372,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Външен вид @@ -3285,8 +3380,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Запазване на файловете за по -късно... + Saving files for later… + @status + @@ -3382,26 +3478,12 @@ Output: По подразбиране - - - - - File not found - Файлът не е намерен - - - - Path <pre>%1</pre> must be an absolute path. - Пътят <pre>%1 </pre> трябва да бъде абсолютен път. - - - + Directory not found Директорията не е намерена - - + Could not create new random file <pre>%1</pre>. Неуспех при създаването на нов случаен файл <pre>%1 </pre>. @@ -3420,11 +3502,6 @@ Output: (no mount point) (без точка на монтиране) - - - Unpartitioned space or unknown partition table - Неразделено пространство или неизвестна таблица на дяловете - unknown @@ -3449,6 +3526,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Неразделено пространство или неизвестна таблица на дяловете + Recommended @@ -3464,8 +3547,9 @@ Output: RemoveUserJob - Remove live user from target system - Премахване на потребители на Live средата от целевата система + Removing live user from the target system… + @status + @@ -3473,13 +3557,15 @@ Output: - Remove Volume Group named %1. - Премахване на група дялове %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Премахване на група дялове <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3593,22 +3679,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Преоразмери дял %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Преоразмеряване на <strong>%2MiB </strong> дял <strong>%1 </strong> до<strong>%3MiB </strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Преоразмеряване на %2MiB дял %1 до %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Инсталатора не успя да преоразмери дял %1 върху диск '%2'. @@ -3618,6 +3707,7 @@ Output: Resize Volume Group + @title Преоразмеряване на група дялове @@ -3625,17 +3715,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Преоразмеряване на група дялове %1 от %2 на %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Преоразмеряване на група дялове <strong>%1</strong> от<strong>%2</strong> на<strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Инсталаторът не успя да преоразмери група дялове "%1". @@ -3652,13 +3749,15 @@ Output: ScanningDialog - Scanning storage devices... - Сканиране на устройствата за съхранение + Scanning storage devices… + @status + - Partitioning - Разделяне + Partitioning… + @status + @@ -3675,8 +3774,9 @@ Output: - Setting hostname %1. - Задаване името на хоста %1 + Setting hostname %1… + @status + @@ -3740,81 +3840,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Задай флагове на дял %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Задаване на флагове на %1MiB %2 дял. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Задай флагове на нов дял. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Изчисти флаговете на дял <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Изчистване на флагове на %1MiB <strong> %2 </strong> дял. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Изчисти флагове на нов дял. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Сложи флаг на дял <strong>%1</strong> като <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Задаване на флаг на %1MiB <strong>%2</strong> дял като <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Сложи флаг на новия дял като <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Изчистване на флаговете на дял <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Изчистване на флагове на %1MiB <strong> %2 </strong> дял. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Изчистване на флаговете на новия дял. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Задаване на флагове <strong>%2</strong> на дял <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Задаване на флагове <strong>%3 </strong> на %1MiB <strong>%2 </strong> дял. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Задаване на флагове <strong>%1</strong> на новия дял. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Инсталатора не успя да зададе флагове на дял %1. @@ -3828,32 +3943,33 @@ Output: - Setting password for user %1. - Задаване на парола за потребител %1 + Setting password for user %1… + @status + - + Bad destination system path. Лоша дестинация за системен път. - + rootMountPoint is %1 rootMountPoint е %1 - + Cannot disable root account. Не може да деактивира root акаунтът. - + Cannot set password for user %1. Не може да се постави парола за потребител %1. - - + + usermod terminated with error code %1. usermod е прекратен с грешка %1. @@ -3902,8 +4018,9 @@ Output: SetupGroupsJob - Preparing groups. - Подготовка на групите. + Preparing groups… + @status + @@ -3921,8 +4038,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Конфигуриране на <pre> sudo </pre> потребители. + Configuring <pre>sudo</pre> users… + @status + @@ -3939,8 +4057,9 @@ Output: ShellProcessJob - Shell Processes Job - Процесна обработка от обвивката + Running shell processes… + @status + @@ -3989,8 +4108,9 @@ Output: - Sending installation feedback. - Изпращане на обратна връзка за инсталирането. + Sending installation feedback… + @status + @@ -4012,8 +4132,9 @@ Output: - Configuring KDE user feedback. - Конфигуриране на потребителска обратна връзка. + Configuring KDE user feedback… + @status + @@ -4041,8 +4162,9 @@ Output: - Configuring machine feedback. - Конфигуриране на машинна обратна връзка. + Configuring machine feedback… + @status + @@ -4104,6 +4226,7 @@ Output: Feedback + @title Обратна връзка @@ -4111,8 +4234,9 @@ Output: UmountJob - Unmount file systems. - Демонтиране на файловите системи. + Unmounting file systems… + @status + @@ -4270,11 +4394,6 @@ Output: &Release notes &Бележки по изданието - - - %1 support - %1 поддръжка - About %1 Setup @@ -4287,12 +4406,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Добре дошли @@ -4301,6 +4427,7 @@ Output: Welcome + @title Добре дошли @@ -4308,8 +4435,9 @@ Output: ZfsJob - Create ZFS pools and datasets - Създаване на ZFS пулове и набори от данни + Creating ZFS pools and datasets… + @status + @@ -4752,21 +4880,11 @@ Output: What is your name? Какво е вашето име? - - - Your Full Name - Вашето пълно име - What name do you want to use to log in? Какво име искате да използвате за влизане? - - - Login Name - Име за вход - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4787,11 +4905,6 @@ Output: What is the name of this computer? Какво е името на този компютър? - - - Computer Name - Име на компютър: - This name will be used if you make the computer visible to others on a network. @@ -4812,16 +4925,21 @@ Output: Password Парола - - - Repeat Password - Повтаряне на паролата - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Въведете една и съща парола два пъти, така че да може да бъде проверена за грешки във въвеждането.Добрата парола съдържа комбинация от букви, цифри и пунктуации. Трябва да е дълга поне осем знака и трябва да се променя периодично. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4837,11 +4955,31 @@ Output: Log in automatically without asking for the password Автоматично влизане без изискване за парола + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Само букви, цифри, долна черта и тире са разрешени, минимуми от двазнака. + + + Repeat password + + Reuse user password as root password @@ -4857,16 +4995,6 @@ Output: Choose a root password to keep your account safe. Изберете парола за root, за да запазите акаунта си сигурен. - - - Root Password - Парола за root - - - - Repeat Root Password - Повторете паролата за root - Enter the same password twice, so that it can be checked for typing errors. @@ -4885,21 +5013,11 @@ Output: What is your name? Какво е вашето име? - - - Your Full Name - Вашето пълно име - What name do you want to use to log in? Какво име искате да използвате за влизане? - - - Login Name - Име за вход - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,10 +5038,20 @@ Output: What is the name of this computer? Какво е името на този компютър? + + + Your full name + + + + + Login name + + - Computer Name - Име на компютър: + Computer name + @@ -4952,8 +5080,18 @@ Output: - Repeat Password - Повтаряне на паролата + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4975,16 +5113,6 @@ Output: Choose a root password to keep your account safe. Изберете парола за root, за да запазите акаунта си сигурен. - - - Root Password - Парола за root - - - - Repeat Root Password - Повторете паролата за root - Enter the same password twice, so that it can be checked for typing errors. @@ -5022,13 +5150,13 @@ Output: - Known issues - Известни проблеми + Known Issues + - Release notes - Бележки към изданието + Release Notes + @@ -5052,13 +5180,13 @@ Output: - Known issues - Известни проблеми + Known Issues + - Release notes - Бележки към изданието + Release Notes + diff --git a/lang/calamares_bn.ts b/lang/calamares_bn.ts index c3c0385c5e..14e11b6eb4 100644 --- a/lang/calamares_bn.ts +++ b/lang/calamares_bn.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 মাস্টার বুট রেকর্ড Boot Partition + @info বুট পার্টিশন System Partition + @info সিস্টেম পার্টিশন Do not install a boot loader + @label একটি বুট লোডার ইনস্টল করবেন না @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ইনস্টল করুন @@ -628,18 +633,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -653,9 +667,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>সংকুচিত করার জন্য একটি পার্টিশন নির্বাচন করুন, তারপর নিচের বারটি পুনঃআকারের জন্য টেনে আনুন</strong> + Select storage de&vice: + @label স্টোরেজ ডিএবংভাইস নির্বাচন করুন: @@ -664,56 +689,49 @@ The installer will quit and all changes will be lost. Current: + @label বর্তমান: After: + @label পরে: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. + Reuse %1 as home partition for %2 + @label - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>সংকুচিত করার জন্য একটি পার্টিশন নির্বাচন করুন, তারপর নিচের বারটি পুনঃআকারের জন্য টেনে আনুন</strong> - %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - বুট লোডার অবস্থান: - <strong>Select a partition to install on</strong> + @label <strong>ইনস্টল করতে একটি পার্টিশন নির্বাচন করুন</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 এ EFI সিস্টেম পার্টিশন %2 শুরু করার জন্য ব্যবহার করা হবে। EFI system partition: + @label EFI সিস্টেম পার্টিশন: @@ -768,36 +786,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,12 +862,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title %1 এ পার্টিশনিং অপারেশনের জন্য মাউন্ট গুলি মুছে ফেলুন - Clearing mounts for partitioning operations on %1. - %1-এ পার্টিশনিং অপারেশনের জন্য মাউন্ট মুছে ফেলা হচ্ছে। + Clearing mounts for partitioning operations on %1… + @status + @@ -848,13 +881,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - সব অস্থায়ী মাউন্ট পরিষ্কার করুন। - - - Clearing all temporary mounts. - সব অস্থায়ী মাউন্ট পরিষ্কার করা হচ্ছে। + Clearing all temporary mounts… + @status + @@ -1003,42 +1033,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label সারাংশ - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. আপনি ইনস্টল প্রক্রিয়া শুরু করার পর কি হবে তার একটি পর্যালোচনা। @@ -1110,13 +1141,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1195,31 +1226,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label যৌক্তিক Primary + @label প্রাথমিক GPT + @label জিপিটি Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - %2-এ নতুন %1 পার্টিশন তৈরি করা হচ্ছে। + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info ইনস্টলার '%1' ডিস্কে পার্টিশন তৈরি করতে ব্যর্থ হয়েছে। @@ -1299,18 +1344,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2-এ নতুন %1 পার্টিশন টেবিল তৈরি করুন। + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3) এ নতুন <strong>%1</strong> পার্টিশন টেবিল তৈরি করুন। - - - - Creating new %1 partition table on %2. - %2 এ নতুন %1 পার্টিশন টেবিল তৈরি করা হচ্ছে। + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1327,28 +1370,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - ব্যবহারকারী %1 তৈরি করুন। - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1364,17 +1412,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1388,12 +1434,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1406,18 +1454,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - পার্টিশন %1 মুছে ফেলুন। + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - পার্টিশন <strong>%1</strong> মুছে ফেলুন। - - - - Deleting partition %1. - পার্টিশন %1 মুছে ফেলা হচ্ছে। + Deleting partition <strong>%1</strong>… + @status + @@ -1602,11 +1648,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,57 +1676,68 @@ The installer will quit and all changes will be lost. Set partition information + @title পার্টিশন তথ্য নির্ধারণ করুন Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - <strong>নতুন</strong> %2 সিস্টেম পার্টিশনে %1 সংস্থাপন করুন। + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - %3 সিস্টেম পার্টিশন <strong>%1</strong> এ %2 ইনস্টল করুন। + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - <strong>%1</strong> এ বুট লোডার ইনস্টল করুন। + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - মাউন্ট পয়েন্ট সেট আপ করা হচ্ছে। + + Setting up mount points… + @status + @@ -1747,24 +1806,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - ফাইল সিস্টেম %2 দিয়ে পার্টিশন %1 বিন্যাস করা হচ্ছে। + + Formatting partition %1 with file system %2… + @status + @@ -2257,20 +2319,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error কনফিগারেশন ত্রুটি - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ The installer will quit and all changes will be lost. Home + @label বাড়ি Boot + @label বুট EFI system + @label ইএফআই সিস্টেম Swap + @label অদলবদল New partition for %1 + @label %1 এর জন্য নতুন পার্টিশন New partition + @label নতুন পার্টিশন @@ -3001,37 +3083,44 @@ The installer will quit and all changes will be lost. Free Space + @title খালি জায়গা - New partition - নতুন পার্টিশন + New Partition + @title + Name + @title নাম File System + @title নথি ব্যবস্থা File System Label + @title Mount Point + @title মাউন্ট পয়েন্ট Size + @title আকার @@ -3110,16 +3199,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - সিস্টেম তথ্য সংগ্রহ করা হচ্ছে... - - - - Partitions - পার্টিশনগুলো - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - বর্তমান: - - - - After: - পরে: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + পার্টিশনগুলো + + + + Current: + @label + বর্তমান: + + + + After: + @label + পরে: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,7 +3334,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3269,6 +3363,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3276,7 +3371,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3370,26 +3466,12 @@ Output: পূর্বনির্ধারিত - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3408,11 +3490,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - অবিভাজনকৃত স্থান বা অজানা পার্টিশন টেবিল - unknown @@ -3437,6 +3514,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + অবিভাজনকৃত স্থান বা অজানা পার্টিশন টেবিল + Recommended @@ -3451,7 +3534,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3460,12 +3544,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3578,22 +3664,25 @@ Output: ResizePartitionJob - - Resize partition %1. - পার্টিশন %1 পুনঃআকার করুন। + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. ইনস্টলার '%2' ডিস্কে %1 পার্টিশন পুনঃআকার করতে ব্যর্থ হয়েছে। @@ -3603,6 +3692,7 @@ Output: Resize Volume Group + @title @@ -3610,17 +3700,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3637,13 +3734,15 @@ Output: ScanningDialog - Scanning storage devices... - স্টোরেজ ডিভাইস স্ক্যান করা হচ্ছে... + Scanning storage devices… + @status + - Partitioning - পার্টিশন করা হচ্ছে + Partitioning… + @status + @@ -3660,8 +3759,9 @@ Output: - Setting hostname %1. - হোস্টনাম %1 নির্ধারণ করা হচ্ছে। + Setting hostname %1… + @status + @@ -3725,81 +3825,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3813,32 +3928,33 @@ Output: - Setting password for user %1. - ব্যবহারকারীর %1-এর জন্য গুপ্ত-সংকেত নির্ধারণ করা হচ্ছে। + Setting password for user %1… + @status + - + Bad destination system path. খারাপ গন্তব্য সিস্টেম পথ। - + rootMountPoint is %1 রুটমাউন্টপয়েন্টটি %1 - + Cannot disable root account. - + Cannot set password for user %1. %1 ব্যবহারকারীর জন্য পাসওয়ার্ড নির্ধারণ করা যাচ্ছে না। - - + + usermod terminated with error code %1. %1 ত্রুটি কোড দিয়ে ব্যবহারকারীমোড সমাপ্ত করা হয়েছে। @@ -3887,7 +4003,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3906,7 +4023,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3924,7 +4042,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3974,7 +4093,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3997,7 +4117,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4026,7 +4147,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4089,6 +4211,7 @@ Output: Feedback + @title @@ -4096,8 +4219,9 @@ Output: UmountJob - Unmount file systems. - আনমাউন্ট ফাইল সিস্টেমগুলি করুন। + Unmounting file systems… + @status + @@ -4255,11 +4379,6 @@ Output: &Release notes এবংনোট প্রকাশ করুন - - - %1 support - %1 সহায়তা - About %1 Setup @@ -4272,12 +4391,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title স্বাগতম @@ -4286,6 +4412,7 @@ Output: Welcome + @title স্বাগতম @@ -4293,7 +4420,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4709,21 +4837,11 @@ Output: What is your name? আপনার নাম কি? - - - Your Full Name - - What name do you want to use to log in? লগ-ইন করতে আপনি কোন নাম ব্যবহার করতে চান? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4744,11 +4862,6 @@ Output: What is the name of this computer? এই কম্পিউটারের নাম কি? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4770,13 +4883,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4794,11 +4912,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4814,16 +4952,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4842,21 +4970,11 @@ Output: What is your name? আপনার নাম কি? - - - Your Full Name - - What name do you want to use to log in? লগ-ইন করতে আপনি কোন নাম ব্যবহার করতে চান? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4877,9 +4995,19 @@ Output: What is the name of this computer? এই কম্পিউটারের নাম কি? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4909,7 +5037,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4932,16 +5070,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4978,12 +5106,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5007,12 +5135,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_bqi.ts b/lang/calamares_bqi.ts index b6284895b1..eeca6025a7 100644 --- a/lang/calamares_bqi.ts +++ b/lang/calamares_bqi.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ca.ts b/lang/calamares_ca.ts index bc438b5fc4..79d0b7928b 100644 --- a/lang/calamares_ca.ts +++ b/lang/calamares_ca.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gestió dels paràmetres dels muntatges automàtics + Managing auto-mount settings… + @status + Es gestiona la configuració de muntatge automàtic... @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Registre d'inici mestre (MBR) de %1 Boot Partition + @info Partició d'arrencada System Partition + @info Partició del sistema Do not install a boot loader + @label No instal·lis cap gestor d'arrencada @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Configuració - + Install @label Instal·la @@ -626,25 +631,34 @@ L'instal·lador es tancarà i tots els canvis es perdran. %1 Installer - Instal·lador de %1 + Instal·lador per a %1 ChangeFilesystemLabelJob - Set filesystem label on %1. - Estableix l'etiqueta del sistema de fitxers a %1. + Set filesystem label on %1 + @title + Estableix l'etiqueta del sistema de fitxers a %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info Estableix l'etiqueta del sistema de fitxers <strong>%1</strong> a la partició <strong>%2</strong>. - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + S'estableix l'etiqueta del sistema de fitxers <strong>%1</strong> a la partició <strong>%2</strong>... + + + + The installer failed to update partition table on disk '%1'. + @info L'instal·lador no ha pogut actualitzar la taula de particions del disc '%1'. @@ -658,9 +672,20 @@ L'instal·lador es tancarà i tots els canvis es perdran. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particions manuals</strong><br/>Podeu crear o canviar la mida de les particions vosaltres mateixos. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccioneu una partició per encongir i arrossegueu-la per redimensinar-la</strong> + Select storage de&vice: + @label Seleccioneu un dispositiu d'e&mmagatzematge: @@ -669,57 +694,50 @@ L'instal·lador es tancarà i tots els canvis es perdran. Current: - Actual: + @label + Ara: After: + @label Després: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particions manuals</strong><br/>Podeu crear o canviar la mida de les particions vosaltres mateixos. - - Reuse %1 as home partition for %2. - Reutilitza %1 com a partició de l'usuari per a %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccioneu una partició per encongir i arrossegueu-la per redimensinar-la</strong> + Reuse %1 as home partition for %2 + @label + Es reutilitza %1 com a partició de l'usuari per a %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 s'encongirà a %2 MiB i es crearà una partició nova de %3 MB per a %4. - - - Boot loader location: - Ubicació del gestor d'arrencada: - <strong>Select a partition to install on</strong> + @label <strong>Seleccioneu una partició per fer-hi la instal·lació.</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name No s'ha pogut trobar enlloc una partició EFI en aquest sistema. Si us plau, torneu enrere i use les particions manuals per configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partició EFI de sistema a %1 s'usarà per iniciar %2. EFI system partition: - Partició EFI del sistema: + @label + Partició EFI de sistema: @@ -773,38 +791,51 @@ L'instal·lador es tancarà i tots els canvis es perdran. This storage device has one of its partitions <strong>mounted</strong>. + @info Aquest dispositiu d'emmagatzematge té una de les particions <strong>muntada</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Aquest sistema d'emmagatzematge forma part d'un dispositiu de <strong>RAID inactiu</strong>. - No Swap + No swap + @label Sense intercanvi - Reuse Swap + Reuse swap + @label Reutilitza l'intercanvi Swap (no Hibernate) + @label Intercanvi (sense hibernació) Swap (with Hibernate) + @label Intercanvi (amb hibernació) Swap to file + @label Intercanvi en fitxer + + + Bootloader location: + @label + Ubicació del carregador d'arrencada: + ClearMountsJob @@ -836,12 +867,14 @@ L'instal·lador es tancarà i tots els canvis es perdran. Clear mounts for partitioning operations on %1 + @title Neteja els muntatges per les operacions de partició a %1 - Clearing mounts for partitioning operations on %1. - Es netegen els muntatges per a les operacions de les particions a %1. + Clearing mounts for partitioning operations on %1… + @status + Es netegen els muntatges per a les operacions de les particions a %1. {1…?} @@ -853,13 +886,10 @@ L'instal·lador es tancarà i tots els canvis es perdran. ClearTempMountsJob - Clear all temporary mounts. - Neteja tots els muntatges temporals. - - - Clearing all temporary mounts. - Es netegen tots els muntatges temporals. + Clearing all temporary mounts… + @status + Es netegen tots els muntatges temporals... @@ -950,12 +980,12 @@ L'instal·lador es tancarà i tots els canvis es perdran. <h1>Welcome to the Calamares installer for %1</h1> - <h1>Benvingut/da a l'instal·lador Calamares per a %1</h1> + <h1>Us donem la benvinguda a l'instal·lador Calamares per a %1</h1> <h1>Welcome to the %1 installer</h1> - <h1>Benvingut/da a l'instal·lador per a %1</h1> + <h1>Us donem la benvinguda a l'instal·lador per a %1</h1> @@ -1008,42 +1038,43 @@ L'instal·lador es tancarà i tots els canvis es perdran. D'acord! - + Package Selection Selecció de paquets - + Please pick a product from the list. The selected product will be installed. Si us plau, trieu un producte de la llista. S'instal·larà el producte seleccionat. - + Packages Paquets - + Install option: <strong>%1</strong> Opció d'instal·lació: <strong>%1</strong> - + None Cap - + Summary + @label Resum - + This is an overview of what will happen once you start the setup procedure. Això és un resum del que passarà quan s'iniciï el procés de configuració. - + This is an overview of what will happen once you start the install procedure. Això és un resum del que passarà quan s'iniciï el procés d'instal·lació. @@ -1115,15 +1146,15 @@ L'instal·lador es tancarà i tots els canvis es perdran. - The system language will be set to %1 + The system language will be set to %1. @info - La llengua del sistema s'establirà a %1. {1?} + La llengua del sistema s'establirà a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Els números i les dates de la configuració local s'establiran a %1. {1?} + Els números i les dates de la configuració local s'establiran a %1. @@ -1200,31 +1231,37 @@ L'instal·lador es tancarà i tots els canvis es perdran. En&crypt + @action En&cripta Logical + @label Lògica Primary + @label Primària GPT + @label GPT Mountpoint already in use. Please select another one. + @info El punt de muntatge ja està en ús. Si us plau, seleccioneu-ne un altre. Mountpoint must start with a <tt>/</tt>. + @info El punt de muntatge ha de començar amb <tt>/</tt>. @@ -1232,43 +1269,51 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Crea una partició nova de %1 MiB a %3 (%2) amb entrades %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Crea una partició nova de %1 MiB a %3 (%2) amb entrades %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title Crea una partició nova de %1 MiB a %3 (%2). - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title Crea una partició nova de %2 MiB a %4 (%3) amb el sistema de fitxers %1. - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info Crea una partició nova de <strong>%1 MiB</strong> a <strong>%3</strong> (%2) amb entrades <em>%4</em>. - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info Crea una partició nova de <strong>%1 MiB</strong> a <strong>%3</strong> (%2). - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info Crea una partició nova de <strong>%2 MiB</strong> a <strong>%4</strong> (%3) amb el sistema de fitxers <strong>%1</strong>. - - - Creating new %1 partition on %2. - Es crea la partició nova %1 a %2. + + + Creating new %1 partition on %2… + @status + Es crea la partició nova %1 a %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info L'instal·lador no ha pogut crear la partició al disc '%1'. @@ -1304,18 +1349,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreatePartitionTableJob - Create new %1 partition table on %2. - Crea una taula de particions nova %1 a %2. + + Creating new %1 partition table on %2… + @status + Es crea una taula de particions nova %1 a %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crea una taula de particions nova <strong>%1</strong> a <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Es crea la taula de particions nova %1 a %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Es crea una taula de particions nova <strong>%1</strong> a <strong>%2</strong> (%3)... @@ -1332,29 +1375,33 @@ L'instal·lador es tancarà i tots els canvis es perdran. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> Crea l'usuari <strong>%1</strong>. - - - Preserving home directory - Es preserva el directori personal - - Creating user %1 - Es crea l'usuari %1. + Creating user %1… + @status + Es crea l'usuari %1.... + + + + Preserving home directory… + @status + Es preserva el directori personal... Configuring user %1 + @status Es configura l'usuari %1 - Setting file permissions - S'estableixen els permisos del fitxer. + Setting file permissions… + @status + S'estableixen els permisos del fitxer... @@ -1362,6 +1409,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Create Volume Group + @title Crea un grup de volums @@ -1369,18 +1417,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreateVolumeGroupJob - Create new volume group named %1. - Crea un grup de volums nou anomenat %1. + + Creating new volume group named %1… + @status + Es crea el grup de volums nou anomenat %1. {1…?} - Create new volume group named <strong>%1</strong>. - Crea un grup de volums nou anomenat <strong>%1</strong>. - - - - Creating new volume group named %1. - Es crea el grup de volums nou anomenat %1. + Creating new volume group named <strong>%1</strong>… + @status + Crea un grup de volums nou anomenat <strong>%1</strong>... @@ -1393,13 +1439,15 @@ L'instal·lador es tancarà i tots els canvis es perdran. - Deactivate volume group named %1. - Desactiva el grup de volums anomenat %1. + Deactivating volume group named %1… + @status + Es desactiva el grup de volums anomenat %1... - Deactivate volume group named <strong>%1</strong>. - Desactiva el grup de volums anomenat <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Es desactiva el grup de volums anomenat <strong>%1</strong>... @@ -1411,18 +1459,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. DeletePartitionJob - Delete partition %1. - Suprimeix la partició %1. + + Deleting partition %1… + @status + Se suprimeix la partició %1. {1…?} - Delete partition <strong>%1</strong>. - Suprimeix la partició <strong>%1</strong>. - - - - Deleting partition %1. - Se suprimeix la partició %1. + Deleting partition <strong>%1</strong>… + @status + Se suprimeix la partició <strong>%1</strong>... @@ -1607,11 +1653,13 @@ L'instal·lador es tancarà i tots els canvis es perdran. Please enter the same passphrase in both boxes. + @tooltip Si us plau, escriviu la mateixa contrasenya a les dues caselles. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip La contrasenya ha de tenir un mínim de %1 caràcters. @@ -1633,57 +1681,68 @@ L'instal·lador es tancarà i tots els canvis es perdran. Set partition information + @title Estableix la informació de la partició Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instal·la %1 a la partició de sistema <strong>nova</strong> %2 amb funcions <em>%3</em>. - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info Instal·la %1 a la partició de sistema <strong>nova</strong> %2. - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info Estableix la partició <strong>nova</strong> %2 amb el punt de muntatge <strong>%1</strong> i funcions <em>%3</em>. - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Estableix la partició <strong>nova</strong> %2 amb el punt de muntatge <strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Estableix la partició <strong>nova</strong> %2 amb el punt de muntatge <strong>%1</strong> %3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info Instal·la %2 a la partició de sistema %3 <strong>%1</strong> amb funcions <em>%4</em>. - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong> i funcions <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Instal·la %2 a la partició de sistema %3 <strong>%1</strong>. - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong> i funcions <em>%4</em>. - - Install %2 on %3 system partition <strong>%1</strong>. - Instal·la %2 a la partició de sistema %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Instal·la el gestor d'arrencada a <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Instal·la el carregador d'arrencada a <strong>%1</strong>... - - Setting up mount points. - S'estableixen els punts de muntatge. + + Setting up mount points… + @status + S'estableixen els punts de muntatge... @@ -1752,24 +1811,27 @@ L'instal·lador es tancarà i tots els canvis es perdran. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formata la partició %1 (sistema de fitxers: %2, mida: %3 MiB) de %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Formata la partició %1 (sistema de fitxers: %2, mida: %3 MiB) a %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info Formata la partició de <strong>%3 MiB</strong> <strong>%1</strong> amb el sistema de fitxers <strong>%2</strong>. - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Es formata la partició %1 amb el sistema de fitxers %2. + + Formatting partition %1 with file system %2… + @status + Es formata la partició %1 amb el sistema de fitxers %2. {1 ?} {2…?} @@ -2262,20 +2324,38 @@ L'instal·lador es tancarà i tots els canvis es perdran. MachineIdJob - + Generate machine-id. Generació de l'id. de la màquina. - + Configuration Error Error de configuració - + No root mount point is set for MachineId. No hi ha punt de muntatge d'arrel establert per a MachineId. + + + + + + File not found + No s'ha trobat el fitxer. + + + + Path <pre>%1</pre> must be an absolute path. + El camí <pre>%1</pre> ha de ser un camí absolut. + + + + Could not create new random file <pre>%1</pre>. + No s'ha pogut crear el fitxer aleatori nou <pre>%1</pre>. + Map @@ -2803,11 +2883,6 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé Unknown error Error desconegut - - - Password is empty - La contrasenya és buida. - PackageChooserPage @@ -2864,8 +2939,9 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé - Keyboard switch: - Canvi de teclat: + Switch Keyboard: + shortcut for switching between keyboard layouts + Canvia el teclat: @@ -2970,31 +3046,37 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé Home + @label Inici Boot + @label Arrencada EFI system + @label Sistema EFI Swap + @label Intercanvi New partition for %1 + @label Partició nova per a %1 New partition + @label Partició nova @@ -3010,37 +3092,44 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé Free Space + @title Espai lliure - New partition + New Partition + @title Partició nova Name + @title Nom File System + @title Sistema de fitxers File System Label + @title Etiqueta del sistema de fitxers Mount Point + @title Punt de muntatge Size + @title Mida @@ -3119,16 +3208,6 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé PartitionViewStep - - - Gathering system information... - Es recopila informació del sistema... - - - - Partitions - Particions - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé No partitions will be changed. No es canviarà cap partició. - - - Current: - Actual: - - - - After: - Després: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé The filesystem must have flag <strong>%1</strong> set. El sistema de fitxers ha de tenir la bandera <strong>%1</strong> establerta. + + + Gathering system information… + @status + Es recopila informació del sistema... + + + + Partitions + @label + Particions + + + + Current: + @label + Ara: + + + + After: + @label + Després: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé PlasmaLnfJob - Plasma Look-and-Feel Job - Tasca d'aspecte i comportament del Plasma + Applying Plasma Look-and-Feel… + @status + S'aplica l'aspecte i la sensació del Plasma... @@ -3278,6 +3372,7 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé Look-and-Feel + @label Aspecte i comportament @@ -3285,7 +3380,8 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé PreserveFiles - Saving files for later ... + Saving files for later… + @status Es desen fitxers per a més tard... @@ -3382,26 +3478,12 @@ Sortida: Per defecte - - - - - File not found - No s'ha trobat el fitxer. - - - - Path <pre>%1</pre> must be an absolute path. - El camí <pre>%1</pre> ha de ser un camí absolut. - - - + Directory not found No s'ha trobat el directori. - - + Could not create new random file <pre>%1</pre>. No s'ha pogut crear el fitxer aleatori nou <pre>%1</pre>. @@ -3420,11 +3502,6 @@ Sortida: (no mount point) (sense punt de muntatge) - - - Unpartitioned space or unknown partition table - Espai sense partir o taula de particions desconeguda - unknown @@ -3449,6 +3526,12 @@ Sortida: @partition info Intercanvi + + + Unpartitioned space or unknown partition table + @info + Espai sense partir o taula de particions desconeguda + Recommended @@ -3464,8 +3547,9 @@ La configuració pot continuar, però algunes característiques podrien estar in RemoveUserJob - Remove live user from target system - Suprimeix l'usuari de la sessió autònoma del sistema de destinació + Removing live user from the target system… + @status + Se suprimeix l'usuari de la sessió autònoma del sistema de destinació... @@ -3473,13 +3557,15 @@ La configuració pot continuar, però algunes característiques podrien estar in - Remove Volume Group named %1. - Suprimeix el grup de volums anomenat %1. + Removing Volume Group named %1… + @status + Se suprimeix el grup de volums anomenat %1... - Remove Volume Group named <strong>%1</strong>. - Suprimeix el grup de volums anomenat <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Se suprimeix el grup de volums anomenat <strong>%1</strong>... @@ -3593,22 +3679,25 @@ La configuració pot continuar, però algunes característiques podrien estar in ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title Canvia la mida de la partició %1. - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info Canvia la mida de la partició de <strong>%2 MiB</strong>, <strong>%1</strong>, a <strong>%3 MiB</strong>. - - Resizing %2MiB partition %1 to %3MiB. - Es canvia la mida de la partició %1 de %2 MiB a %3 MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Es canvia la mida de la partició %1 de %2 MiB a %3 MiB... - + The installer failed to resize partition %1 on disk '%2'. L'instal·lador no ha pogut canviar la mida de la partició %1 del disc %2. @@ -3618,6 +3707,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Resize Volume Group + @title Canvia la mida del grup de volums @@ -3625,17 +3715,24 @@ La configuració pot continuar, però algunes característiques podrien estar in ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Canvia la mida del grup de volums anomenat %1 de %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + Canvia la mida del grup de volums anomenat %1 de %2 a %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info Canvia la mida del grup de volums anomenat <strong>%1</strong> de <strong>%2</strong> a <strong>%3</strong>. - + + Resizing volume group named %1 from %2 to %3… + @status + Es canvia la mida del grup de volums anomenat %1 de %2 a %3... + + + The installer failed to resize a volume group named '%1'. L'instal·lador no ha pogut canviar la mida del grup de volums anomenat "%1". @@ -3652,13 +3749,15 @@ La configuració pot continuar, però algunes característiques podrien estar in ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status S'escanegen els dispositius d'emmagatzematge... - Partitioning - Particions + Partitioning… + @status + Es fan les particions... @@ -3675,8 +3774,9 @@ La configuració pot continuar, però algunes característiques podrien estar in - Setting hostname %1. - S'estableix el nom d'amfitrió %1. + Setting hostname %1… + @status + S'estableix el nom d'amfitrió %1. {1…?} @@ -3740,81 +3840,96 @@ La configuració pot continuar, però algunes característiques podrien estar in SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title Estableix les banderes a la partició %1. - Set flags on %1MiB %2 partition. - Estableix les banderes a la partició %2 de %1 MiB. + Set flags on %1MiB %2 partition + @title + Estableix les banderes a la partició %2, de %1 MiB. - Set flags on new partition. + Set flags on new partition + @title Estableix les banderes a la partició nova. - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info Neteja les banderes de la partició <strong>%1</strong>. - Clear flags on %1MiB <strong>%2</strong> partition. - Neteja les banderes de la partició <strong>%2</strong> de %1 MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Neteja les banderes de la partició <strong>%2</strong>, de %1 MiB. - Clear flags on new partition. + Clear flags on new partition + @info Neteja les banderes de la partició nova. - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info Estableix la bandera <strong>%2</strong> a la partició <strong>%1</strong>. - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Estableix la bandera de la partició <strong>%2</strong> de %1 MiB com a <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Estableix la bandera de la partició <strong>%2</strong> de %1 MiB a <strong>%3</strong>. - - Flag new partition as <strong>%1</strong>. - Estableix la bandera de la partició nova com a <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Estableix la bandera de la partició nova a <strong>%1</strong>. - - Clearing flags on partition <strong>%1</strong>. - Es netegen les banderes de la partició <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Es netegen les banderes de la partició <strong>%1</strong>... - - Clearing flags on %1MiB <strong>%2</strong> partition. - Es netegen les banderes de la partició <strong>%2</strong>de %1 MiB. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Es netegen les banderes de la partició <strong>%2</strong>, de %1 MiB... - - Clearing flags on new partition. - Es netegen les banderes de la partició nova. + + Clearing flags on new partition… + @status + Es netegen les banderes de la partició nova... - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Establint les banderes <strong>%2</strong> a la partició <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + S'estableixen les banderes <strong>%2</strong> a la partició <strong>%1</strong>... - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - S'estableixen les banderes <strong>%3</strong> a la partició <strong>%2</strong> de %1 MiB. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + S'estableixen les banderes <strong>%3</strong> a la partició <strong>%2</strong>, de %1 MiB... - - Setting flags <strong>%1</strong> on new partition. - S'estableixen les banderes <strong>%1</strong> a la partició nova. + + Setting flags <strong>%1</strong> on new partition… + @status + S'estableixen les banderes <strong>%1</strong> a la partició nova... - + The installer failed to set flags on partition %1. L'instal·lador ha fallat en establir les banderes a la partició %1. @@ -3828,32 +3943,33 @@ La configuració pot continuar, però algunes característiques podrien estar in - Setting password for user %1. - S'estableix la contrasenya per a l'usuari %1. + Setting password for user %1… + @status + S'estableix la contrasenya per a l'usuari %1. {1…?} - + Bad destination system path. Destinació errònia de la ruta del sistema. - + rootMountPoint is %1 El punt de muntatge de l'arrel és %1 - + Cannot disable root account. No es pot inhabilitar el compte d'arrel. - + Cannot set password for user %1. No es pot establir la contrasenya per a l'usuari %1. - - + + usermod terminated with error code %1. usermod ha terminat amb el codi d'error %1. @@ -3902,8 +4018,9 @@ La configuració pot continuar, però algunes característiques podrien estar in SetupGroupsJob - Preparing groups. - Es preparen els grups. + Preparing groups… + @status + Es preparen els grups... @@ -3921,8 +4038,9 @@ La configuració pot continuar, però algunes característiques podrien estar in SetupSudoJob - Configure <pre>sudo</pre> users. - Configuració d'usuaris de <pre>sudo</pre> + Configuring <pre>sudo</pre> users… + @status + Es configuren els usuaris de <pre>sudo</pre>... @@ -3939,8 +4057,9 @@ La configuració pot continuar, però algunes característiques podrien estar in ShellProcessJob - Shell Processes Job - Tasca de processos de l'intèrpret d'ordres + Running shell processes… + @status + S'executen processos de l'intèrpret d'ordres... @@ -3989,8 +4108,9 @@ La configuració pot continuar, però algunes característiques podrien estar in - Sending installation feedback. - S'envia la informació de retorn de la instal·lació. + Sending installation feedback… + @status + S'envia la informació de retorn de la instal·lació... @@ -4012,8 +4132,9 @@ La configuració pot continuar, però algunes característiques podrien estar in - Configuring KDE user feedback. - Es configura la informació de retorn dels usuaris de KDE. + Configuring KDE user feedback… + @status + Es configura la informació de retorn dels usuaris de KDE... @@ -4041,8 +4162,9 @@ La configuració pot continuar, però algunes característiques podrien estar in - Configuring machine feedback. - Es configura la informació de retorn de la màquina. + Configuring machine feedback… + @status + Es configura la informació de retorn de la màquina... @@ -4104,6 +4226,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Feedback + @title Informació de retorn @@ -4111,8 +4234,9 @@ La configuració pot continuar, però algunes característiques podrien estar in UmountJob - Unmount file systems. - Desmunta els sistemes de fitxers. + Unmounting file systems… + @status + Es desmunten els sistemes de fitxers... @@ -4270,11 +4394,6 @@ La configuració pot continuar, però algunes característiques podrien estar in &Release notes &Notes de la versió - - - %1 support - %1 suport - About %1 Setup @@ -4287,12 +4406,19 @@ La configuració pot continuar, però algunes característiques podrien estar in @title Quant a l'instal·lador %1 + + + %1 Support + @action + Suport per a %1 + WelcomeQmlViewStep Welcome + @title Benvingut/da @@ -4301,6 +4427,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Welcome + @title Benvingut/da @@ -4308,8 +4435,9 @@ La configuració pot continuar, però algunes característiques podrien estar in ZfsJob - Create ZFS pools and datasets - Crea agrupacions i conjunts de dades ZFS + Creating ZFS pools and datasets… + @status + Es creen agrupacions i conjunts de dades ZFS... @@ -4756,21 +4884,11 @@ Opció predeterminada. What is your name? Com us dieu? - - - Your Full Name - El nom complet - What name do you want to use to log in? Quin nom voleu usar per iniciar la sessió? - - - Login Name - Nom d'entrada - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4791,11 +4909,6 @@ Opció predeterminada. What is the name of this computer? Com es diu aquest ordinador? - - - Computer Name - Nom de l'ordinador - This name will be used if you make the computer visible to others on a network. @@ -4816,16 +4929,21 @@ Opció predeterminada. Password Contrasenya - - - Repeat Password - Repetiu la contrasenya. - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Escriviu la mateixa contrasenya dos cops per poder-ne comprovar els errors de mecanografia. Una bona contrasenya ha de contenir una barreja de lletres, números i signes de puntuació, hauria de tenir un mínim de 8 caràcters i s'hauria de modificar a intervals regulars. + + + Root password + Contrasenya d'arrel + + + + Repeat root password + Repetiu la contrasenya d'arrel. + Validate passwords quality @@ -4841,11 +4959,31 @@ Opció predeterminada. Log in automatically without asking for the password Entra automàticament sense demanar la contrasenya. + + + Your full name + El nom complet + + + + Login name + Nom per a l'entrada + + + + Computer name + Nom de l'ordinador + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Només es permeten lletres, números, guionets, guionets baixos i un mínim de dos caràcters. + + + Repeat password + Repetiu la contrasenya. + Reuse user password as root password @@ -4861,16 +4999,6 @@ Opció predeterminada. Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantenir el compte segur. - - - Root Password - Contrasenya d'arrel - - - - Repeat Root Password - Repetiu la contrasenya d'arrel. - Enter the same password twice, so that it can be checked for typing errors. @@ -4889,21 +5017,11 @@ Opció predeterminada. What is your name? Com us dieu? - - - Your Full Name - El nom complet - What name do you want to use to log in? Quin nom voleu usar per iniciar la sessió? - - - Login Name - Nom d'entrada - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4924,9 +5042,19 @@ Opció predeterminada. What is the name of this computer? Com es diu aquest ordinador? + + + Your full name + El nom complet + + + + Login name + Nom per a l'entrada + - Computer Name + Computer name Nom de l'ordinador @@ -4956,9 +5084,19 @@ Opció predeterminada. - Repeat Password + Repeat password Repetiu la contrasenya. + + + Root password + Contrasenya d'arrel + + + + Repeat root password + Repetiu la contrasenya d'arrel. + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4979,16 +5117,6 @@ Opció predeterminada. Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantenir el compte segur. - - - Root Password - Contrasenya d'arrel - - - - Repeat Root Password - Repetiu la contrasenya d'arrel. - Enter the same password twice, so that it can be checked for typing errors. @@ -5026,12 +5154,12 @@ Opció predeterminada. - Known issues + Known Issues Problemes coneguts - Release notes + Release Notes Notes de la versió @@ -5056,12 +5184,12 @@ Opció predeterminada. - Known issues + Known Issues Problemes coneguts - Release notes + Release Notes Notes de la versió diff --git a/lang/calamares_ca@valencia.ts b/lang/calamares_ca@valencia.ts index fe05e4a5ec..0c71369a9e 100644 --- a/lang/calamares_ca@valencia.ts +++ b/lang/calamares_ca@valencia.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Registre d'arrancada mestre (MBR) de %1 Boot Partition + @info Partició d'arrancada System Partition + @info Partició del sistema Do not install a boot loader + @label No instal·les cap gestor d'arrancada @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instal·la @@ -629,18 +634,27 @@ L'instal·lador es tancarà i tots els canvis es perdran. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ L'instal·lador es tancarà i tots els canvis es perdran. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particions manuals</strong><br/>Podeu crear particions o canviar-ne la mida pel vostre compte. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccioneu una partició per a reduir-la i arrossegueu-la per a redimensionar-la</strong> + Select storage de&vice: + @label Seleccioneu un dispositiu d'e&mmagatzematge: @@ -665,56 +690,49 @@ L'instal·lador es tancarà i tots els canvis es perdran. Current: + @label Actual: After: + @label Després: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particions manuals</strong><br/>Podeu crear particions o canviar-ne la mida pel vostre compte. - - Reuse %1 as home partition for %2. - Reutilitza %1 com a partició de l'usuari per a %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccioneu una partició per a reduir-la i arrossegueu-la per a redimensionar-la</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 es reduirà a %2 MiB i es crearà una partició nova de %3 MiB per a %4. - - - Boot loader location: - Ubicació del gestor d'arrancada: - <strong>Select a partition to install on</strong> + @label <strong>Seleccioneu una partició per a fer-hi la instal·lació.</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name No s'ha pogut trobar una partició EFI en cap lloc d'aquest sistema. Torneu arrere i useu les particions manuals per a configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partició EFI de sistema en %1 s'usarà per a iniciar %2. EFI system partition: + @label Partició del sistema EFI: @@ -769,38 +787,51 @@ L'instal·lador es tancarà i tots els canvis es perdran. This storage device has one of its partitions <strong>mounted</strong>. + @info Aquest dispositiu d'emmagatzematge té una de les particions <strong>muntada</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Aquest dispositiu d'emmagatzematge forma part d'un dispositiu de <strong>RAID inactiu</strong>. - No Swap - Sense intercanvi + No swap + @label + - Reuse Swap - Reutilitza l'intercanvi + Reuse swap + @label + Swap (no Hibernate) + @label Intercanvi (sense hibernació) Swap (with Hibernate) + @label Intercanvi (amb hibernació) Swap to file + @label Intercanvi en fitxer + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ L'instal·lador es tancarà i tots els canvis es perdran. Clear mounts for partitioning operations on %1 + @title Neteja els muntatges per a les operacions de partició en %1 - Clearing mounts for partitioning operations on %1. - S'estan netejant els muntatges per a les operacions de les particions en %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ L'instal·lador es tancarà i tots els canvis es perdran. ClearTempMountsJob - Clear all temporary mounts. - Neteja tots els muntatges temporals. - - - Clearing all temporary mounts. - S'estan netejant tots els muntatges temporals. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ L'instal·lador es tancarà i tots els canvis es perdran. - + Package Selection Selecció de paquets - + Please pick a product from the list. The selected product will be installed. Trieu un producte de la llista. S'instal·larà el producte seleccionat. - + Packages Paquets - + Install option: <strong>%1</strong> - + None - + Summary + @label Resum - + This is an overview of what will happen once you start the setup procedure. Això és un resum de què passarà quan s'inicie el procés de configuració. - + This is an overview of what will happen once you start the install procedure. Això és un resum de què passarà quan s'inicie el procés d'instal·lació. @@ -1111,15 +1142,15 @@ L'instal·lador es tancarà i tots els canvis es perdran. - The system language will be set to %1 + The system language will be set to %1. @info - + La llengua del sistema s'establirà en %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Els números i les dates de la configuració local s'establiran en %1. @@ -1196,31 +1227,37 @@ L'instal·lador es tancarà i tots els canvis es perdran. En&crypt + @action En&cripta Logical + @label Lògica Primary + @label Primària GPT + @label GPT Mountpoint already in use. Please select another one. + @info El punt de muntatge ja està en ús. Seleccioneu-ne un altre. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - Crea una partició nova de %2 MiB a %4 (%3) amb el sistema de fitxers %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Crea una partició nova de <strong>%2 MiB</strong> a <strong>%4</strong> (%3) amb el sistema de fitxers <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - S'està creant la partició nova %1 en %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info L'instal·lador no ha pogut crear la partició en el disc '%1'. @@ -1300,18 +1345,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreatePartitionTableJob - Create new %1 partition table on %2. - Creació d'una taula de particions nova %1 en %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Creació d'una taula de particions nova <strong>%1</strong> en <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - S'està creant la taula de particions nova %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,29 +1371,33 @@ L'instal·lador es tancarà i tots els canvis es perdran. - Create user <strong>%1</strong>. - Crea l'usuari <strong>%1</strong>. - - - - Preserving home directory - S'està preservant el directori personal + Create user <strong>%1</strong> + - Creating user %1 - S'està creant l'usuari %1. + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status S'està configurant l'usuari %1 - Setting file permissions - S'estan establint els permisos del fitxer + Setting file permissions… + @status + @@ -1358,6 +1405,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Create Volume Group + @title Crea un grup de volums @@ -1365,18 +1413,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. CreateVolumeGroupJob - Create new volume group named %1. - Crea un grup de volums nou anomenat %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Crea un grup de volums nou anomenat <strong>%1</strong>. - - - - Creating new volume group named %1. - S'està creant el grup de volums nou anomenat %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ L'instal·lador es tancarà i tots els canvis es perdran. - Deactivate volume group named %1. - Desactiva el grup de volums anomenat %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desactiva el grup de volums anomenat <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ L'instal·lador es tancarà i tots els canvis es perdran. DeletePartitionJob - Delete partition %1. - Suprimeix la partició %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Suprimeix la partició <strong>%1</strong>. - - - - Deleting partition %1. - S'està suprimint la partició %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ L'instal·lador es tancarà i tots els canvis es perdran. Please enter the same passphrase in both boxes. + @tooltip Escriviu la mateixa contrasenya en les dues caselles. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ L'instal·lador es tancarà i tots els canvis es perdran. Set partition information + @title Estableix la informació de la partició Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instal·la %1 en la partició de sistema <strong>nova</strong> %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Instal·la %2 en la partició de sistema %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instal·la el gestor d'arrancada en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - S'estableixen els punts de muntatge. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ L'instal·lador es tancarà i tots els canvis es perdran. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formata la partició %1 (sistema de fitxers: %2, mida: %3 MiB) de %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formata la partició de <strong>%3 MiB</strong> <strong>%1</strong> amb el sistema de fitxers <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - S'està formatant la partició %1 amb el sistema de fitxers %2. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ L'instal·lador es tancarà i tots els canvis es perdran. MachineIdJob - + Generate machine-id. Generació de l'id. de la màquina - + Configuration Error S'ha produït un error en la configuració. - + No root mount point is set for MachineId. No s'ha proporcionat el punt de muntatge d'arrel establit per a MachineId. + + + + + + File not found + No s'ha pogut trobar el fitxer. + + + + Path <pre>%1</pre> must be an absolute path. + El camí <pre>%1</pre> ha de ser un camí absolut. + + + + Could not create new random file <pre>%1</pre>. + No s'ha pogut crear el fitxer aleatori nou <pre>%1</pre>. + Map @@ -2799,11 +2879,6 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé Unknown error S'ha produït un error desconegut - - - Password is empty - La contrasenya està buida. - PackageChooserPage @@ -2860,7 +2935,8 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,31 +3042,37 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé Home + @label Inici Boot + @label Arrancada EFI system + @label Sistema EFI Swap + @label Intercanvi New partition for %1 + @label Partició nova per a %1 New partition + @label Partició nova @@ -3006,37 +3088,44 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé Free Space + @title Espai lliure - New partition - Partició nova + New Partition + @title + Name + @title Nom File System + @title Sistema de fitxers File System Label + @title Mount Point + @title Punt de muntatge Size + @title Mida @@ -3115,16 +3204,6 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé PartitionViewStep - - - Gathering system information... - S'està obtenint la informació del sistema... - - - - Partitions - Particions - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé No partitions will be changed. - - - Current: - Actual: - - - - After: - Després: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particions + + + + Current: + @label + Actual: + + + + After: + @label + Després: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé PlasmaLnfJob - Plasma Look-and-Feel Job - Tasca d'aspecte i comportament del Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé Look-and-Feel + @label Aspecte i comportament @@ -3281,8 +3376,9 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé PreserveFiles - Saving files for later ... - S'estan guardant fitxers per a més tard... + Saving files for later… + @status + @@ -3378,26 +3474,12 @@ Eixida: Per defecte - - - - - File not found - No s'ha pogut trobar el fitxer. - - - - Path <pre>%1</pre> must be an absolute path. - El camí <pre>%1</pre> ha de ser un camí absolut. - - - + Directory not found No s'ha trobat el directori - - + Could not create new random file <pre>%1</pre>. No s'ha pogut crear el fitxer aleatori nou <pre>%1</pre>. @@ -3416,11 +3498,6 @@ Eixida: (no mount point) (sense punt de muntatge) - - - Unpartitioned space or unknown partition table - L'espai està sense partir o es desconeix la taula de particions - unknown @@ -3445,6 +3522,12 @@ Eixida: @partition info intercanvi + + + Unpartitioned space or unknown partition table + @info + L'espai està sense partir o es desconeix la taula de particions + Recommended @@ -3460,8 +3543,9 @@ La configuració pot continuar, però és possible que algunes característiques RemoveUserJob - Remove live user from target system - Suprimeix l'usuari de la sessió autònoma del sistema de destinació + Removing live user from the target system… + @status + @@ -3469,13 +3553,15 @@ La configuració pot continuar, però és possible que algunes característiques - Remove Volume Group named %1. - Suprimeix el grup de volums anomenat %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Suprimeix el grup de volums anomenat <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3589,22 +3675,25 @@ La configuració pot continuar, però és possible que algunes característiques ResizePartitionJob - - Resize partition %1. - Canvia la mida de la partició %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Canvia la mida de la partició de <strong>%2 MiB</strong>, <strong>%1</strong>, a <strong>%3 MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Es canvia la mida de la partició %1 de %2 MiB a %3 MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. L'instal·lador no ha pogut canviar la mida de la partició %1 del disc %2. @@ -3614,6 +3703,7 @@ La configuració pot continuar, però és possible que algunes característiques Resize Volume Group + @title Canvia la mida del grup de volums @@ -3621,17 +3711,24 @@ La configuració pot continuar, però és possible que algunes característiques ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Canvia la mida del grup de volums anomenat %1 de %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Canvia la mida del grup de volums anomenat <strong>%1</strong> de <strong>%2</strong> a <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. L'instal·lador no ha pogut canviar la mida del grup de volums anomenat "%1". @@ -3648,13 +3745,15 @@ La configuració pot continuar, però és possible que algunes característiques ScanningDialog - Scanning storage devices... - S'estan escanejant els dispositius d'emmagatzematge... + Scanning storage devices… + @status + - Partitioning - S'estan fent les particions + Partitioning… + @status + @@ -3671,8 +3770,9 @@ La configuració pot continuar, però és possible que algunes característiques - Setting hostname %1. - S'estableix el nom d'amfitrió %1. + Setting hostname %1… + @status + @@ -3736,81 +3836,96 @@ La configuració pot continuar, però és possible que algunes característiques SetPartFlagsJob - Set flags on partition %1. - Estableix els marcadors en la partició %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Estableix els marcadors en la partició %2 de %1 MiB. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Estableix els marcadors en la partició nova. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Neteja els marcadors de la partició <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Neteja els marcadors de la partició <strong>%2</strong> de %1 MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Neteja els marcadors de la partició nova. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Estableix el marcador <strong>%2</strong> en la partició <strong>%1</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Estableix el marcador de la partició <strong>%2</strong> de %1 MiB com a <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Estableix el marcador de la partició nova com a <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - S'estan netejant els marcadors de la partició <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - S'estan netejant els marcadors de la partició <strong>%2</strong>de %1 MiB. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - S'estan netejant els marcadors de la partició nova. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - S'estan establint els marcadors <strong>%2</strong> en la partició <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - S'estan establint els marcadors <strong>%3</strong> en la partició <strong>%2</strong> de %1 MiB. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - S'estan establint els marcadors <strong>%1</strong> en la partició nova. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. L'instal·lador no ha pogut establir els marcadors en la partició %1. @@ -3824,32 +3939,33 @@ La configuració pot continuar, però és possible que algunes característiques - Setting password for user %1. - S'està establint la contrasenya per a l'usuari %1. + Setting password for user %1… + @status + - + Bad destination system path. La destinació de la ruta del sistema és errònia. - + rootMountPoint is %1 El punt de muntatge de l'arrel és %1 - + Cannot disable root account. No es pot desactivar el compte d'arrel. - + Cannot set password for user %1. No es pot establir la contrasenya per a l'usuari %1. - - + + usermod terminated with error code %1. usermod ha terminat amb el codi d'error %1. @@ -3898,8 +4014,9 @@ La configuració pot continuar, però és possible que algunes característiques SetupGroupsJob - Preparing groups. - S'estan preparant els grups. + Preparing groups… + @status + @@ -3917,8 +4034,9 @@ La configuració pot continuar, però és possible que algunes característiques SetupSudoJob - Configure <pre>sudo</pre> users. - Configuració d'usuaris de <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3935,8 +4053,9 @@ La configuració pot continuar, però és possible que algunes característiques ShellProcessJob - Shell Processes Job - Tasca de processos de l'intèrpret d'ordres + Running shell processes… + @status + @@ -3985,8 +4104,9 @@ La configuració pot continuar, però és possible que algunes característiques - Sending installation feedback. - S'envia la informació de retorn de la instal·lació. + Sending installation feedback… + @status + @@ -4008,8 +4128,9 @@ La configuració pot continuar, però és possible que algunes característiques - Configuring KDE user feedback. - S'està configurant la informació de retorn dels usuaris de KDE. + Configuring KDE user feedback… + @status + @@ -4037,8 +4158,9 @@ La configuració pot continuar, però és possible que algunes característiques - Configuring machine feedback. - Es configura la informació de retorn de la màquina. + Configuring machine feedback… + @status + @@ -4100,6 +4222,7 @@ La configuració pot continuar, però és possible que algunes característiques Feedback + @title Realimentació @@ -4107,8 +4230,9 @@ La configuració pot continuar, però és possible que algunes característiques UmountJob - Unmount file systems. - Desmunta els sistemes de fitxers. + Unmounting file systems… + @status + @@ -4266,11 +4390,6 @@ La configuració pot continuar, però és possible que algunes característiques &Release notes &Notes de la versió - - - %1 support - %1 soport - About %1 Setup @@ -4283,12 +4402,19 @@ La configuració pot continuar, però és possible que algunes característiques @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Benvingut @@ -4297,6 +4423,7 @@ La configuració pot continuar, però és possible que algunes característiques Welcome + @title Benvingut @@ -4304,7 +4431,8 @@ La configuració pot continuar, però és possible que algunes característiques ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4741,21 +4869,11 @@ La configuració pot continuar, però és possible que algunes característiques What is your name? Quin és el vostre nom? - - - Your Full Name - Nom complet - What name do you want to use to log in? Quin nom voleu utilitzar per a entrar al sistema? - - - Login Name - Nom d'entrada - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4776,11 +4894,6 @@ La configuració pot continuar, però és possible que algunes característiques What is the name of this computer? Quin és el nom d'aquest ordinador? - - - Computer Name - Nom de l'ordinador - This name will be used if you make the computer visible to others on a network. @@ -4801,16 +4914,21 @@ La configuració pot continuar, però és possible que algunes característiques Password Contrasenya - - - Repeat Password - Repetiu la contrasenya - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Escriviu la mateixa contrasenya dues vegades per a poder comprovar-ne els errors de mecanografia. Una bona contrasenya contindrà una barreja de lletres, números i signes de puntuació. Hauria de tindre un mínim de huit caràcters i s'hauria de canviar sovint. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4826,11 +4944,31 @@ La configuració pot continuar, però és possible que algunes característiques Log in automatically without asking for the password Entra automàticament sense demanar la contrasenya. + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4846,16 +4984,6 @@ La configuració pot continuar, però és possible que algunes característiques Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantindre el compte segur. - - - Root Password - Contrasenya d'arrel - - - - Repeat Root Password - Repetiu la contrasenya d'arrel. - Enter the same password twice, so that it can be checked for typing errors. @@ -4874,21 +5002,11 @@ La configuració pot continuar, però és possible que algunes característiques What is your name? Quin és el vostre nom? - - - Your Full Name - Nom complet - What name do you want to use to log in? Quin nom voleu utilitzar per a entrar al sistema? - - - Login Name - Nom d'entrada - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4909,10 +5027,20 @@ La configuració pot continuar, però és possible que algunes característiques What is the name of this computer? Quin és el nom d'aquest ordinador? + + + Your full name + + + + + Login name + + - Computer Name - Nom de l'ordinador + Computer name + @@ -4941,8 +5069,18 @@ La configuració pot continuar, però és possible que algunes característiques - Repeat Password - Repetiu la contrasenya + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4964,16 +5102,6 @@ La configuració pot continuar, però és possible que algunes característiques Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantindre el compte segur. - - - Root Password - Contrasenya d'arrel - - - - Repeat Root Password - Repetiu la contrasenya d'arrel. - Enter the same password twice, so that it can be checked for typing errors. @@ -5011,13 +5139,13 @@ La configuració pot continuar, però és possible que algunes característiques - Known issues - Incidències conegudes + Known Issues + - Release notes - Notes de la versió + Release Notes + @@ -5041,13 +5169,13 @@ La configuració pot continuar, però és possible que algunes característiques - Known issues - Incidències conegudes + Known Issues + - Release notes - Notes de la versió + Release Notes + diff --git a/lang/calamares_cs_CZ.ts b/lang/calamares_cs_CZ.ts index e16832650e..c3f31558d6 100644 --- a/lang/calamares_cs_CZ.ts +++ b/lang/calamares_cs_CZ.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Spravovat nastavení automatického připojování (mount) + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Hlavní zaváděcí záznam (MBR) na %1 Boot Partition + @info Zaváděcí oddíl System Partition + @info Systémový oddíl Do not install a boot loader + @label Neinstalovat zavaděč systému @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Nainstalovat @@ -637,18 +642,27 @@ Instalační program bude ukončen a všechny změny ztraceny. ChangeFilesystemLabelJob - Set filesystem label on %1. - Nastavit jmenovku souborového systému na %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Nastavit jmenovku souborového systému <strong>%1</strong> oddílu <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Instalátoru se nezdařilo aktualizovat tabulku oddílů na jednotce „%1“. @@ -662,9 +676,20 @@ Instalační program bude ukončen a všechny změny ztraceny. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ruční rozdělení datového úložiště</strong><br/>Sami si můžete vytvořit vytvořit nebo zvětšit/zmenšit oddíly. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vyberte oddíl, který chcete zmenšit, poté posouváním na spodní liště změňte jeho velikost.</strong> + Select storage de&vice: + @label &Vyberte úložné zařízení: @@ -673,56 +698,49 @@ Instalační program bude ukončen a všechny změny ztraceny. Current: + @label Stávající: After: - Po: - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ruční rozdělení datového úložiště</strong><br/>Sami si můžete vytvořit vytvořit nebo zvětšit/zmenšit oddíly. + @label + Potom: - Reuse %1 as home partition for %2. - Zrecyklovat %1 na oddíl pro domovské složky %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vyberte oddíl, který chcete zmenšit, poté posouváním na spodní liště změňte jeho velikost.</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 bude zmenšen na %2MiB a nový %3MiB oddíl pro %4 bude vytvořen. - - - Boot loader location: - Umístění zavaděče: - <strong>Select a partition to install on</strong> + @label <strong>Vyberte oddíl na který nainstalovat</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Nebyl nalezen žádný EFI systémový oddíl. Vraťte se zpět a nastavte %1 pomocí ručního rozdělení. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Pro zavedení %2 se využije EFI systémový oddíl %1. EFI system partition: + @label EFI systémový oddíl: @@ -777,38 +795,51 @@ Instalační program bude ukončen a všechny změny ztraceny. This storage device has one of its partitions <strong>mounted</strong>. + @info Některé z oddílů tohoto úložného zařízení jsou <strong>připojené</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Toto úložné zařízení je součástí <strong>neaktivního RAID</strong> zařízení. - No Swap - Žádný odkládací prostor (swap) + No swap + @label + - Reuse Swap - Použít existující odkládací prostor + Reuse swap + @label + Swap (no Hibernate) + @label Odkládací prostor (bez uspávání na disk) Swap (with Hibernate) + @label Odkládací prostor (s uspáváním na disk) Swap to file + @label Odkládat do souboru + + + Bootloader location: + @label + + ClearMountsJob @@ -840,12 +871,14 @@ Instalační program bude ukončen a všechny změny ztraceny. Clear mounts for partitioning operations on %1 + @title Odpojit souborové systémy před zahájením dělení %1 na oddíly - Clearing mounts for partitioning operations on %1. - Odpojují se souborové systémy před zahájením dělení %1 na oddíly + Clearing mounts for partitioning operations on %1… + @status + @@ -857,13 +890,10 @@ Instalační program bude ukončen a všechny změny ztraceny. ClearTempMountsJob - Clear all temporary mounts. - Odpojit všechny dočasné přípojné body. - - - Clearing all temporary mounts. - Odpojují se všechny dočasné přípojné body. + Clearing all temporary mounts… + @status + @@ -1012,42 +1042,43 @@ Instalační program bude ukončen a všechny změny ztraceny. OK! - + Package Selection Výběr balíčků - + Please pick a product from the list. The selected product will be installed. Vyberte produkt ze seznamu. Ten vybraný bude nainstalován. - + Packages Balíčky - + Install option: <strong>%1</strong> Volba instalace: <strong>%1</strong> - + None Žádné - + Summary + @label Souhrn - + This is an overview of what will happen once you start the setup procedure. Toto je přehled událostí které nastanou po spuštění instalačního procesu. - + This is an overview of what will happen once you start the install procedure. Toto je přehled událostí které nastanou po spuštění instalačního procesu. @@ -1119,15 +1150,15 @@ Instalační program bude ukončen a všechny změny ztraceny. - The system language will be set to %1 + The system language will be set to %1. @info - + Jazyk systému bude nastaven na %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Formát zobrazení čísel, data a času bude nastaven dle národního prostředí %1. @@ -1204,31 +1235,37 @@ Instalační program bude ukončen a všechny změny ztraceny. En&crypt + @action Š&ifrovat Logical + @label Logický Primary + @label Primární GPT + @label GPT Mountpoint already in use. Please select another one. - Tento přípojný bod už je používán – vyberte jiný. + @info + Tento přípojný bod je už používán – vyberte jiný. Mountpoint must start with a <tt>/</tt>. + @info Je třeba, aby přípojný bod začínal na <tt>/</tt> (dopředné lomítko). @@ -1236,43 +1273,51 @@ Instalační program bude ukončen a všechny změny ztraceny. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Vytvořit nový %1MiB oddíl na %3 (%2) s položkami %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Vytvořit nový %1MiB oddíl na %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Vytvořit nový %2MiB oddíl na %4 (%3) se souborovým systémem %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Vytvořit nový <strong>%1MiB</strong> oddíl na <strong>%3</strong> (%2) s položkami <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Vytvořit nový <strong>%1MIB</strong> oddíl na <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Vytvořit nový <strong>%2MiB</strong> oddíl na <strong>%4</strong> (%3) se souborovým systémem <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Vytváří se nový %1 oddíl na %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Instalátoru se nepodařilo vytvořit oddíl na datovém úložišti „%1“. @@ -1308,18 +1353,16 @@ Instalační program bude ukončen a všechny změny ztraceny. CreatePartitionTableJob - Create new %1 partition table on %2. - Vytvořit novou %1 tabulku oddílů na %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Vytvořit novou <strong>%1</strong> tabulku oddílů na <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Vytváří se nová %1 tabulka oddílů na %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1336,29 +1379,33 @@ Instalační program bude ukončen a všechny změny ztraceny. - Create user <strong>%1</strong>. - Vytvořit uživatele <strong>%1</strong>. - - - - Preserving home directory - Zachovává se domovská složka + Create user <strong>%1</strong> + - Creating user %1 - Vytváření uživatele %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Nastavuje se uživatel %1 - Setting file permissions - Nastavují se přístupová práva k souboru + Setting file permissions… + @status + @@ -1366,6 +1413,7 @@ Instalační program bude ukončen a všechny změny ztraceny. Create Volume Group + @title Vytvořit skupinu svazků @@ -1373,18 +1421,16 @@ Instalační program bude ukončen a všechny změny ztraceny. CreateVolumeGroupJob - Create new volume group named %1. - Vytvořit novou skupinu svazků nazvanou %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Vytvořit novou skupinu svazků nazvanou <strong>%1</strong>. - - - - Creating new volume group named %1. - Vytváří se nová skupina svazků nazvaná %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1397,13 +1443,15 @@ Instalační program bude ukončen a všechny změny ztraceny. - Deactivate volume group named %1. - Deaktivovat skupinu svazků nazvanou %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Deaktivovat skupinu svazků nazvanou <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1415,18 +1463,16 @@ Instalační program bude ukončen a všechny změny ztraceny. DeletePartitionJob - Delete partition %1. - Smazat oddíl %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Smazat oddíl <strong>%1</strong>. - - - - Deleting partition %1. - Odstraňuje se oddíl %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1611,11 +1657,13 @@ Instalační program bude ukončen a všechny změny ztraceny. Please enter the same passphrase in both boxes. + @tooltip Zadejte stejnou heslovou frázi do obou kolonek. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1637,57 +1685,68 @@ Instalační program bude ukončen a všechny změny ztraceny. Set partition information + @title Nastavit informace o oddílu Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Nainstalovat %1 na <strong>nový</strong> systémový oddíl %2 s funkcemi <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Nainstalovat %1 na <strong>nový</strong> %2 systémový oddíl. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Nastavit <strong>nový</strong> %2 oddíl s přípojným bodem <strong>%1</strong>a funkcemi <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Nastavit <strong>nový</strong> %2 oddíl s přípojným bodem <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Nainstalovat %2 na systémový oddíl %3 <strong>%1</strong> s funkcemi <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Nastavit %3 oddíl <strong>%1</strong> s přípojným bodem <strong>%2</strong> a funkcemi <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Nastavit %3 oddíl <strong>%1</strong> s přípojným bodem <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Nainstalovat %2 na %3 systémový oddíl <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Nainstalovat zavaděč do <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Nastavují se přípojné body. + + Setting up mount points… + @status + @@ -1756,24 +1815,27 @@ Instalační program bude ukončen a všechny změny ztraceny. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formátovat oddíl %1 (souborový systém: %2, velikost %3 MiB) na %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Naformátovat <strong>%3MiB</strong> oddíl <strong>%1</strong> souborovým systémem <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Vytváření souborového systému %2 na oddílu %1. + + Formatting partition %1 with file system %2… + @status + @@ -2266,20 +2328,38 @@ Instalační program bude ukončen a všechny změny ztraceny. MachineIdJob - + Generate machine-id. Vytvořit identifikátor stroje. - + Configuration Error Chyba nastavení - + No root mount point is set for MachineId. Pro MachineId není nastaven žádný kořenový přípojný bod. + + + + + + File not found + Soubor nenalezen + + + + Path <pre>%1</pre> must be an absolute path. + Je třeba, aby <pre>%1</pre>byl úplný popis umístění. + + + + Could not create new random file <pre>%1</pre>. + Nepodařilo se vytvořit nový náhodný soubor <pre>%1</pre>. + Map @@ -2825,11 +2905,6 @@ Instalační program bude ukončen a všechny změny ztraceny. Unknown error Neznámá chyba - - - Password is empty - Heslo není vyplněné - PackageChooserPage @@ -2886,7 +2961,8 @@ Instalační program bude ukončen a všechny změny ztraceny. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2992,31 +3068,37 @@ Instalační program bude ukončen a všechny změny ztraceny. Home + @label Složky uživatelů (home) Boot + @label Zaváděcí (boot) EFI system + @label EFI systémový Swap + @label Odkládání str. z oper. paměti (swap) New partition for %1 + @label Nový oddíl pro %1 New partition + @label Nový oddíl @@ -3032,37 +3114,44 @@ Instalační program bude ukončen a všechny změny ztraceny. Free Space + @title Volné místo - New partition - Nový oddíl + New Partition + @title + Name + @title Název File System + @title Souborový systém File System Label + @title Jmenovka souborového systému Mount Point + @title Přípojný bod Size + @title Velikost @@ -3141,16 +3230,6 @@ Instalační program bude ukončen a všechny změny ztraceny. PartitionViewStep - - - Gathering system information... - Shromažďování informací o systému… - - - - Partitions - Oddíly - Unsafe partition actions are enabled. @@ -3166,16 +3245,6 @@ Instalační program bude ukončen a všechny změny ztraceny. No partitions will be changed. Žádné oddíly nebudou změněny. - - - Current: - Stávající: - - - - After: - Potom: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3227,6 +3296,30 @@ Instalační program bude ukončen a všechny změny ztraceny. The filesystem must have flag <strong>%1</strong> set. Je třeba, aby souborový systém měl nastavený příznak <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Oddíly + + + + Current: + @label + Stávající: + + + + After: + @label + Potom: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3272,8 +3365,9 @@ Instalační program bude ukončen a všechny změny ztraceny. PlasmaLnfJob - Plasma Look-and-Feel Job - Úloha vzhledu a dojmu z Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3300,6 +3394,7 @@ Instalační program bude ukončen a všechny změny ztraceny. Look-and-Feel + @label Vzhled a dojem z @@ -3307,8 +3402,9 @@ Instalační program bude ukončen a všechny změny ztraceny. PreserveFiles - Saving files for later ... - Ukládání souborů pro pozdější využití… + Saving files for later… + @status + @@ -3404,26 +3500,12 @@ Výstup: Výchozí - - - - - File not found - Soubor nenalezen - - - - Path <pre>%1</pre> must be an absolute path. - Je třeba, aby <pre>%1</pre>byl úplný popis umístění. - - - + Directory not found Složka nenalezena - - + Could not create new random file <pre>%1</pre>. Nepodařilo se vytvořit nový náhodný soubor <pre>%1</pre>. @@ -3442,11 +3524,6 @@ Výstup: (no mount point) (žádný přípojný bod) - - - Unpartitioned space or unknown partition table - Nerozdělené prázné místo nebo neznámá tabulka oddílů - unknown @@ -3471,6 +3548,12 @@ Výstup: @partition info odkládací oddíl + + + Unpartitioned space or unknown partition table + @info + Nerozdělené prázné místo nebo neznámá tabulka oddílů + Recommended @@ -3486,8 +3569,9 @@ Výstup: RemoveUserJob - Remove live user from target system - Odebrat uživatele živé relace z cílového systému + Removing live user from the target system… + @status + @@ -3495,13 +3579,15 @@ Výstup: - Remove Volume Group named %1. - Odebrat skupinu svazků nazvanou %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Odebrat skupinu svazků nazvanou <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3615,22 +3701,25 @@ Výstup: ResizePartitionJob - - Resize partition %1. - Změnit velikost oddílu %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Změnit velikost <strong>%2MiB</strong> oddílu <strong>%1</strong> na <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Změna velikosti %2MiB oddílu %1 na %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Instalátoru se nepodařilo změnit velikost oddílu %1 na jednotce „%2“. @@ -3640,6 +3729,7 @@ Výstup: Resize Volume Group + @title Změnit velikost skupiny svazků @@ -3647,17 +3737,24 @@ Výstup: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Změnit skupinu svazků nazvanou %1 z %2 na %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Změnit velikost skupiny nazvané <strong>%1</strong> z <strong>%</strong> na <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Instalátoru se nepodařilo změnit velikost skupiny svazků zvanou „%1“. @@ -3674,13 +3771,15 @@ Výstup: ScanningDialog - Scanning storage devices... - Skenování úložných zařízení… + Scanning storage devices… + @status + - Partitioning - Dělení jednotky + Partitioning… + @status + @@ -3697,8 +3796,9 @@ Výstup: - Setting hostname %1. - Nastavuje se název počítače %1. + Setting hostname %1… + @status + @@ -3762,81 +3862,96 @@ Výstup: SetPartFlagsJob - Set flags on partition %1. - Nastavit příznaky na oddílu %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Nastavit příznaky na %1MiB %2 oddílu. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Nastavit příznaky na novém oddílu. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Vymazat příznaky z oddílu <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Odstranit příznaky z %1MiB <strong>%2</strong> oddílu. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Vymazat příznaky z nového oddílu. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Nastavit příznak oddílu <strong>%1</strong> jako <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Označit %1MiB <strong>%2</strong> oddíl jako <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Nastavit příznak <strong>%1</strong> na novém oddílu. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Mazání příznaků oddílu <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Odstraňování příznaků na %1MiB <strong>%2</strong> oddílu. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Mazání příznaků na novém oddílu. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Nastavování příznaků <strong>%2</strong> na oddílu <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Nastavování příznaků <strong>%3</strong> na %1MiB <strong>%2</strong> oddílu. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Nastavování příznaků <strong>%1</strong> na novém oddílu. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Instalátoru se nepodařilo nastavit příznak na oddílu %1 @@ -3850,32 +3965,33 @@ Výstup: - Setting password for user %1. - Nastavuje se heslo pro uživatele %1. + Setting password for user %1… + @status + - + Bad destination system path. Chybný popis cílového umístění systému. - + rootMountPoint is %1 Přípojný bod kořenového souborového systému (root) je %1 - + Cannot disable root account. Nedaří se zakázat účet správce systému (root). - + Cannot set password for user %1. Nepodařilo se nastavit heslo uživatele %1. - - + + usermod terminated with error code %1. Příkaz usermod ukončen s chybovým kódem %1. @@ -3924,8 +4040,9 @@ Výstup: SetupGroupsJob - Preparing groups. - Příprava skupin. + Preparing groups… + @status + @@ -3943,8 +4060,9 @@ Výstup: SetupSudoJob - Configure <pre>sudo</pre> users. - Nastavit <pre>sudo</pre> uživatele. + Configuring <pre>sudo</pre> users… + @status + @@ -3961,8 +4079,9 @@ Výstup: ShellProcessJob - Shell Processes Job - Úloha shellových procesů + Running shell processes… + @status + @@ -4011,8 +4130,9 @@ Výstup: - Sending installation feedback. - Posílání zpětné vazby z instalace. + Sending installation feedback… + @status + @@ -4034,8 +4154,9 @@ Výstup: - Configuring KDE user feedback. - Nastavuje se zpětná vazba od uživatele pro KDE + Configuring KDE user feedback… + @status + @@ -4063,8 +4184,9 @@ Výstup: - Configuring machine feedback. - Nastavování zpětné vazby ze stroje + Configuring machine feedback… + @status + @@ -4126,6 +4248,7 @@ Výstup: Feedback + @title Zpětná vazba @@ -4133,8 +4256,9 @@ Výstup: UmountJob - Unmount file systems. - Odpojit souborové systémy. + Unmounting file systems… + @status + @@ -4292,11 +4416,6 @@ Výstup: &Release notes &Poznámky k vydání - - - %1 support - %1 podpora - About %1 Setup @@ -4309,12 +4428,19 @@ Výstup: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Vítejte @@ -4323,6 +4449,7 @@ Výstup: Welcome + @title Vítejte @@ -4330,8 +4457,9 @@ Výstup: ZfsJob - Create ZFS pools and datasets - Vytvořit zfs fondy a datové sady + Creating ZFS pools and datasets… + @status + @@ -4774,21 +4902,11 @@ Výstup: What is your name? Jak se jmenujete? - - - Your Full Name - Vaše celé jméno - What name do you want to use to log in? Jaké jméno chcete používat pro přihlašování do systému? - - - Login Name - Přihlašovací jméno - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4809,11 +4927,6 @@ Výstup: What is the name of this computer? Jaký je název tohoto počítače? - - - Computer Name - Název počítače - This name will be used if you make the computer visible to others on a network. @@ -4834,16 +4947,21 @@ Výstup: Password Heslo - - - Repeat Password - Zopakování zadání hesla - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Zadání hesla zopakujte i do kontrolní kolonky, abyste měli jistotu, že jste napsali, co zamýšleli (že nedošlo k překlepu). Dobré heslo se bude skládat z písmen, číslic a interpunkce a mělo by být alespoň osm znaků dlouhé. Heslo byste také měli pravidelně měnit (prevence škod z jeho případného prozrazení). + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4859,11 +4977,31 @@ Výstup: Log in automatically without asking for the password Přihlašovat se automaticky bez zadávání hesla + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Je možné použít pouze písmena, číslice, podtržítko a spojovník. Dále je třeba, aby délka byla alespoň dva znaky. + + + Repeat password + + Reuse user password as root password @@ -4879,16 +5017,6 @@ Výstup: Choose a root password to keep your account safe. Zvolte heslo uživatele root, aby byl váš účet v bezpečí. - - - Root Password - Heslo uživatele root - - - - Repeat Root Password - Zopakujte zadání hesla pro správce systému (root) - Enter the same password twice, so that it can be checked for typing errors. @@ -4907,21 +5035,11 @@ Výstup: What is your name? Jak se jmenujete? - - - Your Full Name - Vaše celé jméno - What name do you want to use to log in? Jaké jméno chcete používat pro přihlašování do systému? - - - Login Name - Přihlašovací jméno - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4942,10 +5060,20 @@ Výstup: What is the name of this computer? Jaký je název tohoto počítače? + + + Your full name + + + + + Login name + + - Computer Name - Název počítače + Computer name + @@ -4974,8 +5102,18 @@ Výstup: - Repeat Password - Zopakování zadání hesla + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4997,16 +5135,6 @@ Výstup: Choose a root password to keep your account safe. Zvolte heslo uživatele root, aby byl váš účet v bezpečí. - - - Root Password - Heslo uživatele root - - - - Repeat Root Password - Zopakujte zadání hesla pro správce systému (root) - Enter the same password twice, so that it can be checked for typing errors. @@ -5044,13 +5172,13 @@ Výstup: - Known issues - Známé problémy + Known Issues + - Release notes - Poznámky k vydání + Release Notes + @@ -5074,13 +5202,13 @@ Výstup: - Known issues - Známé problémy + Known Issues + - Release notes - Poznámky k vydání + Release Notes + diff --git a/lang/calamares_da.ts b/lang/calamares_da.ts index 773606e796..13c61dfdb4 100644 --- a/lang/calamares_da.ts +++ b/lang/calamares_da.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record af %1 Boot Partition + @info Bootpartition System Partition + @info Systempartition Do not install a boot loader + @label Installér ikke en bootloader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Installation @@ -629,18 +634,27 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Installationsprogrammet kunne ikke opdatere partitionstabel på disk '%1'. @@ -654,9 +668,20 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuel partitionering</strong><br/>Du kan selv oprette og ændre størrelse på partitioner. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vælg en partition der skal mindskes, træk herefter den nederste bjælke for at ændre størrelsen</strong> + Select storage de&vice: + @label Vælg lageren&hed: @@ -665,56 +690,49 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Current: + @label Nuværende: After: + @label Efter: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuel partitionering</strong><br/>Du kan selv oprette og ændre størrelse på partitioner. - - Reuse %1 as home partition for %2. - Genbrug %1 som hjemmepartition til %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vælg en partition der skal mindskes, træk herefter den nederste bjælke for at ændre størrelsen</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 vil blive skrumpet til %2 MiB og en ny %3 MiB partition vil blive oprettet for %4. - - - Boot loader location: - Placering af bootloader: - <strong>Select a partition to install on</strong> + @label <strong>Vælg en partition at installere på</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name En EFI-partition blev ikke fundet på systemet. Gå venligst tilbage og brug manuel partitionering til at opsætte %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI-systempartitionen ved %1 vil blive brugt til at starte %2. EFI system partition: + @label EFI-systempartition: @@ -769,38 +787,51 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. This storage device has one of its partitions <strong>mounted</strong>. + @info Lagerenhden har en af sine partitioner <strong>monteret</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Lagringsenheden er en del af en <strong>inaktiv RAID</strong>-enhed. - No Swap - Ingen swap + No swap + @label + - Reuse Swap - Genbrug swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (ingen dvale) Swap (with Hibernate) + @label Swap (med dvale) Swap to file + @label Swap til fil + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Clear mounts for partitioning operations on %1 + @title Ryd monteringspunkter for partitioneringshandlinger på %1 - Clearing mounts for partitioning operations on %1. - Rydder monteringspunkter for partitioneringshandlinger på %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.ClearTempMountsJob - Clear all temporary mounts. - Ryd alle midlertidige monteringspunkter. - - - Clearing all temporary mounts. - Rydder alle midlertidige monteringspunkter. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - + Package Selection Valg af pakke - + Please pick a product from the list. The selected product will be installed. Vælg venligst et produkt fra listen. Det valgte produkt installeres. - + Packages Pakker - + Install option: <strong>%1</strong> - + None - + Summary + @label Opsummering - + This is an overview of what will happen once you start the setup procedure. Dette er et overblik over hvad der vil ske når du starter opsætningsprocessen. - + This is an overview of what will happen once you start the install procedure. Dette er et overblik over hvad der vil ske når du starter installationsprocessen. @@ -1111,15 +1142,15 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - The system language will be set to %1 + The system language will be set to %1. @info - + Systemets sprog indstilles til %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Lokalitet for tal og datoer indstilles til %1. @@ -1196,31 +1227,37 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. En&crypt + @action Kryp&tér Logical + @label Logisk Primary + @label Primær GPT + @label GPT Mountpoint already in use. Please select another one. + @info Monteringspunktet er allerede i brug. Vælg venligst et andet. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - Opret en ny %2 MiB partition på %4 (%3) med %1-filsystem. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Opret en ny <strong>%2 MiB</strong> partition på <strong>%4</strong> (%3) med <strong>%1</strong>-filsystem. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Opretter ny %1-partition på %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Installationsprogrammet kunne ikke oprette partition på disk '%1'. @@ -1300,18 +1345,16 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.CreatePartitionTableJob - Create new %1 partition table on %2. - Opret en ny %1-partitionstabel på %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Opret en ny <strong>%1</strong>-partitionstabel på <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Opretter ny %1-partitionstabel på %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,29 +1371,33 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - Create user <strong>%1</strong>. - Opret brugeren <strong>%1</strong>. - - - - Preserving home directory - Bevarer hjemmemappe + Create user <strong>%1</strong> + - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status Konfigurerer brugeren %1 - Setting file permissions - Indstiller filtilladelser + Setting file permissions… + @status + @@ -1358,6 +1405,7 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Create Volume Group + @title Opret diskområdegruppe @@ -1365,18 +1413,16 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.CreateVolumeGroupJob - Create new volume group named %1. - Opret ny diskområdegruppe ved navn %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Opret ny diskområdegruppe ved navn <strong>%1</strong>. - - - - Creating new volume group named %1. - Opretter ny diskområdegruppe ved navn %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - Deactivate volume group named %1. - Deaktivér diskområdegruppe ved navn %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Deaktivér diskområdegruppe ved navn <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.DeletePartitionJob - Delete partition %1. - Slet partition %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Slet partition <strong>%1</strong>. - - - - Deleting partition %1. - Sletter partition %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Please enter the same passphrase in both boxes. + @tooltip Indtast venligst samme adgangskode i begge bokse. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Set partition information + @title Indstil partitionsinformation Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Installér %1 på <strong>ny</strong> %2-systempartition. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Installér %2 på %3-systempartition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Installér bootloader på <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Opsætter monteringspunkter. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatér partition %1 (filsystem: %2, størrelse: %3 MiB) på %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatér <strong>%3 MiB</strong> partition <strong>%1</strong> med <strong>%2</strong>-filsystem. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatterer partition %1 med %2-filsystem. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. MachineIdJob - + Generate machine-id. Generér maskin-id. - + Configuration Error Fejl ved konfiguration - + No root mount point is set for MachineId. Der er ikke angivet noget rodmonteringspunkt for MachineId. + + + + + + File not found + Filen blev ikke fundet + + + + Path <pre>%1</pre> must be an absolute path. + Stien <pre>%1</pre> skal være en absolut sti. + + + + Could not create new random file <pre>%1</pre>. + Kunne ikke oprette den tilfældige fil <pre>%1</pre>. + Map @@ -2799,11 +2879,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Unknown error Ukendt fejl - - - Password is empty - Adgangskoden er tom - PackageChooserPage @@ -2860,7 +2935,8 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,31 +3042,37 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Home + @label Hjem Boot + @label Boot EFI system + @label EFI-system Swap + @label Swap New partition for %1 + @label Ny partition til %1 New partition + @label Ny partition @@ -3006,37 +3088,44 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Free Space + @title Ledig plads - New partition - Ny partition + New Partition + @title + Name + @title Navn File System + @title Filsystem File System Label + @title Mount Point + @title Monteringspunkt Size + @title Størrelse @@ -3115,16 +3204,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. PartitionViewStep - - - Gathering system information... - Indsamler systeminformation ... - - - - Partitions - Partitioner - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.No partitions will be changed. - - - Current: - Nuværende: - - - - After: - Efter: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partitioner + + + + Current: + @label + Nuværende: + + + + After: + @label + Efter: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma udseende og fremtoning-job + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Look-and-Feel + @label Udseende og fremtoning @@ -3281,8 +3376,9 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.PreserveFiles - Saving files for later ... - Gemmer filer til senere ... + Saving files for later… + @status + @@ -3378,26 +3474,12 @@ Output: Standard - - - - - File not found - Filen blev ikke fundet - - - - Path <pre>%1</pre> must be an absolute path. - Stien <pre>%1</pre> skal være en absolut sti. - - - + Directory not found Mappen blev ikke fundet - - + Could not create new random file <pre>%1</pre>. Kunne ikke oprette den tilfældige fil <pre>%1</pre>. @@ -3416,11 +3498,6 @@ Output: (no mount point) (intet monteringspunkt) - - - Unpartitioned space or unknown partition table - Upartitioneret plads eller ukendt partitionstabel - unknown @@ -3445,6 +3522,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Upartitioneret plads eller ukendt partitionstabel + Recommended @@ -3461,8 +3544,9 @@ setting RemoveUserJob - Remove live user from target system - Fjern livebruger fra målsystemet + Removing live user from the target system… + @status + @@ -3470,13 +3554,15 @@ setting - Remove Volume Group named %1. - Fjern diskområdegruppe ved navn %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Fjern diskområdegruppe ved navn <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3590,22 +3676,25 @@ setting ResizePartitionJob - - Resize partition %1. - Ændr størrelse på partition %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Ændr størrelse af <strong>%2 MiB</strong> partition <strong>%1</strong> til <strong>%3 MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Ændrer størrelsen på %2 MiB partition %1 til %3 MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Installationsprogrammet kunne ikke ændre størrelse på partition %1 på disk '%2'. @@ -3615,6 +3704,7 @@ setting Resize Volume Group + @title Ændr størrelse på diskområdegruppe @@ -3622,17 +3712,24 @@ setting ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ændr størrelse på diskområdegruppe ved navn %1 fra %2 til %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Ændr størrelse af diskområdegruppe ved navn <strong>%1</strong> fra <strong>%2</strong> til <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Installationsprogrammet kunne ikke ændre størrelsen på en diskområdegruppe ved navn '%1'. @@ -3649,13 +3746,15 @@ setting ScanningDialog - Scanning storage devices... - Skanner lagerenheder ... + Scanning storage devices… + @status + - Partitioning - Partitionering + Partitioning… + @status + @@ -3672,8 +3771,9 @@ setting - Setting hostname %1. - Indstiller værtsnavn %1. + Setting hostname %1… + @status + @@ -3737,81 +3837,96 @@ setting SetPartFlagsJob - Set flags on partition %1. - Indstil flag på partition %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Indstil flag på %1 MiB %2 partition. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Indstil flag på ny partition. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Ryd flag på partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Ryd flag på %1 MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Ryd flag på ny partition. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Flag partition <strong>%1</strong> som <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Flag %1 MiB <strong>%2</strong> partition som <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Flag ny partition som <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Rydder flag på partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Rydder flag på %1 MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Rydder flag på ny partition. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Indstiller flag <strong>%2</strong> på partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Indstiller flag <strong>%3</strong> på %1 MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Indstiller flag <strong>%1</strong> på ny partition. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Installationsprogrammet kunne ikke indstille flag på partition %1. @@ -3825,32 +3940,33 @@ setting - Setting password for user %1. - Indstiller adgangskode for brugeren %1. + Setting password for user %1… + @status + - + Bad destination system path. Ugyldig destinationssystemsti. - + rootMountPoint is %1 rodMonteringsPunkt er %1 - + Cannot disable root account. Kan ikke deaktivere root-konto. - + Cannot set password for user %1. Kan ikke indstille adgangskode for brugeren %1. - - + + usermod terminated with error code %1. usermod stoppet med fejlkoden %1. @@ -3899,8 +4015,9 @@ setting SetupGroupsJob - Preparing groups. - Forbereder grupper. + Preparing groups… + @status + @@ -3918,8 +4035,9 @@ setting SetupSudoJob - Configure <pre>sudo</pre> users. - Konfigurer <pre>sudo</pre>-brugere. + Configuring <pre>sudo</pre> users… + @status + @@ -3936,8 +4054,9 @@ setting ShellProcessJob - Shell Processes Job - Skal-procesjob + Running shell processes… + @status + @@ -3986,8 +4105,9 @@ setting - Sending installation feedback. - Sender installationsfeedback. + Sending installation feedback… + @status + @@ -4009,8 +4129,9 @@ setting - Configuring KDE user feedback. - Konfigurerer KDE-brugerfeedback. + Configuring KDE user feedback… + @status + @@ -4038,8 +4159,9 @@ setting - Configuring machine feedback. - Konfigurerer maskinfeedback. + Configuring machine feedback… + @status + @@ -4101,6 +4223,7 @@ setting Feedback + @title Feedback @@ -4108,8 +4231,9 @@ setting UmountJob - Unmount file systems. - Afmonter filsystemer. + Unmounting file systems… + @status + @@ -4267,11 +4391,6 @@ setting &Release notes &Udgivelsesnoter - - - %1 support - %1 support - About %1 Setup @@ -4284,12 +4403,19 @@ setting @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Velkommen @@ -4298,6 +4424,7 @@ setting Welcome + @title Velkommen @@ -4305,7 +4432,8 @@ setting ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4742,21 +4870,11 @@ setting What is your name? Hvad er dit navn? - - - Your Full Name - Dit fulde navn - What name do you want to use to log in? Hvilket navn skal bruges til at logge ind? - - - Login Name - Loginnavn - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4777,11 +4895,6 @@ setting What is the name of this computer? Hvad er navnet på computeren? - - - Computer Name - Computernavn - This name will be used if you make the computer visible to others on a network. @@ -4802,16 +4915,21 @@ setting Password Adgangskode - - - Repeat Password - Gentag adgangskode - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Skriv den samme adgangskode to gange, så den kan blive tjekket for skrivefejl. En god adgangskode indeholder en blanding af bogstaver, tal og specialtegn, bør være mindst 8 tegn langt og bør skiftes jævnligt. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4827,11 +4945,31 @@ setting Log in automatically without asking for the password Log ind automatisk uden at spørge efter adgangskoden + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4847,16 +4985,6 @@ setting Choose a root password to keep your account safe. Vælg en root-adgangskode til at holde din konto sikker - - - Root Password - Root-adgangskode - - - - Repeat Root Password - Gentag root-adgangskode - Enter the same password twice, so that it can be checked for typing errors. @@ -4875,21 +5003,11 @@ setting What is your name? Hvad er dit navn? - - - Your Full Name - Dit fulde navn - What name do you want to use to log in? Hvilket navn skal bruges til at logge ind? - - - Login Name - Loginnavn - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,10 +5028,20 @@ setting What is the name of this computer? Hvad er navnet på computeren? + + + Your full name + + + + + Login name + + - Computer Name - Computernavn + Computer name + @@ -4942,8 +5070,18 @@ setting - Repeat Password - Gentag adgangskode + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4965,16 +5103,6 @@ setting Choose a root password to keep your account safe. Vælg en root-adgangskode til at holde din konto sikker - - - Root Password - Root-adgangskode - - - - Repeat Root Password - Gentag root-adgangskode - Enter the same password twice, so that it can be checked for typing errors. @@ -5012,13 +5140,13 @@ setting - Known issues - Kendte problemer + Known Issues + - Release notes - Udgivelsesnoter + Release Notes + @@ -5042,13 +5170,13 @@ setting - Known issues - Kendte problemer + Known Issues + - Release notes - Udgivelsesnoter + Release Notes + diff --git a/lang/calamares_de.ts b/lang/calamares_de.ts index 4a1e0fd596..3416eedb07 100644 --- a/lang/calamares_de.ts +++ b/lang/calamares_de.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Einstellungen für das automatische Einhängen bearbeiten + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record von %1 Boot Partition + @info Boot-Partition System Partition + @info System-Partition Do not install a boot loader + @label Installiere keinen Bootloader @@ -159,25 +164,25 @@ Debug Information @title - + Debug-Information Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Installieren @@ -224,7 +229,7 @@ Running command %1… @status - + Befehl %1 wird ausgeführt... @@ -262,7 +267,7 @@ Bad internal script - + Fehlerhaftes internes Script @@ -471,19 +476,19 @@ &Install Now @button - + Jetzt &installieren Go &Back @button - + &Zurück gehen &Set Up @button - + &Einrichten @@ -507,13 +512,13 @@ Cancel the setup process without changing the system. @tooltip - + Installationsvorgang abbrechen, ohne das System zu verändern. Cancel the installation process without changing the system. @tooltip - + Installationsvorgang abbrechen, ohne das System zu verändern. @@ -543,7 +548,7 @@ Cancel Setup? @title - + Installation abbrechen? @@ -633,19 +638,27 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ChangeFilesystemLabelJob - Set filesystem label on %1. - Setze Dateisytem-Label für %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Setze Dateisytem-Label <strong>%1</strong> für Partition <strong>%2</strong>. - + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Das Aktualisieren der Partitionstabelle auf Datenträger '%1' ist fehlgeschlagen. @@ -659,9 +672,20 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuelle Partitionierung</strong><br/>Sie können Partitionen eigenhändig erstellen oder in der Grösse verändern. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Wählen Sie die zu verkleinernde Partition, dann ziehen Sie den Regler, um die Größe zu ändern</strong> + Select storage de&vice: + @label Speichermedium auswählen @@ -670,56 +694,49 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Current: + @label Aktuell: After: + @label Nachher: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuelle Partitionierung</strong><br/>Sie können Partitionen eigenhändig erstellen oder in der Grösse verändern. - - Reuse %1 as home partition for %2. - %1 als Home-Partition für %2 wiederverwenden. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Wählen Sie die zu verkleinernde Partition, dann ziehen Sie den Regler, um die Größe zu ändern</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 wird auf %2MiB verkleinert und eine neue Partition mit einer Größe von %3MiB wird für %4 erstellt werden. - - - Boot loader location: - Installationsziel des Bootloaders: - <strong>Select a partition to install on</strong> + @label <strong>Wählen Sie eine Partition für die Installation</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Es wurde keine EFI-Systempartition auf diesem System gefunden. Bitte gehen Sie zurück und nutzen Sie die manuelle Partitionierung für das Einrichten von %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Die EFI-Systempartition %1 wird benutzt, um %2 zu starten. EFI system partition: + @label EFI-Systempartition: @@ -774,38 +791,51 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. This storage device has one of its partitions <strong>mounted</strong>. + @info Bei diesem Speichergerät ist eine seiner Partitionen <strong>eingehängt</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Dieses Speichergerät ist ein Teil eines <strong>inaktiven RAID</strong>-Geräts. - No Swap - Kein Swap + No swap + @label + - Reuse Swap - Swap wiederverwenden + Reuse swap + @label + Swap (no Hibernate) + @label Swap (ohne Ruhezustand) Swap (with Hibernate) + @label Swap (mit Ruhezustand) Swap to file + @label Auslagerungsdatei verwenden + + + Bootloader location: + @label + + ClearMountsJob @@ -837,12 +867,14 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Clear mounts for partitioning operations on %1 + @title Leere Mount-Points für Partitioning-Operation auf %1 - Clearing mounts for partitioning operations on %1. - Löse eingehängte Laufwerke für die Partitionierung von %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -854,13 +886,10 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ClearTempMountsJob - Clear all temporary mounts. - Alle temporären Mount-Points leeren. - - - Clearing all temporary mounts. - Löse alle temporär eingehängten Laufwerke. + Clearing all temporary mounts… + @status + @@ -1009,42 +1038,43 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. OK! - + Package Selection Paketauswahl - + Please pick a product from the list. The selected product will be installed. Bitte wählen Sie ein Produkt aus der Liste aus. Das ausgewählte Produkt wird installiert. - + Packages Pakete - + Install option: <strong>%1</strong> Installations-Option: <strong>%1</strong> - + None Nichts - + Summary + @label Zusammenfassung - + This is an overview of what will happen once you start the setup procedure. Dies ist eine Übersicht der Aktionen, die nach dem Starten des Installationsprozesses durchgeführt werden. - + This is an overview of what will happen once you start the install procedure. Dies ist eine Übersicht der Aktionen, die nach dem Starten des Installationsprozesses durchgeführt werden. @@ -1116,15 +1146,15 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. - The system language will be set to %1 + The system language will be set to %1. @info - + Die Systemsprache wird auf %1 eingestellt. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Das Format für Zahlen und Datum wird auf %1 gesetzt. @@ -1201,31 +1231,37 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. En&crypt + @action Verschlüsseln Logical + @label Logisch Primary + @label Primär GPT + @label GPT Mountpoint already in use. Please select another one. - Dieser Einhängepunkt wird schon benuztzt. Bitte wählen Sie einen anderen. + @info + Der Einhängepunkt wird schon benutzt. Bitte wählen Sie einen anderen. Mountpoint must start with a <tt>/</tt>. + @info Einhängepunkt muss mit einem <tt>/</tt>beginnen. @@ -1233,43 +1269,51 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Erstelle neue %1MiB Partition auf %3 (%2) mit den Einträgen %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Erstelle neue %1MiB Partition auf %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Erstelle eine neue Partition mit einer Größe von %2MiB auf %4 (%3) mit dem Dateisystem %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Erstelle neue <strong>%1MiB</strong>Partition auf <strong>%3</strong> (%2) mit den Einträgen <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Erstelle neue <strong>%1MiB</strong> Partition auf <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Erstelle eine neue Partition mit einer Größe von <strong>%2MiB</strong> auf <strong>%4</strong> (%3) mit dem Dateisystem <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Erstelle eine neue %1 Partition auf %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Das Installationsprogramm scheiterte beim Erstellen der Partition auf Datenträger '%1'. @@ -1305,18 +1349,16 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CreatePartitionTableJob - Create new %1 partition table on %2. - Erstelle eine neue %1 Partitionstabelle auf %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Erstelle eine neue <strong>%1</strong> Partitionstabelle auf <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Erstelle eine neue %1 Partitionstabelle auf %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1333,29 +1375,33 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. - Create user <strong>%1</strong>. - Erstelle Benutzer <strong>%1</strong>. - - - - Preserving home directory - Home-Verzeichnis wird beibehalten + Create user <strong>%1</strong> + - Creating user %1 - Erstelle Benutzer %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Konfiguriere Benutzer %1 - Setting file permissions - Setze Dateiberechtigungen + Setting file permissions… + @status + @@ -1363,6 +1409,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Create Volume Group + @title Erstelle Volumengruppe @@ -1370,18 +1417,16 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CreateVolumeGroupJob - Create new volume group named %1. - Erstelle eine neue Volumengruppe mit der Bezeichnung %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Erstelle eine neue Volumengruppe mit der Bezeichnung <strong>%1</strong>. - - - - Creating new volume group named %1. - Erstelle eine neue Volumengruppe mit der Bezeichnung %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1394,13 +1439,15 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. - Deactivate volume group named %1. - Deaktiviere Volumengruppe mit der Bezeichnung %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Deaktiviere Volumengruppe mit der Bezeichnung <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1412,18 +1459,16 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. DeletePartitionJob - Delete partition %1. - Lösche Partition %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Lösche Partition <strong>%1</strong>. - - - - Deleting partition %1. - Partition %1 wird gelöscht. + Deleting partition <strong>%1</strong>… + @status + @@ -1608,12 +1653,14 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Please enter the same passphrase in both boxes. + @tooltip Bitte tragen Sie dasselbe Passwort in beide Felder ein. - Password must be a minimum of %1 characters - Das Passwort muss mindestens %1 Zeichen lang sein. + Password must be a minimum of %1 characters. + @tooltip + @@ -1634,57 +1681,68 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Set partition information + @title Setze Partitionsinformationen Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Installiere %1 auf <strong>neue</strong> %2 Systempartition mit den Funktionen <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Installiere %1 auf <strong>neuer</strong> %2 Systempartition. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Erstelle <strong>neue</strong> %2 Partition mit Einhängepunkt <strong>%1</strong> und den Funktionen <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Erstelle<strong>neue</strong> %2 Partition mit Einhängepunkt <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Installiere %2 auf %3 Systempartition <strong>%1</strong> mit den Funktionen <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Erstelle %3 Partition <strong>%1</strong> mit Einhängepunkt <strong>%2</strong> und den Funktionen <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Erstelle %3 Partition <strong>%1</strong> mit Einhängepunkt <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Installiere %2 auf %3 Systempartition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Installiere Bootloader auf <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Richte Einhängepunkte ein. + + Setting up mount points… + @status + @@ -1753,24 +1811,27 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatiere Partition %1 (Dateisystem: %2, Größe: %3 MiB) auf %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatiere <strong>%3MiB</strong> Partition <strong>%1</strong> mit dem Dateisystem <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatiere Partition %1 mit Dateisystem %2. + + Formatting partition %1 with file system %2… + @status + @@ -2263,20 +2324,38 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. MachineIdJob - + Generate machine-id. Generiere Computer-ID. - + Configuration Error Konfigurationsfehler - + No root mount point is set for MachineId. Für die Computer-ID wurde kein Einhängepunkt für die Root-Partition festgelegt. + + + + + + File not found + Datei nicht gefunden + + + + Path <pre>%1</pre> must be an absolute path. + Der Pfad <pre>%1</pre> muss ein absoluter Pfad sein. + + + + Could not create new random file <pre>%1</pre>. + Die neue Zufallsdatei <pre>%1</pre> konnte nicht erstellt werden. + Map @@ -2804,11 +2883,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Unknown error Unbekannter Fehler - - - Password is empty - Passwort nicht vergeben - PackageChooserPage @@ -2865,7 +2939,8 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2971,31 +3046,37 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Home + @label Home Boot + @label Boot EFI system + @label EFI-System Swap + @label Swap New partition for %1 + @label Neue Partition für %1 New partition + @label Neue Partition @@ -3011,37 +3092,44 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Free Space + @title Freier Platz - New partition - Neue Partition + New Partition + @title + Name + @title Name File System + @title Dateisystem File System Label + @title Dateisystem-Label Mount Point + @title Einhängepunkt Size + @title Grösse @@ -3120,16 +3208,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. PartitionViewStep - - - Gathering system information... - Sammle Systeminformationen... - - - - Partitions - Partitionen - Unsafe partition actions are enabled. @@ -3145,16 +3223,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. No partitions will be changed. Keine Partitionen werden verändert. - - - Current: - Aktuell: - - - - After: - Nachher: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3274,30 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. The filesystem must have flag <strong>%1</strong> set. Das Dateisystem muss die Markierung <strong>%1</strong> tragen. + + + Gathering system information… + @status + + + + + Partitions + @label + Partitionen + + + + Current: + @label + Aktuell: + + + + After: + @label + Nachher: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,8 +3343,9 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. PlasmaLnfJob - Plasma Look-and-Feel Job - Job für das Erscheinungsbild von Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3279,6 +3372,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Look-and-Feel + @label Erscheinungsbild @@ -3286,8 +3380,9 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. PreserveFiles - Saving files for later ... - Speichere Dateien für später ... + Saving files for later… + @status + @@ -3383,26 +3478,12 @@ Ausgabe: Standard - - - - - File not found - Datei nicht gefunden - - - - Path <pre>%1</pre> must be an absolute path. - Der Pfad <pre>%1</pre> muss ein absoluter Pfad sein. - - - + Directory not found Verzeichnis nicht gefunden - - + Could not create new random file <pre>%1</pre>. Die neue Zufallsdatei <pre>%1</pre> konnte nicht erstellt werden. @@ -3421,11 +3502,6 @@ Ausgabe: (no mount point) (kein Einhängepunkt) - - - Unpartitioned space or unknown partition table - Nicht zugeteilter Speicherplatz oder unbekannte Partitionstabelle - unknown @@ -3450,6 +3526,12 @@ Ausgabe: @partition info Swap + + + Unpartitioned space or unknown partition table + @info + Nicht zugeteilter Speicherplatz oder unbekannte Partitionstabelle + Recommended @@ -3465,8 +3547,9 @@ Ausgabe: RemoveUserJob - Remove live user from target system - Entferne Live-Benutzer vom Zielsystem + Removing live user from the target system… + @status + @@ -3474,13 +3557,15 @@ Ausgabe: - Remove Volume Group named %1. - Lösche Volumengruppe mit der Bezeichnung %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Lösche Volumengruppe mit der Bezeichnung <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3594,22 +3679,25 @@ Ausgabe: ResizePartitionJob - - Resize partition %1. - Ändere die Grösse von Partition %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Partition <strong>%1</strong> von <strong>%2MiB</strong> auf <strong>%3MiB</strong> vergrößern. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Ändere die Größe der Partition %1 von %2MiB auf %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Das Installationsprogramm konnte die Grösse von Partition %1 auf Datenträger '%2' nicht ändern. @@ -3619,6 +3707,7 @@ Ausgabe: Resize Volume Group + @title Größe der Volumengruppe verändern @@ -3626,17 +3715,24 @@ Ausgabe: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Verändere die Größe der Volumengruppe %1 von %2 auf %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Verändere die Größe der Volumengruppe <strong>%1</strong> von <strong>%2</strong> auf <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Das Installationsprogramm konnte die Größe der Volumengruppe '%1' nicht verändern. @@ -3653,13 +3749,15 @@ Ausgabe: ScanningDialog - Scanning storage devices... - Scanne Speichermedien... + Scanning storage devices… + @status + - Partitioning - Partitionierung + Partitioning… + @status + @@ -3676,8 +3774,9 @@ Ausgabe: - Setting hostname %1. - Setze Computernamen %1. + Setting hostname %1… + @status + @@ -3741,81 +3840,96 @@ Ausgabe: SetPartFlagsJob - Set flags on partition %1. - Setze Markierungen für Partition %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Setze Markierungen für %1MiB %2 Partition. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Setze Markierungen für neue Partition. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Markierungen für Partition <strong>%1</strong> entfernen. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Markierungen für %1MiB <strong>%2</strong> Partition entfernen. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Markierungen für neue Partition entfernen. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Partition markieren <strong>%1</strong> als <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Markiere %1MiB <strong>%2</strong> Partition als <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Markiere neue Partition als <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Lösche Markierungen für Partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Lösche Markierungen für %1MiB <strong>%2</strong> Partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Lösche Markierungen für neue Partition. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Setze Markierungen <strong>%2</strong> für Partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Setze Markierungen <strong>%3</strong> für %1MiB <strong>%2</strong> Partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Setze Markierungen <strong>%1</strong> für neue Partition. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Das Installationsprogramm konnte keine Markierungen für Partition %1 setzen. @@ -3829,32 +3943,33 @@ Ausgabe: - Setting password for user %1. - Setze Passwort für Benutzer %1. + Setting password for user %1… + @status + - + Bad destination system path. Ungültiger System-Zielpfad. - + rootMountPoint is %1 root-Einhängepunkt ist %1 - + Cannot disable root account. Das Root-Konto kann nicht deaktiviert werden. - + Cannot set password for user %1. Passwort für Benutzer %1 kann nicht gesetzt werden. - - + + usermod terminated with error code %1. usermod wurde mit Fehlercode %1 beendet. @@ -3903,8 +4018,9 @@ Ausgabe: SetupGroupsJob - Preparing groups. - Bereite Gruppen vor. + Preparing groups… + @status + @@ -3922,8 +4038,9 @@ Ausgabe: SetupSudoJob - Configure <pre>sudo</pre> users. - Konfiguriere <pre>sudo</pre> Benutzer. + Configuring <pre>sudo</pre> users… + @status + @@ -3940,8 +4057,9 @@ Ausgabe: ShellProcessJob - Shell Processes Job - Job für Shell-Prozesse + Running shell processes… + @status + @@ -3990,8 +4108,9 @@ Ausgabe: - Sending installation feedback. - Senden der Rückmeldungen zur Installation. + Sending installation feedback… + @status + @@ -4013,8 +4132,9 @@ Ausgabe: - Configuring KDE user feedback. - Konfiguriere KDE Benutzer-Feedback. + Configuring KDE user feedback… + @status + @@ -4042,8 +4162,9 @@ Ausgabe: - Configuring machine feedback. - Konfiguriere Feedback zum Computer. + Configuring machine feedback… + @status + @@ -4105,6 +4226,7 @@ Ausgabe: Feedback + @title Rückmeldung @@ -4112,8 +4234,9 @@ Ausgabe: UmountJob - Unmount file systems. - Dateisysteme aushängen. + Unmounting file systems… + @status + @@ -4271,11 +4394,6 @@ Ausgabe: &Release notes &Veröffentlichungshinweise - - - %1 support - Unterstützung für %1 - About %1 Setup @@ -4288,12 +4406,19 @@ Ausgabe: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Willkommen @@ -4302,6 +4427,7 @@ Ausgabe: Welcome + @title Willkommen @@ -4309,8 +4435,9 @@ Ausgabe: ZfsJob - Create ZFS pools and datasets - ZFS Pools und Datensets erstellen + Creating ZFS pools and datasets… + @status + @@ -4757,21 +4884,11 @@ Ausgabe: What is your name? Wie ist Ihr Vor- und Nachname? - - - Your Full Name - Ihr vollständiger Name - What name do you want to use to log in? Welchen Namen möchten Sie zum Anmelden benutzen? - - - Login Name - Anmeldename - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4792,11 +4909,6 @@ Ausgabe: What is the name of this computer? Wie ist der Name dieses Computers? - - - Computer Name - Computername - This name will be used if you make the computer visible to others on a network. @@ -4817,16 +4929,21 @@ Ausgabe: Password Passwort - - - Repeat Password - Passwort wiederholen - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Geben Sie das Passwort zweimal ein, damit es auf Tippfehler überprüft werden kann. Ein gutes Passwort sollte eine Mischung aus Buchstaben, Zahlen sowie Sonderzeichen enthalten, mindestens acht Zeichen lang sein und regelmäßig geändert werden. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4842,11 +4959,31 @@ Ausgabe: Log in automatically without asking for the password Automatisch anmelden ohne Passwortabfrage + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Es sind nur Buchstaben, Zahlen, Unterstrich und Bindestrich erlaubt, minimal zwei Zeichen. + + + Repeat password + + Reuse user password as root password @@ -4862,16 +4999,6 @@ Ausgabe: Choose a root password to keep your account safe. Wählen Sie ein Root-Passwort, um Ihr Konto zu schützen. - - - Root Password - Root-Passwort - - - - Repeat Root Password - Root-Passwort wiederholen - Enter the same password twice, so that it can be checked for typing errors. @@ -4890,21 +5017,11 @@ Ausgabe: What is your name? Wie ist Ihr Vor- und Nachname? - - - Your Full Name - Ihr vollständiger Name - What name do you want to use to log in? Welchen Namen möchten Sie zum Anmelden benutzen? - - - Login Name - Anmeldename - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4925,10 +5042,20 @@ Ausgabe: What is the name of this computer? Wie ist der Name dieses Computers? + + + Your full name + + + + + Login name + + - Computer Name - Computername + Computer name + @@ -4957,8 +5084,18 @@ Ausgabe: - Repeat Password - Passwort wiederholen + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4980,16 +5117,6 @@ Ausgabe: Choose a root password to keep your account safe. Wählen Sie ein Root-Passwort, um Ihr Konto zu schützen. - - - Root Password - Root-Passwort - - - - Repeat Root Password - Root-Passwort wiederholen - Enter the same password twice, so that it can be checked for typing errors. @@ -5026,13 +5153,13 @@ Ausgabe: - Known issues - Bekannte Probleme + Known Issues + - Release notes - Veröffentlichungshinweise + Release Notes + @@ -5055,13 +5182,13 @@ Ausgabe: - Known issues - Bekannte Probleme + Known Issues + - Release notes - Veröffentlichungshinweise + Release Notes + diff --git a/lang/calamares_el.ts b/lang/calamares_el.ts index a11737e36a..c1012c34a3 100644 --- a/lang/calamares_el.ts +++ b/lang/calamares_el.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record του %1 Boot Partition + @info Κατάτμηση εκκίνησης System Partition + @info Κατάτμηση συστήματος Do not install a boot loader + @label Να μην εγκατασταθεί το πρόγραμμα εκκίνησης @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Εγκατάσταση @@ -628,18 +633,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info Η εγκατάσταση απέτυχε να αναβαθμίσει τον πίνακα κατατμήσεων στον δίσκο '%1'. @@ -653,9 +667,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Χειροκίνητη τμηματοποίηση</strong><br/>Μπορείτε να δημιουργήσετε κατατμήσεις ή να αλλάξετε το μέγεθός τους μόνοι σας. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Επιλέξτε ένα διαμέρισμα για σμίκρυνση, και μετά σύρετε το κάτω τμήμα της μπάρας για αλλαγή του μεγέθους</strong> + Select storage de&vice: + @label Επιλέξτε συσκευή απ&οθήκευσης: @@ -664,56 +689,49 @@ The installer will quit and all changes will be lost. Current: + @label Τρέχον: After: + @label Μετά: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Χειροκίνητη τμηματοποίηση</strong><br/>Μπορείτε να δημιουργήσετε κατατμήσεις ή να αλλάξετε το μέγεθός τους μόνοι σας. - - Reuse %1 as home partition for %2. + Reuse %1 as home partition for %2 + @label - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Επιλέξτε ένα διαμέρισμα για σμίκρυνση, και μετά σύρετε το κάτω τμήμα της μπάρας για αλλαγή του μεγέθους</strong> - %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Τοποθεσία προγράμματος εκκίνησης: - <strong>Select a partition to install on</strong> + @label <strong>Επιλέξτε διαμέρισμα για την εγκατάσταση</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Πουθενά στο σύστημα δεν μπορεί να ανιχθευθεί μία κατάτμηση EFI. Παρακαλώ επιστρέψτε πίσω και χρησιμοποιήστε τη χειροκίνητη τμηματοποίηση για την εγκατάσταση του %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Η κατάτμηση συστήματος EFI στο %1 θα χρησιμοποιηθεί για την εκκίνηση του %2. EFI system partition: + @label Κατάτμηση συστήματος EFI: @@ -768,36 +786,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,11 +862,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -848,13 +881,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Καθάρισε όλες τις προσωρινές προσαρτήσεις. - - - Clearing all temporary mounts. - Καθάρισμα όλων των προσωρινών προσαρτήσεων. + Clearing all temporary mounts… + @status + @@ -1003,42 +1033,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Σύνοψη - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. Αυτή είναι μια επισκόπηση του τι θα συμβεί μόλις ξεκινήσετε τη διαδικασία εγκατάστασης. @@ -1110,13 +1141,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Η τοπική γλώσσα του συστήματος έχει οριστεί σε %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1195,31 +1226,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Λογική Primary + @label Πρωτεύουσα GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Δημιουργείται νέα %1 κατάτμηση στο %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Η εγκατάσταση απέτυχε να δημιουργήσει μία κατάτμηση στον δίσκο '%1'. @@ -1299,18 +1344,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Δημιουργία νέου πίνακα κατατμήσεων %1 στο %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Δημιουργία νέου πίνακα κατατμήσεων <strong>%1</strong> στο <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Δημιουργείται νέα %1 κατάτμηση στο %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1327,28 +1370,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Δημιουργία χρήστη <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1364,17 +1412,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1388,12 +1434,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1406,18 +1454,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Διαγραφή της κατάτμησης %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Διαγραφή της κατάτμησης <strong>%1</strong>. - - - - Deleting partition %1. - Διαγράφεται η κατάτμηση %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1602,11 +1648,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Παρακαλώ εισάγετε την ίδια λέξη κλειδί και στα δύο κουτιά. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,56 +1676,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Ορισμός πληροφοριών κατάτμησης Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Εγκατάσταση %1 στο <strong>νέο</strong> %2 διαμέρισμα συστήματος. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. - Εγκατάσταση φορτωτή εκκίνησης στο <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. + + Setting up mount points… + @status @@ -1747,23 +1806,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2257,20 +2319,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Εκκίνηση EFI system + @label Σύστημα EFI Swap + @label Swap New partition for %1 + @label Νέα κατάτμηση για το %1 New partition + @label Νέα κατάτμηση @@ -3001,37 +3083,44 @@ The installer will quit and all changes will be lost. Free Space + @title Ελεύθερος χώρος - New partition - Νέα κατάτμηση + New Partition + @title + Name + @title Όνομα File System + @title Σύστημα αρχείων File System Label + @title Mount Point + @title Σημείο προσάρτησης Size + @title Μέγεθος @@ -3110,16 +3199,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Συλλογή πληροφοριών συστήματος... - - - - Partitions - Κατατμήσεις - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Τρέχον: - - - - After: - Μετά: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Κατατμήσεις + + + + Current: + @label + Τρέχον: + + + + After: + @label + Μετά: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,7 +3334,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3269,6 +3363,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3276,7 +3371,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3370,26 +3466,12 @@ Output: Προκαθορισμένο - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3408,11 +3490,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - Μη κατανεμημένος χώρος ή άγνωστος πίνακας κατατμήσεων - unknown @@ -3437,6 +3514,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + Μη κατανεμημένος χώρος ή άγνωστος πίνακας κατατμήσεων + Recommended @@ -3451,7 +3534,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3460,12 +3544,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3578,22 +3664,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Αλλαγή μεγέθους κατάτμησης %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. Η εγκατάσταση απέτυχε να αλλάξει το μέγεθος της κατάτμησης %1 στον δίσκο '%2'. @@ -3603,6 +3692,7 @@ Output: Resize Volume Group + @title @@ -3610,17 +3700,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3637,13 +3734,15 @@ Output: ScanningDialog - Scanning storage devices... - Σάρωση των συσκευών αποθήκευσης... + Scanning storage devices… + @status + - Partitioning - Τμηματοποίηση + Partitioning… + @status + @@ -3660,8 +3759,9 @@ Output: - Setting hostname %1. - Ορίζεται το όνομα υπολογιστή %1. + Setting hostname %1… + @status + @@ -3725,81 +3825,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. Ο εγκαταστάτης απέτυχε να θέσει τις σημαίες στο διαμέρισμα %1. @@ -3813,32 +3928,33 @@ Output: - Setting password for user %1. - Ορίζεται κωδικός για τον χρήστη %1. + Setting password for user %1… + @status + - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3887,7 +4003,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3906,7 +4023,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3924,7 +4042,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3974,7 +4093,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3997,7 +4117,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4026,7 +4147,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4089,6 +4211,7 @@ Output: Feedback + @title @@ -4096,7 +4219,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4255,11 +4379,6 @@ Output: &Release notes Ση&μειώσεις έκδοσης - - - %1 support - Υποστήριξη %1 - About %1 Setup @@ -4272,12 +4391,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Καλώς ήλθατε @@ -4286,6 +4412,7 @@ Output: Welcome + @title Καλώς ήλθατε @@ -4293,7 +4420,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4709,21 +4837,11 @@ Output: What is your name? Ποιο είναι το όνομά σας; - - - Your Full Name - - What name do you want to use to log in? Ποιο όνομα θα θέλατε να χρησιμοποιείτε για σύνδεση; - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4744,11 +4862,6 @@ Output: What is the name of this computer? Ποιο είναι το όνομά του υπολογιστή; - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4770,13 +4883,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4794,11 +4912,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4814,16 +4952,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4842,21 +4970,11 @@ Output: What is your name? Ποιο είναι το όνομά σας; - - - Your Full Name - - What name do you want to use to log in? Ποιο όνομα θα θέλατε να χρησιμοποιείτε για σύνδεση; - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4877,9 +4995,19 @@ Output: What is the name of this computer? Ποιο είναι το όνομά του υπολογιστή; + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4909,7 +5037,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4932,16 +5070,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4978,12 +5106,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5007,12 +5135,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_en_GB.ts b/lang/calamares_en_GB.ts index 0e52eeb944..b67aba7bb5 100644 --- a/lang/calamares_en_GB.ts +++ b/lang/calamares_en_GB.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Manage auto-mount settings + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record of %1 Boot Partition + @info Boot Partition System Partition + @info System Partition Do not install a boot loader + @label Do not install a boot loader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Install @@ -628,18 +633,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info The installer failed to update partition table on disk '%1'. @@ -653,9 +667,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Select storage de&vice: + @label Select storage de&vice: @@ -664,56 +689,49 @@ The installer will quit and all changes will be lost. Current: + @label Current: After: + @label After: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - Reuse %1 as home partition for %2. - Reuse %1 as home partition for %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Boot loader location: - <strong>Select a partition to install on</strong> + @label <strong>Select a partition to install on</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name The EFI system partition at %1 will be used for starting %2. EFI system partition: + @label EFI system partition: @@ -768,36 +786,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,12 +862,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Clear mounts for partitioning operations on %1 - Clearing mounts for partitioning operations on %1. - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -848,13 +881,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Clear all temporary mounts. - - - Clearing all temporary mounts. - Clearing all temporary mounts. + Clearing all temporary mounts… + @status + @@ -1003,42 +1033,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Summary - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. This is an overview of what will happen once you start the install procedure. @@ -1110,15 +1141,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + The system language will be set to %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + The numbers and dates locale will be set to %1. @@ -1195,31 +1226,37 @@ The installer will quit and all changes will be lost. En&crypt + @action En&crypt Logical + @label Logical Primary + @label Primary GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint already in use. Please select another one. Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info The installer failed to create partition on disk '%1'. @@ -1299,18 +1344,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1327,28 +1370,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Create user <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1364,17 +1412,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1388,12 +1434,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1406,18 +1454,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Delete partition %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Delete partition <strong>%1</strong>. - - - - Deleting partition %1. - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1602,11 +1648,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Please enter the same passphrase in both boxes. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,57 +1676,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Set partition information Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Setting up mount points. + + Setting up mount points… + @status + @@ -1747,24 +1806,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status + @@ -2257,20 +2319,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Generate machine-id. - + Configuration Error Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ The installer will quit and all changes will be lost. Unknown error Unknown error - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Boot EFI system + @label EFI system Swap + @label Swap New partition for %1 + @label New partition for %1 New partition + @label New partition @@ -3001,37 +3083,44 @@ The installer will quit and all changes will be lost. Free Space + @title Free Space - New partition - New partition + New Partition + @title + Name + @title Name File System + @title File System File System Label + @title Mount Point + @title Mount Point Size + @title Size @@ -3110,16 +3199,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Gathering system information... - - - - Partitions - Partitions - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Current: - - - - After: - After: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partitions + + + + Current: + @label + Current: + + + + After: + @label + After: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,8 +3334,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status + @@ -3269,6 +3363,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Look-and-Feel @@ -3276,8 +3371,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Saving files for later... + Saving files for later… + @status + @@ -3373,26 +3469,12 @@ Output: Default - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3411,11 +3493,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - Unpartitioned space or unknown partition table - unknown @@ -3440,6 +3517,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Unpartitioned space or unknown partition table + Recommended @@ -3454,7 +3537,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3463,12 +3547,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3581,22 +3667,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Resize partition %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. The installer failed to resize partition %1 on disk '%2'. @@ -3606,6 +3695,7 @@ Output: Resize Volume Group + @title @@ -3613,17 +3703,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3640,13 +3737,15 @@ Output: ScanningDialog - Scanning storage devices... - Scanning storage devices... + Scanning storage devices… + @status + - Partitioning - Partitioning + Partitioning… + @status + @@ -3663,8 +3762,9 @@ Output: - Setting hostname %1. - Setting hostname %1. + Setting hostname %1… + @status + @@ -3728,81 +3828,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Set flags on partition %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Set flags on new partition. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Clear flags on new partition. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Clearing flags on new partition. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. The installer failed to set flags on partition %1. @@ -3816,32 +3931,33 @@ Output: - Setting password for user %1. - Setting password for user %1. + Setting password for user %1… + @status + - + Bad destination system path. Bad destination system path. - + rootMountPoint is %1 rootMountPoint is %1 - + Cannot disable root account. Cannot disable root account. - + Cannot set password for user %1. Cannot set password for user %1. - - + + usermod terminated with error code %1. usermod terminated with error code %1. @@ -3890,7 +4006,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3909,7 +4026,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3927,8 +4045,9 @@ Output: ShellProcessJob - Shell Processes Job - Shell Processes Job + Running shell processes… + @status + @@ -3977,8 +4096,9 @@ Output: - Sending installation feedback. - Sending installation feedback. + Sending installation feedback… + @status + @@ -4000,7 +4120,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4029,8 +4150,9 @@ Output: - Configuring machine feedback. - Configuring machine feedback. + Configuring machine feedback… + @status + @@ -4092,6 +4214,7 @@ Output: Feedback + @title Feedback @@ -4099,8 +4222,9 @@ Output: UmountJob - Unmount file systems. - Unmount file systems. + Unmounting file systems… + @status + @@ -4258,11 +4382,6 @@ Output: &Release notes &Release notes - - - %1 support - %1 support - About %1 Setup @@ -4275,12 +4394,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Welcome @@ -4289,6 +4415,7 @@ Output: Welcome + @title Welcome @@ -4296,7 +4423,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4712,21 +4840,11 @@ Output: What is your name? What is your name? - - - Your Full Name - - What name do you want to use to log in? What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4747,11 +4865,6 @@ Output: What is the name of this computer? What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4773,13 +4886,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4797,11 +4915,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4817,16 +4955,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4845,21 +4973,11 @@ Output: What is your name? What is your name? - - - Your Full Name - - What name do you want to use to log in? What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4880,9 +4998,19 @@ Output: What is the name of this computer? What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4912,7 +5040,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4935,16 +5073,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4981,12 +5109,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5010,12 +5138,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_eo.ts b/lang/calamares_eo.ts index 9a49a81374..8fee831dd3 100644 --- a/lang/calamares_eo.ts +++ b/lang/calamares_eo.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Ĉefa Ŝargodosiero de %1 Boot Partition + @info Praŝarga Subdisko System Partition + @info Sistema Subdisko Do not install a boot loader + @label Ne instalu praŝargilon @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalu @@ -632,18 +637,27 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -657,9 +671,20 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label Elektita &tenada aparato @@ -668,56 +693,49 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Current: + @label Nune: After: + @label Poste: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Allokigo de la Praŝargilo: - <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -772,36 +790,49 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -835,11 +866,13 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -852,12 +885,9 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1007,42 +1037,43 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1114,13 +1145,13 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1199,31 +1230,37 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. En&crypt + @action &Ĉifras Logical + @label Logika Primary + @label Ĉefa GPT + @label Mountpoint already in use. Please select another one. + @info Muntopunkto jam utiliĝi. Bonvolu elektu alian. Mountpoint must start with a <tt>/</tt>. + @info @@ -1231,43 +1268,51 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1303,17 +1348,15 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1331,28 +1374,32 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1361,6 +1408,7 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Create Volume Group + @title @@ -1368,17 +1416,15 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1392,12 +1438,14 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1410,17 +1458,15 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1606,11 +1652,13 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1632,56 +1680,67 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1751,24 +1810,27 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Strukturu subdiskon %1 (dosiersistemo: %2, grandeco: %3 MiB) ja %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Strukturu <strong>%3MiB</strong> subdiskon <strong>%1</strong> kiel dosiersistemo <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1(%2) - - Formatting partition %1 with file system %2. - Strukturanta subdiskon %1 kiel dosiersistemo %2. + + Formatting partition %1 with file system %2… + @status + @@ -2261,20 +2323,38 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. MachineIdJob - + Generate machine-id. Generi maŝino-legitimilo. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2798,11 +2878,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Unknown error - - - Password is empty - - PackageChooserPage @@ -2859,7 +2934,8 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2965,31 +3041,37 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3005,37 +3087,44 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3114,16 +3203,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3139,16 +3218,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. No partitions will be changed. - - - Current: - Nune: - - - - After: - Poste: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3200,6 +3269,30 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + Nune: + + + + After: + @label + Poste: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3245,7 +3338,8 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3273,6 +3367,7 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Look-and-Feel + @label @@ -3280,7 +3375,8 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3374,26 +3470,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3412,11 +3494,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3441,6 +3518,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3455,7 +3538,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3464,12 +3548,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3582,22 +3668,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3607,6 +3696,7 @@ Output: Resize Volume Group + @title @@ -3614,17 +3704,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3641,12 +3738,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3664,7 +3763,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3729,81 +3829,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3817,32 +3932,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3891,7 +4007,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3910,7 +4027,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3928,7 +4046,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3978,7 +4097,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4001,7 +4121,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4030,7 +4151,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4093,6 +4215,7 @@ Output: Feedback + @title @@ -4100,8 +4223,9 @@ Output: UmountJob - Unmount file systems. - Demeti dosieraj sistemoj. + Unmounting file systems… + @status + @@ -4259,11 +4383,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4276,12 +4395,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4290,6 +4416,7 @@ Output: Welcome + @title @@ -4297,7 +4424,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4713,21 +4841,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4748,11 +4866,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4774,13 +4887,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4798,11 +4916,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4818,16 +4956,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4846,21 +4974,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4881,9 +4999,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4913,7 +5041,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4936,16 +5074,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4982,12 +5110,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5011,12 +5139,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_es.ts b/lang/calamares_es.ts index ddd5680012..012e79fdc6 100644 --- a/lang/calamares_es.ts +++ b/lang/calamares_es.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gestionar la configuración de montaje automático + Managing auto-mount settings… + @status + Gestionando la configuración de montaje automático... @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Registro de arranque principal (MBR) de %1 Boot Partition + @info Partición de arranque System Partition + @info Partición del sistema Do not install a boot loader + @label No instalar el gestor de arranque @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Configuracion - + Install @label Instalar @@ -635,18 +640,27 @@ El instalador se cerrará y todos tus cambios se perderán. ChangeFilesystemLabelJob - Set filesystem label on %1. - Establecer la etiqueta del sistema de archivos para «%1». + Set filesystem label on %1 + @title + Establecer etiqueta del sistema de archivos en %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Establecer la etiqueta del sistema de archivos «<strong>%1</strong>» para la partición «<strong>%2</strong>». + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Establecer la etiqueta del sistema de archivos <strong>%1</strong> en la partición<strong> %2</strong>. - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Establecer la etiqueta del sistema de archivos <strong>%1</strong> en la partición<strong> %2</strong>. + + + + The installer failed to update partition table on disk '%1'. + @info El instalador no ha podido actualizar la tabla de particiones en el disco «%1». @@ -660,9 +674,20 @@ El instalador se cerrará y todos tus cambios se perderán. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual</strong><br/> Puedes crear o cambiar el tamaño de las particiones a tu gusto. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Elige la partición a reducir, una vez hecho esto arrastra la barra inferior para configurar el espacio restante</strong> + Select storage de&vice: + @label Elige un dispositivo de almacenamiento: @@ -671,56 +696,49 @@ El instalador se cerrará y todos tus cambios se perderán. Current: + @label Ahora: After: + @label Después: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual</strong><br/> Puedes crear o cambiar el tamaño de las particiones a tu gusto. - - Reuse %1 as home partition for %2. - Reutilizar %1 como partición de datos personales («home») para %2 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Elige la partición a reducir, una vez hecho esto arrastra la barra inferior para configurar el espacio restante</strong> + Reuse %1 as home partition for %2 + @label + Reutilizar %1 como partición home para %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 se reducirá a %2MiB y se creará una nueva partición de %3MiB para %4. - - - Boot loader location: - Ubicación del cargador de arranque: - <strong>Select a partition to install on</strong> + @label <strong>Elige una partición en la que realizar la instalación</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name No parece que haya ninguna partición del sistema EFI en el equipo. Puedes volver atrás y preparar %1 con la opción de particionado manual. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partición del sistema EFI en «%1» se va a usar para arrancar %2. EFI system partition: + @label Partición del sistema EFI: @@ -775,38 +793,51 @@ El instalador se cerrará y todos tus cambios se perderán. This storage device has one of its partitions <strong>mounted</strong>. + @info Este dispositivo de almacenamiento tiene alguna de sus particiones <strong>ya montadas</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Este dispositivo de almacenamiento es parte de un <strong>dispositivo RAID</strong> inactivo. - No Swap - Sin «swap» + No swap + @label + Sin swap - Reuse Swap - Reutilizar «swap» ya existente + Reuse swap + @label + Reutilizar swap Swap (no Hibernate) + @label Con «swap» (pero sin hibernación) Swap (with Hibernate) + @label Con «swap» (y con hibernación) Swap to file + @label Swap en archivo + + + Bootloader location: + @label + Ubicación del cargador de arranque: + ClearMountsJob @@ -838,12 +869,14 @@ El instalador se cerrará y todos tus cambios se perderán. Clear mounts for partitioning operations on %1 + @title Borrar los puntos de montaje para las operaciones de particionado en «%1» - Clearing mounts for partitioning operations on %1. - Quitando los puntos de montaje para las operaciones de particionado en «%1». + Clearing mounts for partitioning operations on %1… + @status + Quitando los puntos de montaje para las operaciones de particionamiento en %1. {1…?} @@ -855,13 +888,10 @@ El instalador se cerrará y todos tus cambios se perderán. ClearTempMountsJob - Clear all temporary mounts. - Quitar todos los puntos de montaje temporales. - - - Clearing all temporary mounts. - Limpiando todos los puntos de montaje temporales. + Clearing all temporary mounts… + @status + Borrando todos los puntos de montaje temporales... @@ -1010,42 +1040,43 @@ El instalador se cerrará y todos tus cambios se perderán. Entendido - + Package Selection Selección de paquetes - + Please pick a product from the list. The selected product will be installed. Hay que elegir uno de los productos a instalar de la lista. - + Packages Paquetes - + Install option: <strong>%1</strong> Opción de instalación: <strong>%1</strong> - + None Ninguno - + Summary + @label Resumen - + This is an overview of what will happen once you start the setup procedure. Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de configuración. - + This is an overview of what will happen once you start the install procedure. Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de instalación. @@ -1117,15 +1148,15 @@ El instalador se cerrará y todos tus cambios se perderán. - The system language will be set to %1 + The system language will be set to %1. @info - El idioma del sistema se establecerá en %1. {1?} + El idioma del sistema se establecerá a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - La configuración regional de números y fechas se establecerá en %1. {1?}º + El formato de números y fechas aparecerá en %1. @@ -1202,31 +1233,37 @@ El instalador se cerrará y todos tus cambios se perderán. En&crypt + @action &Cifrar Logical + @label Lógica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. + @info El punto de montaje ya está en uso y no se puede modificar. Mountpoint must start with a <tt>/</tt>. + @info El punto de montaje debe comenzar con un <tt>/</tt>. @@ -1234,43 +1271,51 @@ El instalador se cerrará y todos tus cambios se perderán. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Crear nueva partición %1MiB en %3 (%2) con entradas %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Crear una nueva partición %1MiB en %3 (%2) con las entradas %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title Crear nueva partición %1MiB en %3 (%2). - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title Crear nueva partición %2MiB en %4 (%3) con sistema de archivos %1. - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2) con entradas<em>%4</em>. - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2). - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info Crear nueva partición <strong>%2MiB</strong> en <strong>%4</strong> (%3) con sistema de archivos <strong>%1</strong>. - - - Creating new %1 partition on %2. - Creando nueva %1 partición en %2 + + + Creating new %1 partition on %2… + @status + Creando nueva partición %1 en %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info El instalador no pudo particionar el disco «%1». @@ -1306,18 +1351,16 @@ El instalador se cerrará y todos tus cambios se perderán. CreatePartitionTableJob - Create new %1 partition table on %2. - Crear una nueva tabla de particiones %1 en %2. + + Creating new %1 partition table on %2… + @status + Creando nueva tabla de particiones %1 en %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crear una nueva tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creando una nueva tabla de particiones %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Creando nueva tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3)... @@ -1334,29 +1377,33 @@ El instalador se cerrará y todos tus cambios se perderán. - Create user <strong>%1</strong>. - Crear el usuario <strong>%1</strong>. - - - - Preserving home directory - Preservando la carpeta de usuario («home») + Create user <strong>%1</strong> + - Creating user %1 - Creando el usuario %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Configurando el usuario %1 - Setting file permissions - Configurando permisos de archivo + Setting file permissions… + @status + @@ -1364,6 +1411,7 @@ El instalador se cerrará y todos tus cambios se perderán. Create Volume Group + @title Crear grupo de volúmenes @@ -1371,18 +1419,16 @@ El instalador se cerrará y todos tus cambios se perderán. CreateVolumeGroupJob - Create new volume group named %1. - Crear un nuevo grupo de volúmenes denominado «%1». + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Crear un nuevo grupo de volúmenes denominado «<strong>%1</strong>». - - - - Creating new volume group named %1. - Creando un nuevo grupo de volúmenes denominado «%1». + Creating new volume group named <strong>%1</strong>… + @status + @@ -1395,13 +1441,15 @@ El instalador se cerrará y todos tus cambios se perderán. - Deactivate volume group named %1. - Desactivar el grupo de volúmenes denominado «%1». + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desactivar el grupo de volúmenes denominado «<strong>%1</strong>». + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1413,18 +1461,16 @@ El instalador se cerrará y todos tus cambios se perderán. DeletePartitionJob - Delete partition %1. - Eliminar la partición %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eliminar la partición <strong>%1</strong>. - - - - Deleting partition %1. - Eliminando la partición %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1609,12 +1655,14 @@ El instalador se cerrará y todos tus cambios se perderán. Please enter the same passphrase in both boxes. + @tooltip Las contraseñas de ambos campos deben coincidir. - Password must be a minimum of %1 characters - La contraseña debe tener un mínimo de %1 letras + Password must be a minimum of %1 characters. + @tooltip + @@ -1635,57 +1683,68 @@ El instalador se cerrará y todos tus cambios se perderán. Set partition information + @title Establecer la información de la partición Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalar %1 en una <strong>nueva</strong> partición %2 del sistema con funciones <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 en una <strong>nueva</strong> partición %2 del sistema. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configurar una <strong>nueva</strong> partición %2 con el punto de montaje <strong>%1</strong> y las funciones <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurar una <strong>nueva</strong> %2 partición con punto de montaje <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalar %2 en %3 partición de sistema <strong>%1</strong> con características <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurar %3 partición <strong>%1</strong> con punto de montaje <strong>%2</strong> y características <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurar %3 partición <strong>%1</strong> con punto de montaje <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 en %3 partición del sistema <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalar el gestor de arranque en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configurando puntos de montaje. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ El instalador se cerrará y todos tus cambios se perderán. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatear partición %1 (sistema de archivos: %2, tamaño: %3 MiB) en %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatear <strong>%3MiB</strong> partición «<strong>%1</strong>» con sistema de archivos <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formateando partición «%1» con sistema de archivos %2. + + Formatting partition %1 with file system %2… + @status + @@ -2264,20 +2326,38 @@ El instalador se cerrará y todos tus cambios se perderán. MachineIdJob - + Generate machine-id. Generar el identificador único de máquina. - + Configuration Error Error de configuración - + No root mount point is set for MachineId. No hay ningún punto de montaje raíz («root») establecido para «MachineId». + + + + + + File not found + No se ha encontrado el archivo + + + + Path <pre>%1</pre> must be an absolute path. + La ruta <pre>%1</pre> debe ser absoluta. + + + + Could not create new random file <pre>%1</pre>. + No se ha podido crear nuevo archivo temporal al azar «<pre>%1</pre>». + Map @@ -2814,11 +2894,6 @@ El instalador se cerrará y todos tus cambios se perderán. Unknown error Error desconocido - - - Password is empty - La contraseña está vacía. - PackageChooserPage @@ -2875,8 +2950,9 @@ El instalador se cerrará y todos tus cambios se perderán. - Keyboard switch: - Cambio de Teclado: + Switch Keyboard: + shortcut for switching between keyboard layouts + Cambiar Teclado: @@ -2981,31 +3057,37 @@ El instalador se cerrará y todos tus cambios se perderán. Home + @label Datos de usuario Boot + @label Arranque EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label Nueva partición de %1 New partition + @label Nueva partición @@ -3021,37 +3103,44 @@ El instalador se cerrará y todos tus cambios se perderán. Free Space + @title Espacio libre - New partition - Partición nueva + New Partition + @title + Name + @title Nombre File System + @title Sistema de archivos File System Label + @title Etiqueta del sistema de archivos Mount Point + @title Punto de montaje Size + @title Tamaño @@ -3130,16 +3219,6 @@ El instalador se cerrará y todos tus cambios se perderán. PartitionViewStep - - - Gathering system information... - Recogiendo información sobre el sistema... - - - - Partitions - Particiones - Unsafe partition actions are enabled. @@ -3155,16 +3234,6 @@ El instalador se cerrará y todos tus cambios se perderán. No partitions will be changed. No se cambiará ninguna partición. - - - Current: - Ahora: - - - - After: - Después: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3216,6 +3285,30 @@ El instalador se cerrará y todos tus cambios se perderán. The filesystem must have flag <strong>%1</strong> set. El sistema de archivos debe tener establecido el indicador <strong>%1.</strong> + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + + + + Current: + @label + Ahora: + + + + After: + @label + Después: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3261,8 +3354,9 @@ El instalador se cerrará y todos tus cambios se perderán. PlasmaLnfJob - Plasma Look-and-Feel Job - Tarea de aspecto de Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3289,6 +3383,7 @@ El instalador se cerrará y todos tus cambios se perderán. Look-and-Feel + @label Apariencia @@ -3296,8 +3391,9 @@ El instalador se cerrará y todos tus cambios se perderán. PreserveFiles - Saving files for later ... - Guardando archivos para más tarde... + Saving files for later… + @status + @@ -3393,26 +3489,12 @@ Información de salida: Predeterminado - - - - - File not found - No se ha encontrado el archivo - - - - Path <pre>%1</pre> must be an absolute path. - La ruta <pre>%1</pre> debe ser absoluta. - - - + Directory not found No se ha encontrado la carpeta - - + Could not create new random file <pre>%1</pre>. No se ha podido crear nuevo archivo temporal al azar «<pre>%1</pre>». @@ -3431,11 +3513,6 @@ Información de salida: (no mount point) (sin punto de montaje) - - - Unpartitioned space or unknown partition table - Espacio no particionado o tabla de partición desconocida - unknown @@ -3460,6 +3537,12 @@ Información de salida: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Espacio no particionado o tabla de partición desconocida + Recommended @@ -3475,8 +3558,9 @@ Información de salida: RemoveUserJob - Remove live user from target system - Borrar el usuario temporal («live») del sistema a instalar + Removing live user from the target system… + @status + @@ -3484,13 +3568,15 @@ Información de salida: - Remove Volume Group named %1. - Quitar el grupo de volumen denominado «%1». + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Quitar el grupo de volumen denominado «<strong>%1</strong>». + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3604,22 +3690,25 @@ Información de salida: ResizePartitionJob - - Resize partition %1. - Redimensionar partición %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Cambiar tamaño de la <strong>%2MiB</strong> partición <strong>%1</strong> a <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Cambiando tamaño de la %2MiB partición %1 a %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. El instalador ha fallado a la hora de reducir la partición %1 en el disco '%2'. @@ -3629,6 +3718,7 @@ Información de salida: Resize Volume Group + @title Cambiar el tamaño del grupo de volúmenes @@ -3636,17 +3726,24 @@ Información de salida: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Cambiar el tamaño del grupo de volúmenes llamado %1 de %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Cambiar el tamaño del grupo de volúmenes denominado «<strong>%1</strong>» de «<strong>%2</strong>» a «<strong>%3</strong>». + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. El instalador no pudo redimensionar el grupo de volúmenes denominado «%1». @@ -3663,13 +3760,15 @@ Información de salida: ScanningDialog - Scanning storage devices... - Dispositivos de almacenamiento de escaneado... + Scanning storage devices… + @status + - Partitioning - Particiones + Partitioning… + @status + @@ -3686,8 +3785,9 @@ Información de salida: - Setting hostname %1. - Configurando hostname %1. + Setting hostname %1… + @status + @@ -3751,81 +3851,96 @@ Información de salida: SetPartFlagsJob - Set flags on partition %1. - Establecer indicadores en la partición %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Establecer indicadores en la %1MiB %2 partición.. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Establecer indicadores en una nueva partición. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Limpiar indicadores en la partición <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Borrar indicadores en la %1MiB <strong>%2</strong> partición. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Limpiar indicadores en la nueva partición. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Indicar partición <strong>%1</strong> como <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Marcar %1MiB <strong>%2</strong> partición como <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Indicar nueva partición como <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Limpiando indicadores en la partición <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Borrando marcadores en la %1MiB <strong>%2</strong> partición. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Limpiando indicadores en la nueva partición. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Estableciendo indicadores <strong>%2</strong> en la partición <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Estableciendo indicadores <strong>%3</strong> en la %1MiB <strong>%2</strong> partición. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Estableciendo indicadores <strong>%1</strong> en una nueva partición. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. El instalador no pudo establecer indicadores en la partición %1. @@ -3839,32 +3954,33 @@ Información de salida: - Setting password for user %1. - Configurando contraseña para el usuario %1. + Setting password for user %1… + @status + - + Bad destination system path. Destino erróneo del sistema. - + rootMountPoint is %1 El punto de montaje de la raíz es %1 - + Cannot disable root account. No se puede deshabilitar la cuenta root - + Cannot set password for user %1. No se puede definir contraseña para el usuario %1. - - + + usermod terminated with error code %1. usermod ha terminado con el código de error %1 @@ -3913,8 +4029,9 @@ Información de salida: SetupGroupsJob - Preparing groups. - Preparando grupos. + Preparing groups… + @status + @@ -3932,8 +4049,9 @@ Información de salida: SetupSudoJob - Configure <pre>sudo</pre> users. - Configurar usuarios <pre>sudo</pre> . + Configuring <pre>sudo</pre> users… + @status + @@ -3950,8 +4068,9 @@ Información de salida: ShellProcessJob - Shell Processes Job - Tarea de procesos de la «shell» + Running shell processes… + @status + @@ -4000,8 +4119,9 @@ Información de salida: - Sending installation feedback. - Enviar respuesta de la instalación + Sending installation feedback… + @status + @@ -4023,8 +4143,9 @@ Información de salida: - Configuring KDE user feedback. - Configuración de los comentarios de los usuarios de KDE. + Configuring KDE user feedback… + @status + @@ -4052,8 +4173,9 @@ Información de salida: - Configuring machine feedback. - Configurando respuesta de la máquina. + Configuring machine feedback… + @status + @@ -4115,6 +4237,7 @@ Información de salida: Feedback + @title Opinar @@ -4122,8 +4245,9 @@ Información de salida: UmountJob - Unmount file systems. - Desmontar los sistemas de archivos. + Unmounting file systems… + @status + @@ -4281,11 +4405,6 @@ Información de salida: &Release notes &Notas de publicación - - - %1 support - %1 ayuda - About %1 Setup @@ -4298,12 +4417,19 @@ Información de salida: @title Acerca del instalador %1 + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Te damos la bienvenida @@ -4312,6 +4438,7 @@ Información de salida: Welcome + @title Te damos la bienvenida @@ -4319,8 +4446,9 @@ Información de salida: ZfsJob - Create ZFS pools and datasets - Crear grupos y conjuntos de datos ZFS + Creating ZFS pools and datasets… + @status + @@ -4769,21 +4897,11 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is your name? Nombre - - - Your Full Name - Tu nombre completo - What name do you want to use to log in? ¿Qué nombre quieres usar para iniciar sesión? - - - Login Name - Nombre de inicio de sesión - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4804,11 +4922,6 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is the name of this computer? ¿Qué nombre le ponemos al equipo? - - - Computer Name - Nombre del equipo - This name will be used if you make the computer visible to others on a network. @@ -4829,16 +4942,21 @@ La configuración regional del sistema afecta al formato de números y fechas. L Password Contraseña - - - Repeat Password - Repite la contraseña - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduce la misma contraseña dos veces, para que se pueda verificar si hay errores de escritura. Una buena contraseña contendrá una combinación de letras, números y puntuación; tiene que tener al menos ocho caracteres y cambiarse de vez en cuando. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4854,11 +4972,31 @@ La configuración regional del sistema afecta al formato de números y fechas. L Log in automatically without asking for the password Iniciar sesión automáticamente sin pedir la contraseña + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Solo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. + + + Repeat password + + Reuse user password as root password @@ -4874,16 +5012,6 @@ La configuración regional del sistema afecta al formato de números y fechas. L Choose a root password to keep your account safe. Elige una contraseña segura para la cuenta de administración «root». - - - Root Password - Contraseña de «root» - - - - Repeat Root Password - Repetir la contraseña de «root» - Enter the same password twice, so that it can be checked for typing errors. @@ -4902,21 +5030,11 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is your name? ¿Cómo te llamas? - - - Your Full Name - Tu nombre completo - What name do you want to use to log in? ¿Qué nombre quieres usar para iniciar sesión? - - - Login Name - Nombre de inicio de sesión - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4937,10 +5055,20 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is the name of this computer? ¿Qué nombre le ponemos al equipo? + + + Your full name + + + + + Login name + + - Computer Name - Nombre del equipo + Computer name + @@ -4969,8 +5097,18 @@ La configuración regional del sistema afecta al formato de números y fechas. L - Repeat Password - Repite la contraseña + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4992,16 +5130,6 @@ La configuración regional del sistema afecta al formato de números y fechas. L Choose a root password to keep your account safe. Elige una contraseña segura para la cuenta de administración «root». - - - Root Password - Contraseña de «root» - - - - Repeat Root Password - Repetir la contraseña de «root» - Enter the same password twice, so that it can be checked for typing errors. @@ -5039,13 +5167,13 @@ La configuración regional del sistema afecta al formato de números y fechas. L - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de lanzamiento + Release Notes + @@ -5069,13 +5197,13 @@ La configuración regional del sistema afecta al formato de números y fechas. L - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de lanzamiento + Release Notes + diff --git a/lang/calamares_es_AR.ts b/lang/calamares_es_AR.ts index 83a81c372d..e3bc9d6c32 100644 --- a/lang/calamares_es_AR.ts +++ b/lang/calamares_es_AR.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gestionar la configuración de montaje automático + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info MASTER BOOT RECORD del %1 Boot Partition + @info Partición de arranque System Partition + @info Partición del sistema Do not install a boot loader + @label No instalar un cargador de arranque @@ -143,7 +148,7 @@ Crashes Calamares, so that Dr. Konqi can look at it. - + Calamares falla, para que el Dr. Konqi pueda verlo. @@ -159,25 +164,25 @@ Debug Information @title - + Información de depuración Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Configuración - + Install @label Instalar @@ -218,13 +223,13 @@ Running command %1 in target system… @status - + Ejecutando el comando %1 en el sistema de destino… Running command %1… @status - + Ejecutando el comando %1… @@ -262,33 +267,33 @@ Bad internal script - + Script interno malo Internal script for python job %1 raised an exception. - + La secuencia de comandos interna para el trabajo de Python %1 lamentablemente generó una excepción. Main script file %1 for python job %2 could not be loaded because it raised an exception. - + El archivo de Script principal %1 para el trabajo de Python %2 lamentablemente no se pudo cargar porque generó una excepción. Main script file %1 for python job %2 raised an exception. - + El archivo de secuencia de comandos principal %1 para el trabajo de Python %2 lamentablemente generó una excepción. Main script file %1 for python job %2 returned invalid results. - + El archivo de secuencia de comandos principal %1 para el trabajo de Python %2 lamentablemente devolvió resultados no válidos. Main script file %1 for python job %2 does not contain a run() function. - + El archivo de secuencia de comandos principal %1 para el trabajo de Python %2 no contiene una función run(). @@ -297,7 +302,7 @@ Running %1 operation… @status - + Ejecutando la operación %1… @@ -327,7 +332,7 @@ Boost.Python error in job "%1" @error - + Error Boost.Python en el proceso "%1". @@ -336,13 +341,13 @@ Loading… @status - + Cargando... QML step <i>%1</i>. @label - + Paso QML <i>%1</i>. @@ -363,10 +368,10 @@ Waiting for %n module(s)… @status - - - - + + Esperando %n módulo… + Esperando a %n módulos… + Esperando a %n módulos… @@ -443,13 +448,13 @@ Continue with Setup? @title - + ¿Continuar con la configuración? Continue with Installation? @title - + ¿Continuar con la instalación de su sistema? @@ -467,25 +472,25 @@ &Set Up Now @button - + &Configurar ahora &Install Now @button - + &Instalar ahora Go &Back @button - + %Volver &Set Up @button - + &Configuracion @@ -509,13 +514,13 @@ Cancel the setup process without changing the system. @tooltip - + Cancele el proceso de configuración sin cambiar el sistema. Cancel the installation process without changing the system. @tooltip - + Cancele el proceso de instalación sin cambiar el sistema. @@ -545,13 +550,13 @@ Cancel Setup? @title - + ¿Cancelar la configuración? Cancel Installation? @title - + ¿Cancelar la instalación? @@ -603,19 +608,19 @@ El instalador se cerrará y se perderán todos los cambios. Unparseable Python error @error - + Error de Python no analizable Unparseable Python traceback @error - + Rastreo de Python no analizable Unfetchable Python error @error - + Error de Python no recuperable @@ -635,18 +640,27 @@ El instalador se cerrará y se perderán todos los cambios. ChangeFilesystemLabelJob - Set filesystem label on %1. - Establecer la etiqueta del sistema de archivos en %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Establecer la etiqueta del sistema de archivos <strong>%1</strong> en la partición<strong> %2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info El instalador no pudo actualizar la tabla de particiones en el disco '%1'. @@ -660,9 +674,20 @@ El instalador se cerrará y se perderán todos los cambios. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partición manual</strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione una partición para reducirla, luego arrastre la barra inferior para cambiar su tamaño</strong> + Select storage de&vice: + @label Seleccionar dispositivo de almacenamiento: @@ -671,56 +696,49 @@ El instalador se cerrará y se perderán todos los cambios. Current: + @label Actual: After: + @label Después: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partición manual</strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. - - Reuse %1 as home partition for %2. - Reutilizar %1 como partición de HOME para el %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione una partición para reducirla, luego arrastre la barra inferior para cambiar su tamaño</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 será reducido a %2MiB y una nueva %3MiB partición se creará para %4. - - - Boot loader location: - Ubicación del cargador de arranque: - <strong>Select a partition to install on</strong> + @label <strong>Seleccione una partición para instalar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name No se puede encontrar una partición del sistema EFI en ninguna parte de este sistema. Regrese y use la partición manual para configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partición del sistema EFI en %1 se utilizará para iniciar %2. EFI system partition: + @label Partición de sistema EFI: @@ -775,38 +793,51 @@ El instalador se cerrará y se perderán todos los cambios. This storage device has one of its partitions <strong>mounted</strong>. + @info Éste dispositivo de almacenamiento tiene <strong>montada</strong> una de sus particiones. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Este dispositivo de almacenamiento forma parte de un dispositivo <strong>RAID inactivo</strong>. - No Swap - Sin SWAP + No swap + @label + - Reuse Swap - Reutilizar SWAP + Reuse swap + @label + Swap (no Hibernate) + @label SWAP (sin hibernación) Swap (with Hibernate) + @label SWAP (con hibernación) Swap to file + @label SWAP en el archivo + + + Bootloader location: + @label + + ClearMountsJob @@ -838,12 +869,14 @@ El instalador se cerrará y se perderán todos los cambios. Clear mounts for partitioning operations on %1 + @title Se borraron todos los montajes para operaciones de partición en %1 - Clearing mounts for partitioning operations on %1. - Borrando montajes para operaciones de partición en %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -855,13 +888,10 @@ El instalador se cerrará y se perderán todos los cambios. ClearTempMountsJob - Clear all temporary mounts. - Borrar todos los montajes temporales. - - - Clearing all temporary mounts. - Borrando todos los montajes temporales. + Clearing all temporary mounts… + @status + @@ -1010,42 +1040,43 @@ El instalador se cerrará y se perderán todos los cambios. ¡Dale! - + Package Selection Selección de paquetes - + Please pick a product from the list. The selected product will be installed. Por favor, elija un producto de la lista. Se instalará el producto seleccionado. - + Packages Paquetes - + Install option: <strong>%1</strong> Opción de instalación: <strong>%1</strong> - + None Ninguno - + Summary + @label Resumen - + This is an overview of what will happen once you start the setup procedure. Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de configuración. - + This is an overview of what will happen once you start the install procedure. Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de instalación. @@ -1101,13 +1132,13 @@ El instalador se cerrará y se perderán todos los cambios. Keyboard model has been set to %1<br/>. @label, %1 is keyboard model, as in Apple Magic Keyboard - + El modelo del teclado se ha establecido en %1<br/>. Keyboard layout has been set to %1/%2. @label, %1 is layout, %2 is layout variant - + El idioma del teclado se ha establecido en %1/%2. @@ -1117,15 +1148,15 @@ El instalador se cerrará y se perderán todos los cambios. - The system language will be set to %1 + The system language will be set to %1. @info - + El idioma del sistema se establecerá a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + El formato de números y fechas aparecerá en %1. @@ -1134,7 +1165,7 @@ El instalador se cerrará y se perderán todos los cambios. Performing contextual processes' job… @status - + Realizando el trabajo de procesos contextuales... @@ -1202,31 +1233,37 @@ El instalador se cerrará y se perderán todos los cambios. En&crypt + @action En&criptar Logical + @label Lógica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. + @info El punto de montaje ya en uso. Por favor seleccione otro. Mountpoint must start with a <tt>/</tt>. + @info El punto de montaje debe comenzar con <tt>/</tt>. @@ -1234,43 +1271,51 @@ El instalador se cerrará y se perderán todos los cambios. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Crear nueva partición %1MiB en %3 (%2) con entradas %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Crear nueva partición %1MiB en %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Crear nueva partición %2MiB en %4 (%3) con sistema de archivos %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2) con entradas<em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Crear nueva partición <strong>%2MiB</strong> en <strong>%4</strong> (%3) con sistema de archivos <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Creando nueva partición %1 en %2 + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info El instalador no pudo crear la partición en el disco "%1". @@ -1306,18 +1351,16 @@ El instalador se cerrará y se perderán todos los cambios. CreatePartitionTableJob - Create new %1 partition table on %2. - Crear una nueva tabla de particiones %1 en %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crear una nueva tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creando una nueva tabla de particiones %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1334,29 +1377,33 @@ El instalador se cerrará y se perderán todos los cambios. - Create user <strong>%1</strong>. - Crear usuario <strong>%1</strong>. - - - - Preserving home directory - Preservando el directorio HOME + Create user <strong>%1</strong> + - Creating user %1 - Creando usuario %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Configurando su usuario %1 - Setting file permissions - Configurando permisos de archivos + Setting file permissions… + @status + @@ -1364,6 +1411,7 @@ El instalador se cerrará y se perderán todos los cambios. Create Volume Group + @title Crear grupo de volúmenes @@ -1371,18 +1419,16 @@ El instalador se cerrará y se perderán todos los cambios. CreateVolumeGroupJob - Create new volume group named %1. - Crear un nuevo grupo de volúmenes denominado %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Cree un nuevo grupo de volúmenes llamado<strong>%1.</strong> - - - - Creating new volume group named %1. - Creando un nuevo grupo de volúmenes llamado %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1395,13 +1441,15 @@ El instalador se cerrará y se perderán todos los cambios. - Deactivate volume group named %1. - Desactivar el grupo de volúmenes llamado %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desactivar el grupo de volúmenes denominado %1. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1413,18 +1461,16 @@ El instalador se cerrará y se perderán todos los cambios. DeletePartitionJob - Delete partition %1. - Eliminar la partición %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eliminar la partición <strong>%1</strong>. - - - - Deleting partition %1. - Eliminando la partición %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1486,13 +1532,13 @@ El instalador se cerrará y se perderán todos los cambios. Writing LUKS configuration for Dracut to %1… @status - + Escribiendo la configuración LUKS para Dracut en %1… Skipping writing LUKS configuration for Dracut: "/" partition is not encrypted @info - + Saltarse la escritura de la configuración LUKS para Dracut: la partición "/" no está encriptada @@ -1507,7 +1553,7 @@ El instalador se cerrará y se perderán todos los cambios. Performing dummy C++ job… @status - + Realizando un trabajo de prueba de C++... @@ -1609,12 +1655,14 @@ El instalador se cerrará y se perderán todos los cambios. Please enter the same passphrase in both boxes. + @tooltip Por favor introduzca la misma contraseña en ambos cuadros. - Password must be a minimum of %1 characters - La contraseña debe tener un mínimo de %1 caracteres + Password must be a minimum of %1 characters. + @tooltip + @@ -1635,57 +1683,68 @@ El instalador se cerrará y se perderán todos los cambios. Set partition information + @title Establecer información de partición Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalar %1 en una <strong>nueva</strong> partición del sistema %2 con las características <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 en la <strong>nueva</strong> partición del sistema %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configure una <strong>nueva</strong> partición %2 con el punto de montaje <strong>%1</strong> y las características <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurar una <strong>nueva</strong> %2 con el punto de montaje<strong> %1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalar %2 en %3 la partición del sistema <strong>%1</strong> con las características<em> %4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurar %3 la partición <strong>%1</strong> con el punto de montaje<strong> %2</strong> y las funciones <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurar %3 partición <strong>%1 </strong>con punto de montaje <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 en %3 partición del sistema <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instale el cargador de arranque en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configurando puntos de montaje. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ El instalador se cerrará y se perderán todos los cambios. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatear partición %1 (sistema de archivos: %2, tamaño: %3 MiB) en %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatear <strong>%3MiB</strong> partición "<strong>%1</strong>" con sistema de archivos <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formateando partición "%1" con sistema de archivos %2. + + Formatting partition %1 with file system %2… + @status + @@ -1914,7 +1976,7 @@ El instalador se cerrará y se perderán todos los cambios. Collecting information about your machine… @status - + Recopilando información sobre su equipo... @@ -1949,7 +2011,7 @@ El instalador se cerrará y se perderán todos los cambios. Creating initramfs with mkinitcpio… @status - + Creando initramfs con mkinitcpio… @@ -1958,7 +2020,7 @@ El instalador se cerrará y se perderán todos los cambios. Creating initramfs… @status - + Creando initramfs... @@ -1967,7 +2029,7 @@ El instalador se cerrará y se perderán todos los cambios. Konsole not installed. @error - + Konsole no está instalado @@ -2015,7 +2077,7 @@ El instalador se cerrará y se perderán todos los cambios. System Locale Setting @title - + Configuración Regional del Sistema. @@ -2168,7 +2230,7 @@ El instalador se cerrará y se perderán todos los cambios. Hide the license text @tooltip - + Ocultar el texto de la licencia @@ -2180,7 +2242,7 @@ El instalador se cerrará y se perderán todos los cambios. Open the license agreement in browser @tooltip - + Abra el acuerdo de licencia en el navegador @@ -2202,7 +2264,7 @@ El instalador se cerrará y se perderán todos los cambios. &Change… @button - + &Cambiar... @@ -2264,20 +2326,38 @@ El instalador se cerrará y se perderán todos los cambios. MachineIdJob - + Generate machine-id. Generar identificador único de máquina. - + Configuration Error Error en la configuración - + No root mount point is set for MachineId. No se establece ningún punto de montaje raíz para "MachineId". + + + + + + File not found + Archivo no encontrado + + + + Path <pre>%1</pre> must be an absolute path. + La ruta <pre>%1</pre> debe ser una ruta absoluta. + + + + Could not create new random file <pre>%1</pre>. + No se pudo crear el nuevo archivo aleatorio <pre>%1</pre>. + Map @@ -2472,7 +2552,7 @@ El instalador se cerrará y se perderán todos los cambios. Select your preferred region, or use the default settings @label - + Seleccione su región más cercana o utilice la configuración predeterminada. @@ -2486,7 +2566,7 @@ El instalador se cerrará y se perderán todos los cambios. Select your preferred zone within your region @label - + Seleccione la zona más cercana a su ubicación @@ -2498,7 +2578,7 @@ El instalador se cerrará y se perderán todos los cambios. You can fine-tune language and locale settings below @label - + A continuación puede ajustar la configuración Regional y de Idioma @@ -2507,7 +2587,7 @@ El instalador se cerrará y se perderán todos los cambios. Select your preferred region, or use the default settings @label - + Seleccione su región más cercana o utilice la configuración predeterminada. @@ -2521,7 +2601,7 @@ El instalador se cerrará y se perderán todos los cambios. Select your preferred zone within your region @label - + Seleccione la zona más cercana a su ubicación @@ -2533,7 +2613,7 @@ El instalador se cerrará y se perderán todos los cambios. You can fine-tune language and locale settings below @label - + A continuación puede ajustar la configuración Regional y de Idioma @@ -2814,11 +2894,6 @@ El instalador se cerrará y se perderán todos los cambios. Unknown error Error desconocido - - - Password is empty - La contraseña está vacía - PackageChooserPage @@ -2866,7 +2941,7 @@ El instalador se cerrará y se perderán todos los cambios. Keyboard model: - + Modelo del Teclado: @@ -2875,7 +2950,8 @@ El instalador se cerrará y se perderán todos los cambios. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2981,31 +3057,37 @@ El instalador se cerrará y se perderán todos los cambios. Home + @label Datos de usuario Boot + @label Arranque EFI system + @label Sistema EFI Swap + @label SWAP New partition for %1 + @label Partición nueva para %1 New partition + @label Nueva partición @@ -3021,37 +3103,44 @@ El instalador se cerrará y se perderán todos los cambios. Free Space + @title Espacio libre - New partition - Nueva partición + New Partition + @title + Name + @title Nombre File System + @title Sistema de archivos File System Label + @title Etiqueta del sistema de archivos Mount Point + @title Punto de montaje Size + @title Tamaño @@ -3130,16 +3219,6 @@ El instalador se cerrará y se perderán todos los cambios. PartitionViewStep - - - Gathering system information... - Recopilando información del sistema... - - - - Partitions - Particiones - Unsafe partition actions are enabled. @@ -3155,30 +3234,20 @@ El instalador se cerrará y se perderán todos los cambios. No partitions will be changed. No se cambiarán particiones. - - - Current: - Actual: - - - - After: - Después: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - + Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> La partición del sistema EFI no cumple con las sugerencias. Se sugiere volver y seleccionar o crear un sistema de archivos adecuado. The minimum recommended size for the filesystem is %1 MiB. - + El tamaño mínimo sugerido para el sistema de archivos es %1 MiB. You can continue with this EFI system partition configuration but your system may fail to start. - + Puede continuar con esta configuración de partición del sistema EFI, pero es posible que su sistema no se inicie. @@ -3216,6 +3285,30 @@ El instalador se cerrará y se perderán todos los cambios. The filesystem must have flag <strong>%1</strong> set. El sistema de archivos debe tener establecido el indicador<strong> %1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + + + + Current: + @label + Actual: + + + + After: + @label + Después: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3224,7 +3317,7 @@ El instalador se cerrará y se perderán todos los cambios. EFI system partition recommendation - + Sugerencia de partición del sistema EFI @@ -3261,8 +3354,9 @@ El instalador se cerrará y se perderán todos los cambios. PlasmaLnfJob - Plasma Look-and-Feel Job - Tarea de aspecto de Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3289,6 +3383,7 @@ El instalador se cerrará y se perderán todos los cambios. Look-and-Feel + @label Apariencia @@ -3296,8 +3391,9 @@ El instalador se cerrará y se perderán todos los cambios. PreserveFiles - Saving files for later ... - Guardando archivos para más tarde... + Saving files for later… + @status + @@ -3393,26 +3489,12 @@ Salida Por omisión - - - - - File not found - Archivo no encontrado - - - - Path <pre>%1</pre> must be an absolute path. - La ruta <pre>%1</pre> debe ser una ruta absoluta. - - - + Directory not found Directorio no encontrado - - + Could not create new random file <pre>%1</pre>. No se pudo crear el nuevo archivo aleatorio <pre>%1</pre>. @@ -3431,11 +3513,6 @@ Salida (no mount point) (sin punto de montaje) - - - Unpartitioned space or unknown partition table - Espacio no particionado o tabla de particiones desconocida - unknown @@ -3460,6 +3537,12 @@ Salida @partition info SWAP + + + Unpartitioned space or unknown partition table + @info + Espacio no particionado o tabla de particiones desconocida + Recommended @@ -3476,8 +3559,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén RemoveUserJob - Remove live user from target system - Eliminar usuario LIVE del sistema de destino + Removing live user from the target system… + @status + @@ -3485,13 +3569,15 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Remove Volume Group named %1. - Eliminar el grupo de volúmenes denominado %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Eliminar grupo de volúmenes llamado <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3523,7 +3609,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Performing file system resize… @status - + Realizando cambio de tamaño del sistema de archivos... @@ -3541,19 +3627,19 @@ La configuración puede continuar, pero es posible que algunas funciones estén KPMCore not available @error - + KPMCore no disponible Calamares cannot start KPMCore for the file system resize job. @error - + Calamares lamentablemente no puede iniciar KPMCore para la tarea de redimensionamiento del sistema de archivos. Resize failed. @error - + Redimensionamiento fallido @@ -3594,7 +3680,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén The file system %1 must be resized, but cannot. @info - + Es necesario redimensionar el sistema de archivos %1 pero no es posible hacerlo. @@ -3606,22 +3692,25 @@ La configuración puede continuar, pero es posible que algunas funciones estén ResizePartitionJob - - Resize partition %1. - Redimensionar partición %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Redimensionar la partición <strong>%1</strong> de <strong>%2MB</strong> a <strong>%3MB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Cambiando tamaño de la %2MiB partición %1 a %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. El instalador ha fallado al reducir la partición %1 en el disco "%2". @@ -3631,6 +3720,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Resize Volume Group + @title Cambiar el tamaño del grupo de volúmenes @@ -3638,17 +3728,24 @@ La configuración puede continuar, pero es posible que algunas funciones estén ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Cambiar el tamaño del grupo de volúmenes llamado %1 de %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Cambiar el tamaño del grupo de volúmenes llamado "<strong>%1</strong>" de "<strong>%2</strong>" a "<strong>%3</strong>". + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. El instalador falló al cambiar el tamaño de un grupo de volúmenes llamado "%1". @@ -3665,13 +3762,15 @@ La configuración puede continuar, pero es posible que algunas funciones estén ScanningDialog - Scanning storage devices... - Escaneando dispositivos de almacenamiento... + Scanning storage devices… + @status + - Partitioning - Particionando + Partitioning… + @status + @@ -3688,8 +3787,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Setting hostname %1. - Configurando hostname %1. + Setting hostname %1… + @status + @@ -3710,7 +3810,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Setting keyboard model to %1, layout as %2-%3… @status, %1 model, %2 layout, %3 variant - + Configurando el modelo de teclado en %1, diseño como %2-%3… @@ -3753,81 +3853,96 @@ La configuración puede continuar, pero es posible que algunas funciones estén SetPartFlagsJob - Set flags on partition %1. - Establecer indicadores en la partición %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Establecer indicadores en la %1MiB %2 partición.. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Establecer indicadores en la nueva partición. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Borrar indicadores en la partición <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Borrar indicadores en la %1MiB <strong>%2</strong> partición. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Borrar indicadores en la nueva partición. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Indicador de partición <strong>%1</strong> como <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Marcar %1MiB <strong>%2</strong> partición como <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Marcar la nueva partición como <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Borrar indicadores en la partición <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Borrando marcadores en la %1MiB <strong>%2</strong> partición. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Borrar indicadores en la nueva partición. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Establecer indicadores <strong>%2</strong> en la partición <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Estableciendo indicadores <strong>%3</strong> en la %1MiB <strong>%2</strong> partición. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Establecer indicadores <strong>%1</strong> en nueva partición. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. El instalador falló al establecer indicadores en la partición %1. @@ -3841,32 +3956,33 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Setting password for user %1. - Configurando contraseña para el usuario %1. + Setting password for user %1… + @status + - + Bad destination system path. Ruta del sistema de destino incorrecta. - + rootMountPoint is %1 rootMountPoint es %1 - + Cannot disable root account. No se puede deshabilitar la cuenta ROOT. - + Cannot set password for user %1. No se puede establecer la contraseña para el usuario %1. - - + + usermod terminated with error code %1. Lamentablemente usermod finalizó con el código de error %1. @@ -3877,7 +3993,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Setting timezone to %1/%2… @status - + Configurando el uso horario a %1/%2... @@ -3915,8 +4031,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén SetupGroupsJob - Preparing groups. - Preparando grupos. + Preparing groups… + @status + @@ -3934,8 +4051,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén SetupSudoJob - Configure <pre>sudo</pre> users. - Configurar usuarios <pre> sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3952,8 +4070,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén ShellProcessJob - Shell Processes Job - Trabajo de procesos de "Shell" + Running shell processes… + @status + @@ -4002,8 +4121,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Sending installation feedback. - Enviando de comentarios sobre la instalación. + Sending installation feedback… + @status + @@ -4025,8 +4145,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Configuring KDE user feedback. - Configirando la retroalimentación de usuario de KDE + Configuring KDE user feedback… + @status + @@ -4054,8 +4175,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén - Configuring machine feedback. - Configurando la retroalimentación de la maquina. + Configuring machine feedback… + @status + @@ -4117,6 +4239,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Feedback + @title Retroalimentación @@ -4124,8 +4247,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén UmountJob - Unmount file systems. - Desmontar los sistemas de archivos. + Unmounting file systems… + @status + @@ -4283,21 +4407,22 @@ La configuración puede continuar, pero es posible que algunas funciones estén &Release notes &Notas de lanzamiento - - - %1 support - %1 Ayuda - About %1 Setup @title - + Acerca del asistente de %1 About %1 Installer @title + Acerca del instalador %1 + + + + %1 Support + @action @@ -4306,6 +4431,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Welcome + @title Bienvenido/a @@ -4314,6 +4440,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Welcome + @title Bienvenido/a @@ -4321,8 +4448,9 @@ La configuración puede continuar, pero es posible que algunas funciones estén ZfsJob - Create ZFS pools and datasets - Crear grupos y conjuntos de datos ZFS + Creating ZFS pools and datasets… + @status + @@ -4502,13 +4630,13 @@ Este registro se copia en /var/log/installation.log del sistema de destino.</ Select a layout to activate keyboard preview @label - + Seleccione un diseño para activar la vista previa del teclado <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Modelo del teclado:&nbsp;&nbsp;</b> @@ -4526,7 +4654,7 @@ Este registro se copia en /var/log/installation.log del sistema de destino.</ Type here to test your keyboard… @label - + Tipée aquí para probar su teclado @@ -4535,13 +4663,13 @@ Este registro se copia en /var/log/installation.log del sistema de destino.</ Select a layout to activate keyboard preview @label - + Seleccione un diseño para activar la vista previa del teclado <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Modelo del teclado:&nbsp;&nbsp;</b> @@ -4559,7 +4687,7 @@ Este registro se copia en /var/log/installation.log del sistema de destino.</ Type here to test your keyboard… @label - + Tipée aquí para probar su teclado @@ -4769,21 +4897,11 @@ Opción por defecto. What is your name? ¿Cuál es su nombre? - - - Your Full Name - Su nombre legal - What name do you want to use to log in? ¿Qué nombre desea utilizar para iniciar sesión? - - - Login Name - Nombre de inicio de sesión - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4804,11 +4922,6 @@ Opción por defecto. What is the name of this computer? ¿Cómo se llama éste equipo? - - - Computer Name - Nombre del equipo - This name will be used if you make the computer visible to others on a network. @@ -4829,16 +4942,21 @@ Opción por defecto. Password Contraseña - - - Repeat Password - Repite la contraseña - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ingrese la misma contraseña dos veces para que se pueda verificar si hay errores tipográficos. Una buena contraseña contendrá una combinación de letras, números y signos de puntuación, debe tener al menos ocho caracteres y debe cambiarse de vez en cuando. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4854,11 +4972,31 @@ Opción por defecto. Log in automatically without asking for the password Iniciar sesión automáticamente sin pedir la contraseña + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Sólo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. + + + Repeat password + + Reuse user password as root password @@ -4874,16 +5012,6 @@ Opción por defecto. Choose a root password to keep your account safe. Elija una contraseña para mantener su cuenta "ROOT" segura. - - - Root Password - Contraseña de ROOT - - - - Repeat Root Password - Repetir la contraseña de ROOT - Enter the same password twice, so that it can be checked for typing errors. @@ -4902,21 +5030,11 @@ Opción por defecto. What is your name? ¿Cuál es su nombre? - - - Your Full Name - Su nombre completo - What name do you want to use to log in? ¿Qué nombre desea utilizar para iniciar sesión? - - - Login Name - Nombre de inicio de sesión - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4937,10 +5055,20 @@ Opción por defecto. What is the name of this computer? ¿Cómo se llama éste equipo? + + + Your full name + + + + + Login name + + - Computer Name - Nombre del equipo + Computer name + @@ -4969,8 +5097,18 @@ Opción por defecto. - Repeat Password - Repite la contraseña + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4992,16 +5130,6 @@ Opción por defecto. Choose a root password to keep your account safe. Elija una contraseña para mantener su cuenta "ROOT" segura. - - - Root Password - Contraseña de ROOT - - - - Repeat Root Password - Repetir la contraseña de ROOT - Enter the same password twice, so that it can be checked for typing errors. @@ -5039,13 +5167,13 @@ Opción por defecto. - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de lanzamiento + Release Notes + @@ -5069,13 +5197,13 @@ Opción por defecto. - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de lanzamiento + Release Notes + diff --git a/lang/calamares_es_MX.ts b/lang/calamares_es_MX.ts index f56f6d5fee..d68c03a3a4 100644 --- a/lang/calamares_es_MX.ts +++ b/lang/calamares_es_MX.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record de %1 Boot Partition + @info Partición de arranque System Partition + @info Partición del Sistema Do not install a boot loader + @label No instalar el gestor de arranque @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalar @@ -631,18 +636,27 @@ El instalador terminará y se perderán todos los cambios. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info El instalador falló al actualizar la tabla de partición en el disco '%1'. @@ -656,9 +670,20 @@ El instalador terminará y se perderán todos los cambios. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual </strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione una partición para reducir el tamaño, a continuación, arrastre la barra inferior para redimencinar</strong> + Select storage de&vice: + @label Seleccionar dispositivo de almacenamiento: @@ -667,57 +692,50 @@ El instalador terminará y se perderán todos los cambios. Current: + @label Actual: After: + @label Después: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual </strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. - - Reuse %1 as home partition for %2. - Reuse %1 como partición home para %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione una partición para reducir el tamaño, a continuación, arrastre la barra inferior para redimencinar</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 será reducido a %2MiB y una nueva %3MiB partición se creará para %4. - - - Boot loader location: - Ubicación del cargador de arranque: - <strong>Select a partition to install on</strong> + @label <strong>Seleccione una partición para instalar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name No se puede encontrar en el sistema una partición EFI. Por favor vuelva atrás y use el particionamiento manual para configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partición EFI en %1 será usada para iniciar %2. EFI system partition: + @label Partición de sistema EFI: @@ -772,38 +790,51 @@ El instalador terminará y se perderán todos los cambios. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - Sin Swap + No swap + @label + - Reuse Swap - Reutilizar Swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (sin hibernación) Swap (with Hibernate) + @label Swap (con hibernación) Swap to file + @label Swap a archivo + + + Bootloader location: + @label + + ClearMountsJob @@ -835,12 +866,14 @@ El instalador terminará y se perderán todos los cambios. Clear mounts for partitioning operations on %1 + @title Borrar puntos de montaje para operaciones de particionamiento en %1 - Clearing mounts for partitioning operations on %1. - Borrando puntos de montaje para operaciones de particionamiento en %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -852,13 +885,10 @@ El instalador terminará y se perderán todos los cambios. ClearTempMountsJob - Clear all temporary mounts. - Despejar todos los puntos de montaje temporales. - - - Clearing all temporary mounts. - Despejando todos los puntos de montaje temporales. + Clearing all temporary mounts… + @status + @@ -1007,42 +1037,43 @@ El instalador terminará y se perderán todos los cambios. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Resumen - + This is an overview of what will happen once you start the setup procedure. Esta es una descripción general de lo que sucederá una vez que comience el procedimiento de configuración. - + This is an overview of what will happen once you start the install procedure. Esto es un resumen de lo que pasará una vez que inicie el procedimiento de instalación. @@ -1114,15 +1145,15 @@ El instalador terminará y se perderán todos los cambios. - The system language will be set to %1 + The system language will be set to %1. @info - + El idioma del sistema será establecido a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Los números y datos locales serán establecidos a %1. @@ -1199,31 +1230,37 @@ El instalador terminará y se perderán todos los cambios. En&crypt + @action En&criptar Logical + @label Lógica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. + @info Punto de montaje ya esta en uso. Por favor seleccione otro. Mountpoint must start with a <tt>/</tt>. + @info @@ -1231,43 +1268,51 @@ El instalador terminará y se perderán todos los cambios. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - Crear nueva %2MiB partición en %4 (%3) con el sistema de archivos %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Crear nueva<strong>%2MiB</strong> partición en<strong>%2MiB</strong> (%3) con el sistema de archivos <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Creando nueva partición %1 en %2 + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info El instalador falló en crear la partición en el disco '%1'. @@ -1303,18 +1348,16 @@ El instalador terminará y se perderán todos los cambios. CreatePartitionTableJob - Create new %1 partition table on %2. - Crear nueva tabla de partición %1 en %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crear nueva tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creando nueva tabla de particiones %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1331,28 +1374,32 @@ El instalador terminará y se perderán todos los cambios. - Create user <strong>%1</strong>. - Crear usuario <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1361,6 +1408,7 @@ El instalador terminará y se perderán todos los cambios. Create Volume Group + @title Crear Grupo de Volumen @@ -1368,18 +1416,16 @@ El instalador terminará y se perderán todos los cambios. CreateVolumeGroupJob - Create new volume group named %1. - Crear nuevo grupo de volumen llamado %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Crear nuevo grupo de volumen llamado <strong>%1</strong>. - - - - Creating new volume group named %1. - Creando nuevo grupo de volumen llamado %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1392,13 +1438,15 @@ El instalador terminará y se perderán todos los cambios. - Deactivate volume group named %1. - Desactivar el grupo de volúmenes llamado %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desactivar el grupo de volúmenes llamado<strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1410,18 +1458,16 @@ El instalador terminará y se perderán todos los cambios. DeletePartitionJob - Delete partition %1. - Eliminar la partición %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eliminar la partición <strong>%1</strong>. - - - - Deleting partition %1. - Eliminando partición %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1606,11 +1652,13 @@ El instalador terminará y se perderán todos los cambios. Please enter the same passphrase in both boxes. + @tooltip Favor ingrese la misma contraseña segura en ambas casillas. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1632,57 +1680,68 @@ El instalador terminará y se perderán todos los cambios. Set partition information + @title Fijar información de la partición. Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 en <strong>nueva</strong> %2 partición de sistema. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 en %3 partición del sistema <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalar el cargador de arranque en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configurando puntos de montaje. + + Setting up mount points… + @status + @@ -1751,24 +1810,27 @@ El instalador terminará y se perderán todos los cambios. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formateando partición %1 con sistema de archivos %2. + + Formatting partition %1 with file system %2… + @status + @@ -2261,20 +2323,38 @@ El instalador terminará y se perderán todos los cambios. MachineIdJob - + Generate machine-id. Generar identificación de la maquina. - + Configuration Error Error de configuración - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2807,11 +2887,6 @@ El instalador terminará y se perderán todos los cambios. Unknown error Error desconocido - - - Password is empty - - PackageChooserPage @@ -2868,7 +2943,8 @@ El instalador terminará y se perderán todos los cambios. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2974,31 +3050,37 @@ El instalador terminará y se perderán todos los cambios. Home + @label Home Boot + @label Boot EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label Partición nueva para %1 New partition + @label Partición nueva @@ -3014,37 +3096,44 @@ El instalador terminará y se perderán todos los cambios. Free Space + @title Espacio libre - New partition - Partición nueva + New Partition + @title + Name + @title Nombre File System + @title Sistema de archivos File System Label + @title Mount Point + @title Punto de montaje Size + @title Tamaño @@ -3123,16 +3212,6 @@ El instalador terminará y se perderán todos los cambios. PartitionViewStep - - - Gathering system information... - Obteniendo información del sistema... - - - - Partitions - Particiones - Unsafe partition actions are enabled. @@ -3148,16 +3227,6 @@ El instalador terminará y se perderán todos los cambios. No partitions will be changed. - - - Current: - Actual: - - - - After: - Después: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3209,6 +3278,30 @@ El instalador terminará y se perderán todos los cambios. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + + + + Current: + @label + Actual: + + + + After: + @label + Después: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3254,8 +3347,9 @@ El instalador terminará y se perderán todos los cambios. PlasmaLnfJob - Plasma Look-and-Feel Job - Trabajo Plasma Look-and-Feel + Applying Plasma Look-and-Feel… + @status + @@ -3282,6 +3376,7 @@ El instalador terminará y se perderán todos los cambios. Look-and-Feel + @label Look-and-Feel @@ -3289,8 +3384,9 @@ El instalador terminará y se perderán todos los cambios. PreserveFiles - Saving files for later ... - Guardando archivos para más tarde ... + Saving files for later… + @status + @@ -3386,26 +3482,12 @@ Salida Por defecto - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3424,11 +3506,6 @@ Salida (no mount point) - - - Unpartitioned space or unknown partition table - Espacio no particionado o tabla de partición desconocida - unknown @@ -3453,6 +3530,12 @@ Salida @partition info swap + + + Unpartitioned space or unknown partition table + @info + Espacio no particionado o tabla de partición desconocida + Recommended @@ -3467,7 +3550,8 @@ Salida RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3476,12 +3560,14 @@ Salida - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3594,22 +3680,25 @@ Salida ResizePartitionJob - - Resize partition %1. - Redimensionar partición %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. El instalador ha fallado al reducir la partición %1 en el disco '%2'. @@ -3619,6 +3708,7 @@ Salida Resize Volume Group + @title @@ -3626,17 +3716,24 @@ Salida ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. @@ -3653,13 +3750,15 @@ Salida ScanningDialog - Scanning storage devices... - Escaneando dispositivos de almacenamiento... + Scanning storage devices… + @status + - Partitioning - Particionando + Partitioning… + @status + @@ -3676,8 +3775,9 @@ Salida - Setting hostname %1. - Configurando nombre de host %1. + Setting hostname %1… + @status + @@ -3741,81 +3841,96 @@ Salida SetPartFlagsJob - Set flags on partition %1. - Establecer indicadores en la partición %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Establecer indicadores en la nueva partición. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Borrar indicadores en la partición <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Borrar indicadores en la nueva partición. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Indicador de partición <strong>%1</strong> como <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Marcar la nueva partición como <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Borrar indicadores en la partición <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Borrar indicadores en la nueva partición. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Establecer indicadores <strong>%2</strong> en la partición <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Establecer indicadores <strong>%1</strong> en nueva partición. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. El instalador no pudo establecer indicadores en la partición %1. @@ -3829,32 +3944,33 @@ Salida - Setting password for user %1. - Configurando contraseña para el usuario %1. + Setting password for user %1… + @status + - + Bad destination system path. Destino erróneo del sistema. - + rootMountPoint is %1 El punto de montaje de root es %1 - + Cannot disable root account. No se puede deshabilitar la cuenta root. - + Cannot set password for user %1. No se puede definir contraseña para el usuario %1. - - + + usermod terminated with error code %1. usermod ha terminado con el código de error %1 @@ -3903,7 +4019,8 @@ Salida SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3922,7 +4039,8 @@ Salida SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3940,8 +4058,9 @@ Salida ShellProcessJob - Shell Processes Job - Trabajo de procesos Shell + Running shell processes… + @status + @@ -3990,8 +4109,9 @@ Salida - Sending installation feedback. - Envío de retroalimentación de instalación. + Sending installation feedback… + @status + @@ -4013,7 +4133,8 @@ Salida - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4042,8 +4163,9 @@ Salida - Configuring machine feedback. - Configurando la retroalimentación de la maquina. + Configuring machine feedback… + @status + @@ -4105,6 +4227,7 @@ Salida Feedback + @title Retroalimentación @@ -4112,8 +4235,9 @@ Salida UmountJob - Unmount file systems. - Desmontar sistemas de archivo. + Unmounting file systems… + @status + @@ -4271,11 +4395,6 @@ Salida &Release notes &Notas de lanzamiento - - - %1 support - %1 Soporte - About %1 Setup @@ -4288,12 +4407,19 @@ Salida @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Bienvenido @@ -4302,6 +4428,7 @@ Salida Welcome + @title Bienvenido @@ -4309,7 +4436,8 @@ Salida ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4725,21 +4853,11 @@ Salida What is your name? ¿Cuál es su nombre? - - - Your Full Name - Nombre completo - What name do you want to use to log in? ¿Qué nombre desea usar para acceder al sistema? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4760,11 +4878,6 @@ Salida What is the name of this computer? ¿Cuál es el nombre de esta computadora? - - - Computer Name - Nombre de la computadora - This name will be used if you make the computer visible to others on a network. @@ -4786,13 +4899,18 @@ Salida - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4810,11 +4928,31 @@ Salida Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4830,16 +4968,6 @@ Salida Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4858,21 +4986,11 @@ Salida What is your name? ¿Cuál es su nombre? - - - Your Full Name - Nombre completo - What name do you want to use to log in? ¿Qué nombre desea usar para acceder al sistema? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4893,10 +5011,20 @@ Salida What is the name of this computer? ¿Cuál es el nombre de esta computadora? + + + Your full name + + + + + Login name + + - Computer Name - Nombre de la computadora + Computer name + @@ -4925,7 +5053,17 @@ Salida - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4948,16 +5086,6 @@ Salida Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4995,13 +5123,13 @@ Salida - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de publicación + Release Notes + @@ -5025,13 +5153,13 @@ Salida - Known issues - Problemas conocidos + Known Issues + - Release notes - Notas de publicación + Release Notes + diff --git a/lang/calamares_es_PR.ts b/lang/calamares_es_PR.ts index c8c44d9536..34ee4d33f8 100644 --- a/lang/calamares_es_PR.ts +++ b/lang/calamares_es_PR.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Registro de arranque maestro de %1 Boot Partition + @info Partición de arranque System Partition + @info Partición del sistema Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalar @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -769,36 +787,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -832,11 +863,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -849,12 +882,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Resumen - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1111,13 +1142,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1300,17 +1345,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1365,17 +1413,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1389,12 +1435,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1407,17 +1455,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,56 +1677,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1748,23 +1807,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2804,11 +2884,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2865,7 +2940,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2971,31 +3047,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3011,37 +3093,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3120,16 +3209,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,7 +3344,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3279,6 +3373,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3286,7 +3381,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3380,26 +3476,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3418,11 +3500,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3447,6 +3524,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3461,7 +3544,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3470,12 +3554,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3588,22 +3674,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3613,6 +3702,7 @@ Output: Resize Volume Group + @title @@ -3620,17 +3710,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3647,12 +3744,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3670,7 +3769,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3735,81 +3835,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3823,32 +3938,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3897,7 +4013,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3916,7 +4033,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3934,7 +4052,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3984,7 +4103,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4007,7 +4127,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4036,7 +4157,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4099,6 +4221,7 @@ Output: Feedback + @title @@ -4106,7 +4229,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4265,11 +4389,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4282,12 +4401,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4296,6 +4422,7 @@ Output: Welcome + @title @@ -4303,7 +4430,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4719,21 +4847,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4754,11 +4872,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4780,13 +4893,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4804,11 +4922,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4824,16 +4962,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4852,21 +4980,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4887,9 +5005,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4919,7 +5047,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4942,16 +5080,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4988,12 +5116,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5017,12 +5145,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_et.ts b/lang/calamares_et.ts index cb3133ecec..294a337b7e 100644 --- a/lang/calamares_et.ts +++ b/lang/calamares_et.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 Master Boot Record Boot Partition + @info Käivituspartitsioon System Partition + @info Süsteemipartitsioon Do not install a boot loader + @label Ära paigalda käivituslaadurit @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Paigalda @@ -628,18 +633,27 @@ Paigaldaja sulgub ning kõik muutused kaovad. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info @@ -653,9 +667,20 @@ Paigaldaja sulgub ning kõik muutused kaovad. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Käsitsi partitsioneerimine</strong><br/>Sa võid ise partitsioone luua või nende suurust muuta. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vali vähendatav partitsioon, seejärel sikuta alumist riba suuruse muutmiseks</strong> + Select storage de&vice: + @label Vali mäluseade: @@ -664,56 +689,49 @@ Paigaldaja sulgub ning kõik muutused kaovad. Current: + @label Hetkel: After: + @label Pärast: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Käsitsi partitsioneerimine</strong><br/>Sa võid ise partitsioone luua või nende suurust muuta. - - Reuse %1 as home partition for %2. - Taaskasuta %1 %2 kodupartitsioonina. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vali vähendatav partitsioon, seejärel sikuta alumist riba suuruse muutmiseks</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Käivituslaaduri asukoht: - <strong>Select a partition to install on</strong> + @label <strong>Vali partitsioon, kuhu paigaldada</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI süsteemipartitsiooni ei leitud sellest süsteemist. Palun mine tagasi ja kasuta käsitsi partitsioonimist, et seadistada %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI süsteemipartitsioon asukohas %1 kasutatakse %2 käivitamiseks. EFI system partition: + @label EFI süsteemipartitsioon: @@ -768,36 +786,49 @@ Paigaldaja sulgub ning kõik muutused kaovad. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,12 +862,14 @@ Paigaldaja sulgub ning kõik muutused kaovad. Clear mounts for partitioning operations on %1 + @title Tühjenda monteeringud partitsioneerimistegevustes %1 juures - Clearing mounts for partitioning operations on %1. - Tühjendan monteeringud partitsioneerimistegevustes %1 juures. + Clearing mounts for partitioning operations on %1… + @status + @@ -848,13 +881,10 @@ Paigaldaja sulgub ning kõik muutused kaovad. ClearTempMountsJob - Clear all temporary mounts. - Tühjenda kõik ajutised monteeringud. - - - Clearing all temporary mounts. - Tühjendan kõik ajutised monteeringud. + Clearing all temporary mounts… + @status + @@ -1003,42 +1033,43 @@ Paigaldaja sulgub ning kõik muutused kaovad. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Kokkuvõte - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. See on ülevaade sellest mis juhtub, kui alustad paigaldusprotseduuri. @@ -1110,15 +1141,15 @@ Paigaldaja sulgub ning kõik muutused kaovad. - The system language will be set to %1 + The system language will be set to %1. @info - + Süsteemikeeleks määratakse %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Arvude ja kuupäevade lokaaliks seatakse %1. @@ -1195,31 +1226,37 @@ Paigaldaja sulgub ning kõik muutused kaovad. En&crypt + @action &Krüpti Logical + @label Loogiline Primary + @label Peamine GPT + @label GPT Mountpoint already in use. Please select another one. + @info Monteerimispunkt on juba kasutusel. Palun vali mõni teine. Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ Paigaldaja sulgub ning kõik muutused kaovad. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Loon uut %1 partitsiooni kettal %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Paigaldaja ei suutnud luua partitsiooni kettale "%1". @@ -1299,18 +1344,16 @@ Paigaldaja sulgub ning kõik muutused kaovad. CreatePartitionTableJob - Create new %1 partition table on %2. - Loo uus %1 partitsioonitabel kohta %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Loo uus <strong>%1</strong> partitsioonitabel kohta <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Loon uut %1 partitsioonitabelit kohta %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1327,28 +1370,32 @@ Paigaldaja sulgub ning kõik muutused kaovad. - Create user <strong>%1</strong>. - Loo kasutaja <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ Paigaldaja sulgub ning kõik muutused kaovad. Create Volume Group + @title @@ -1364,18 +1412,16 @@ Paigaldaja sulgub ning kõik muutused kaovad. CreateVolumeGroupJob - Create new volume group named %1. - Loo uus kettagrupp nimega %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Loo uus kettagrupp nimega <strong>%1</strong>. - - - - Creating new volume group named %1. - Uue kettagrupi %1 loomine. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1388,13 +1434,15 @@ Paigaldaja sulgub ning kõik muutused kaovad. - Deactivate volume group named %1. - Keela kettagrupp nimega %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Keela kettagrupp nimega <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1406,18 +1454,16 @@ Paigaldaja sulgub ning kõik muutused kaovad. DeletePartitionJob - Delete partition %1. - Kustuta partitsioon %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Kustuta partitsioon <strong>%1</strong>. - - - - Deleting partition %1. - Kustutan partitsiooni %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1602,11 +1648,13 @@ Paigaldaja sulgub ning kõik muutused kaovad. Please enter the same passphrase in both boxes. + @tooltip Palun sisesta sama salaväljend mõlemisse kasti. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,57 +1676,68 @@ Paigaldaja sulgub ning kõik muutused kaovad. Set partition information + @title Sea partitsiooni teave Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Paigalda %1 <strong>uude</strong> %2 süsteemipartitsiooni. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Paigalda %2 %3 süsteemipartitsioonile <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Paigalda käivituslaadur kohta <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Seadistan monteerimispunkte. + + Setting up mount points… + @status + @@ -1747,24 +1806,27 @@ Paigaldaja sulgub ning kõik muutused kaovad. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Vormindan partitsiooni %1 failisüsteemiga %2. + + Formatting partition %1 with file system %2… + @status + @@ -2257,20 +2319,38 @@ Paigaldaja sulgub ning kõik muutused kaovad. MachineIdJob - + Generate machine-id. Genereeri masina-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. Unknown error Tundmatu viga - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ Paigaldaja sulgub ning kõik muutused kaovad. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ Paigaldaja sulgub ning kõik muutused kaovad. Home + @label Kodu Boot + @label Käivitus EFI system + @label EFI süsteem Swap + @label Swap New partition for %1 + @label Uus partitsioon %1 jaoks New partition + @label Uus partitsioon @@ -3001,37 +3083,44 @@ Paigaldaja sulgub ning kõik muutused kaovad. Free Space + @title Tühi ruum - New partition - Uus partitsioon + New Partition + @title + Name + @title Nimi File System + @title Failisüsteem File System Label + @title Mount Point + @title Monteerimispunkt Size + @title Suurus @@ -3110,16 +3199,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. PartitionViewStep - - - Gathering system information... - Hangin süsteemiteavet... - - - - Partitions - Partitsioonid - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. No partitions will be changed. - - - Current: - Hetkel: - - - - After: - Pärast: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ Paigaldaja sulgub ning kõik muutused kaovad. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partitsioonid + + + + Current: + @label + Hetkel: + + + + After: + @label + Pärast: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,8 +3334,9 @@ Paigaldaja sulgub ning kõik muutused kaovad. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma välimuse-ja-tunnetuse töö + Applying Plasma Look-and-Feel… + @status + @@ -3269,6 +3363,7 @@ Paigaldaja sulgub ning kõik muutused kaovad. Look-and-Feel + @label Välimus-ja-tunnetus @@ -3276,8 +3371,9 @@ Paigaldaja sulgub ning kõik muutused kaovad. PreserveFiles - Saving files for later ... - Salvestan faile hiljemaks... + Saving files for later… + @status + @@ -3373,26 +3469,12 @@ Väljund: Vaikimisi - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3411,11 +3493,6 @@ Väljund: (no mount point) - - - Unpartitioned space or unknown partition table - Partitsioneerimata ruum või tundmatu partitsioonitabel - unknown @@ -3440,6 +3517,12 @@ Väljund: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Partitsioneerimata ruum või tundmatu partitsioonitabel + Recommended @@ -3454,7 +3537,8 @@ Väljund: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3463,13 +3547,15 @@ Väljund: - Remove Volume Group named %1. - Eemalda kettagrupp nimega %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Eemalda kettagrupp nimega <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3581,22 +3667,25 @@ Väljund: ResizePartitionJob - - Resize partition %1. - Muuda partitsiooni %1 suurust. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. Paigaldajal ebaõnnestus partitsiooni %1 suuruse muutmine kettal "%2". @@ -3606,6 +3695,7 @@ Väljund: Resize Volume Group + @title Muuda kettagrupi suurust @@ -3613,17 +3703,24 @@ Väljund: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Muuda kettagrupi %1 suurust %2-st %3-ks. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Muuda kettagrupi <strong>%1</strong> suurust <strong>%2</strong>-st <strong>%3</strong>-ks. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Paigaldaja ei saanud muuta kettagrupi "%1" suurust. @@ -3640,13 +3737,15 @@ Väljund: ScanningDialog - Scanning storage devices... - Skaneerin mäluseadmeid... + Scanning storage devices… + @status + - Partitioning - Partitsioneerimine + Partitioning… + @status + @@ -3663,8 +3762,9 @@ Väljund: - Setting hostname %1. - Määran hostinime %1. + Setting hostname %1… + @status + @@ -3728,81 +3828,96 @@ Väljund: SetPartFlagsJob - Set flags on partition %1. - Määratud sildid partitsioonil %1: + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Määra sildid uuele partitsioonile. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Tühjenda sildid partitsioonil <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Tühjenda sildid uuel partitsioonil + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Määra partitsioonile <strong>%1</strong> silt <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Määra uuele partitsioonile silt <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Eemaldan sildid partitsioonilt <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Eemaldan uuelt partitsioonilt sildid. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Määran sildid <strong>%1</strong> partitsioonile <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Määran sildid <strong>%1</strong> uuele partitsioonile. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Paigaldaja ei suutnud partitsioonile %1 silte määrata. @@ -3816,32 +3931,33 @@ Väljund: - Setting password for user %1. - Määran kasutajale %1 parooli. + Setting password for user %1… + @status + - + Bad destination system path. Halb sihtsüsteemi tee. - + rootMountPoint is %1 rootMountPoint on %1 - + Cannot disable root account. Juurkasutajat ei saa keelata. - + Cannot set password for user %1. Kasutajale %1 ei saa parooli määrata. - - + + usermod terminated with error code %1. usermod peatatud veateatega %1. @@ -3890,7 +4006,8 @@ Väljund: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3909,7 +4026,8 @@ Väljund: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3927,8 +4045,9 @@ Väljund: ShellProcessJob - Shell Processes Job - Kesta protsesside töö + Running shell processes… + @status + @@ -3977,8 +4096,9 @@ Väljund: - Sending installation feedback. - Saadan paigalduse tagasisidet. + Sending installation feedback… + @status + @@ -4000,7 +4120,8 @@ Väljund: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4029,8 +4150,9 @@ Väljund: - Configuring machine feedback. - Seadistan seadme tagasisidet. + Configuring machine feedback… + @status + @@ -4092,6 +4214,7 @@ Väljund: Feedback + @title Tagasiside @@ -4099,8 +4222,9 @@ Väljund: UmountJob - Unmount file systems. - Haagi failisüsteemid lahti. + Unmounting file systems… + @status + @@ -4258,11 +4382,6 @@ Väljund: &Release notes &Väljalaskemärkmed - - - %1 support - %1 tugi - About %1 Setup @@ -4275,12 +4394,19 @@ Väljund: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Tervist @@ -4289,6 +4415,7 @@ Väljund: Welcome + @title Tervist @@ -4296,7 +4423,8 @@ Väljund: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4712,21 +4840,11 @@ Väljund: What is your name? Mis on su nimi? - - - Your Full Name - - What name do you want to use to log in? Mis nime soovid sisselogimiseks kasutada? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4747,11 +4865,6 @@ Väljund: What is the name of this computer? Mis on selle arvuti nimi? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4773,13 +4886,18 @@ Väljund: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4797,11 +4915,31 @@ Väljund: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4817,16 +4955,6 @@ Väljund: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4845,21 +4973,11 @@ Väljund: What is your name? Mis on su nimi? - - - Your Full Name - - What name do you want to use to log in? Mis nime soovid sisselogimiseks kasutada? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4880,9 +4998,19 @@ Väljund: What is the name of this computer? Mis on selle arvuti nimi? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4912,7 +5040,17 @@ Väljund: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4935,16 +5073,6 @@ Väljund: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4981,12 +5109,12 @@ Väljund: - Known issues + Known Issues - Release notes + Release Notes @@ -5010,12 +5138,12 @@ Väljund: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_eu.ts b/lang/calamares_eu.ts index ee2f21ce82..716f713ec0 100644 --- a/lang/calamares_eu.ts +++ b/lang/calamares_eu.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1-(e)n Master Boot Record Boot Partition + @info Abio partizioa System Partition + @info Sistema-partizioa Do not install a boot loader + @label Ez instalatu abio kargatzailerik @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalatu @@ -628,18 +633,27 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -653,9 +667,20 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Eskuz partizioak landu</strong><br/>Zure kasa sortu edo tamainaz alda dezakezu partizioak. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Aukeratu partizioa txikitzeko eta gero arrastatu azpiko-barra tamaina aldatzeko</strong> + Select storage de&vice: + @label Aukeratu &biltegiratze-gailua: @@ -664,56 +689,49 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Current: + @label Unekoa: After: + @label Ondoren: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Eskuz partizioak landu</strong><br/>Zure kasa sortu edo tamainaz alda dezakezu partizioak. - - Reuse %1 as home partition for %2. - Berrerabili %1 home partizio bezala %2rentzat. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Aukeratu partizioa txikitzeko eta gero arrastatu azpiko-barra tamaina aldatzeko</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Abio kargatzaile kokapena: - <strong>Select a partition to install on</strong> + @label <strong>aukeratu partizioa instalatzeko</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Ezin da inon aurkitu EFI sistemako partiziorik sistema honetan. Mesedez joan atzera eta erabili eskuz partizioak lantzea %1 ezartzeko. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1eko EFI partizio sistema erabiliko da abiarazteko %2. EFI system partition: + @label EFI sistema-partizioa: @@ -768,36 +786,49 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,12 +862,14 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Clear mounts for partitioning operations on %1 + @title Garbitu muntaketa puntuak partizioak egiteko %1 -(e)an. - Clearing mounts for partitioning operations on %1. - Garbitzen muntaketa puntuak partizio eragiketak egiteko %1 -(e)an. + Clearing mounts for partitioning operations on %1… + @status + @@ -848,13 +881,10 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ClearTempMountsJob - Clear all temporary mounts. - Garbitu aldi-baterako muntaketa puntu guztiak. - - - Clearing all temporary mounts. - Garbitzen aldi-baterako muntaketa puntu guztiak. + Clearing all temporary mounts… + @status + @@ -1003,42 +1033,43 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Laburpena - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1110,15 +1141,15 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - The system language will be set to %1 + The system language will be set to %1. @info - + %1 ezarriko da sistemako hizkuntza bezala. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Zenbaki eta daten eskualdea %1-(e)ra ezarri da. @@ -1195,31 +1226,37 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. En&crypt + @action En%kriptatu Logical + @label Logikoa Primary + @label Primarioa GPT + @label GPT Mountpoint already in use. Please select another one. + @info Muntatze-puntua erabiltzen. Mesedez aukeratu beste bat. Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - %1 partizioa berria sortzen %2n. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Huts egin du instalatzaileak '%1' diskoan partizioa sortzen. @@ -1299,18 +1344,16 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CreatePartitionTableJob - Create new %1 partition table on %2. - Sortu %1 partizio taula berria %2n. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Sortu <strong>%1</strong> partizio taula berria <strong>%2</strong>n (%3). - - - - Creating new %1 partition table on %2. - %1 partizio taula berria %2n sortzen. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1327,28 +1370,32 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - Create user <strong>%1</strong>. - Sortu <strong>%1</strong> erabiltzailea - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Create Volume Group + @title @@ -1364,18 +1412,16 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CreateVolumeGroupJob - Create new volume group named %1. - Sortu bolumen talde berria %1 izenaz. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Sortu bolumen talde berria<strong> %1</strong> izenaz. - - - - Creating new volume group named %1. - Bolumen talde berria sortzen %1 izenaz. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1388,13 +1434,15 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - Deactivate volume group named %1. - Desaktibatu %1 izeneko bolumen taldea. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desaktibatu <strong>%1</strong> izeneko bolumen taldea. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1406,18 +1454,16 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. DeletePartitionJob - Delete partition %1. - Ezabatu %1 partizioa. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Ezabatu <strong>%1</strong> partizioa. - - - - Deleting partition %1. - %1 partizioa ezabatzen. + Deleting partition <strong>%1</strong>… + @status + @@ -1602,11 +1648,13 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Please enter the same passphrase in both boxes. + @tooltip Mesedez sartu pasahitz berdina bi kutxatan. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,57 +1676,68 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Set partition information + @title Ezarri partizioaren informazioa Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instalatu %1 sistemako %2 partizio <strong>berrian</strong>. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. - Instalatu abio kargatzailea <strong>%1</strong>-(e)n. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Muntatze puntuak ezartzen. + + Setting up mount points… + @status + @@ -1747,24 +1806,27 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 partizioa formateatzen %2 sistemaz. + + Formatting partition %1 with file system %2… + @status + @@ -2257,20 +2319,38 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. MachineIdJob - + Generate machine-id. Sortu makina-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Unknown error Hutsegite ezezaguna - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Home + @label Home Boot + @label Boot EFI system + @label EFI sistema Swap + @label Swap New partition for %1 + @label Partizio berri %1(e)ntzat New partition + @label Partizio berria @@ -3001,37 +3083,44 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Free Space + @title Espazio librea - New partition - Partizio berria + New Partition + @title + Name + @title Izena File System + @title Fitxategi Sistema File System Label + @title Mount Point + @title Muntatze Puntua Size + @title Tamaina @@ -3110,16 +3199,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. PartitionViewStep - - - Gathering system information... - Sistemaren informazioa eskuratzen... - - - - Partitions - Partizioak - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. No partitions will be changed. - - - Current: - Unekoa: - - - - After: - Ondoren: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partizioak + + + + Current: + @label + Unekoa: + + + + After: + @label + Ondoren: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,7 +3334,8 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3269,6 +3363,7 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Look-and-Feel + @label @@ -3276,8 +3371,9 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. PreserveFiles - Saving files for later ... - Fitxategiak geroko gordetzen... + Saving files for later… + @status + @@ -3372,26 +3468,12 @@ Irteera: Lehenetsia - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3410,11 +3492,6 @@ Irteera: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3439,6 +3516,12 @@ Irteera: @partition info swap + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3453,7 +3536,8 @@ Irteera: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3462,12 +3546,14 @@ Irteera: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3580,22 +3666,25 @@ Irteera: ResizePartitionJob - - Resize partition %1. - Tamaina aldatu %1 partizioari. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3605,6 +3694,7 @@ Irteera: Resize Volume Group + @title Bolumen Talde berriaren tamaina aldatu @@ -3612,17 +3702,24 @@ Irteera: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. @@ -3639,13 +3736,15 @@ Irteera: ScanningDialog - Scanning storage devices... - Biltegiratze-gailuak eskaneatzen... + Scanning storage devices… + @status + - Partitioning - Partizioa(k) egiten + Partitioning… + @status + @@ -3662,7 +3761,8 @@ Irteera: - Setting hostname %1. + Setting hostname %1… + @status @@ -3727,81 +3827,96 @@ Irteera: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3815,32 +3930,33 @@ Irteera: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 root Muntatze Puntua %1 da - + Cannot disable root account. Ezin da desgaitu root kontua. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3889,7 +4005,8 @@ Irteera: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3908,7 +4025,8 @@ Irteera: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3926,7 +4044,8 @@ Irteera: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3976,7 +4095,8 @@ Irteera: - Sending installation feedback. + Sending installation feedback… + @status @@ -3999,7 +4119,8 @@ Irteera: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4028,7 +4149,8 @@ Irteera: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4091,6 +4213,7 @@ Irteera: Feedback + @title Feedback @@ -4098,8 +4221,9 @@ Irteera: UmountJob - Unmount file systems. - Fitxategi sistemak desmuntatu. + Unmounting file systems… + @status + @@ -4257,11 +4381,6 @@ Irteera: &Release notes - - - %1 support - %1 euskarria - About %1 Setup @@ -4274,12 +4393,19 @@ Irteera: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Ongi etorri @@ -4288,6 +4414,7 @@ Irteera: Welcome + @title Ongi etorri @@ -4295,7 +4422,8 @@ Irteera: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4711,21 +4839,11 @@ Irteera: What is your name? Zein da zure izena? - - - Your Full Name - - What name do you want to use to log in? Zein izen erabili nahi duzu saioa hastean? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4746,11 +4864,6 @@ Irteera: What is the name of this computer? Zein da ordenagailu honen izena? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4772,13 +4885,18 @@ Irteera: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4796,11 +4914,31 @@ Irteera: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4816,16 +4954,6 @@ Irteera: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4844,21 +4972,11 @@ Irteera: What is your name? Zein da zure izena? - - - Your Full Name - - What name do you want to use to log in? Zein izen erabili nahi duzu saioa hastean? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4879,9 +4997,19 @@ Irteera: What is the name of this computer? Zein da ordenagailu honen izena? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4911,7 +5039,17 @@ Irteera: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4934,16 +5072,6 @@ Irteera: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4980,12 +5108,12 @@ Irteera: - Known issues + Known Issues - Release notes + Release Notes @@ -5009,12 +5137,12 @@ Irteera: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_fa.ts b/lang/calamares_fa.ts index 62a432936d..26b40bb18e 100644 --- a/lang/calamares_fa.ts +++ b/lang/calamares_fa.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - مدیریت تنظیمات سوارشدن-خودکار + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info رکورد راه اندازی اصلی %1 Boot Partition + @info افراز راه‌اندازی System Partition + @info افراز سامانه‌ای Do not install a boot loader + @label نصب نکردن یک بارکنندهٔ راه‌اندازی @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label نصب @@ -633,18 +638,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - تنظیم برچسب سامانه پرونده روی %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - تنظیم عنوان سامانه پرونده <strong>%1</strong> به افراز <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info نصب کننده برای بروز کردن جدول افراز روی دیسک '%1' شکست خورد. @@ -658,9 +672,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + شما می توانید پارتیشن بندی دستی ایجاد یا تغییر اندازه دهید . + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>انتخاب یک پارتیشن برای کوجک کردن و ایجاد پارتیشن جدید از آن، سپس نوار دکمه را بکشید تا تغییر اندازه دهد</strong> + Select storage de&vice: + @label انتخاب &دستگاه ذخیره‌سازی: @@ -669,56 +694,49 @@ The installer will quit and all changes will be lost. Current: + @label فعلی: After: + @label بعد از: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - شما می توانید پارتیشن بندی دستی ایجاد یا تغییر اندازه دهید . - - Reuse %1 as home partition for %2. - استفاده مجدد از %1 به عنوان پارتیشن خانه برای %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>انتخاب یک پارتیشن برای کوجک کردن و ایجاد پارتیشن جدید از آن، سپس نوار دکمه را بکشید تا تغییر اندازه دهد</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 تغییر سایز خواهد داد به %2 مبی‌بایت و یک پارتیشن %3 مبی‌بایتی برای %4 ساخته خواهد شد. - - - Boot loader location: - مکان بالاآورنده بوت: - <strong>Select a partition to install on</strong> + @label <strong>یک پارتیشن را برای نصب بر روی آن، انتخاب کنید</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name پارتیشن سیستم ای.اف.آی نمی‌تواند در هیچ جایی از این سیستم یافت شود. لطفا برگردید و از پارتیشن بندی دستی استفاده کنید تا %1 را راه‌اندازی کنید. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name پارتیشن سیستم ای.اف.آی در %1 برای شروع %2 استفاده خواهد شد. EFI system partition: + @label پارتیشن سیستم ای.اف.آی @@ -773,38 +791,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info این دستگاه حافظه دارای یک افرازی بوده که هم اکنون <strong>سوارشده</strong> است. This storage device is a part of an <strong>inactive RAID</strong> device. + @info یکی از بخش های این دستگاه حافظه عضوی از دستگاه <strong>RAID غیرفعال</strong> است. - No Swap - بدون Swap + No swap + @label + - Reuse Swap - باز استفاده از مبادله + Reuse swap + @label + Swap (no Hibernate) + @label مبادله (بدون خواب‌زمستانی) Swap (with Hibernate) + @label مبادله (با خواب‌زمستانی) Swap to file + @label مبادله به پرونده + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title پاک‌سازی اتّصال‌ها برای عملبات افراز روی %1 - Clearing mounts for partitioning operations on %1. - در حال پاک‌سازی اتّصال‌ها برای عملبات افراز روی %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - پاک‌سازی همهٔ اتّصال‌های موقّتی. - - - Clearing all temporary mounts. - در حال پاک‌سازی همهٔ اتّصال‌های موقّتی. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ The installer will quit and all changes will be lost. باشه! - + Package Selection گزینش بسته‌ها - + Please pick a product from the list. The selected product will be installed. لطفاً محصولی را از لیست انتخاب کنید. محصول انتخاب شده نصب خواهد شد. - + Packages بسته‌ها - + Install option: <strong>%1</strong> گزینه نصب: <strong>%1</strong> - + None هیچ کدام - + Summary + @label خلاصه - + This is an overview of what will happen once you start the setup procedure. این یک بررسی از مواردی که بعد از اینکه برپایی را شروع کنید، انجام می شوند است. - + This is an overview of what will happen once you start the install procedure. این یک بررسی از مواردی که بعد از اینکه نصب را شروع کنید، انجام می شوند است. @@ -1115,15 +1146,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + زبان سامانه به %1 تنظیم خواهد شد. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + محلی و اعداد و تاریخ ها روی٪ 1 تنظیم می شوند. @@ -1200,31 +1231,37 @@ The installer will quit and all changes will be lost. En&crypt + @action رمز&نگاری Logical + @label منطقی Primary + @label اصلی GPT + @label GPT Mountpoint already in use. Please select another one. + @info نقطهٔ اتّصال از پیش در حال استفاده است. لطفاً نقطهٔ دیگری برگزینید. Mountpoint must start with a <tt>/</tt>. + @info @@ -1232,43 +1269,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - ایجاد افراز %1 می‌ب جدید روی %3 (%2) با ورودی های %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - ایجاد افراز %1 می‌ب جدید روی %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - ایچاد افراز %2می‌ب جدید روی %4 (%3) با سامانهٔ پروندهٔ %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - ایجاد افراز <strong>%1 می‌ب</strong> جدید روی <strong>%3</strong> (%2) با ورودی های <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - ایجاد افراز <strong>%1</strong> می‌ب جدید روی <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - ایچاد افراز <strong>%2می‌ب</strong> جدید روی <strong>%</strong>4 (%3) با سامانهٔ پروندهٔ <strong>%</strong>1. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - در حال ایجاد افراز %1 جدید روی %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info نصب کننده برای ساختن افراز روی دیسک '%1' شکست خورد. @@ -1304,18 +1349,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - ایجاد جدول افراز %1 جدید روی %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - ایجاد جدول افراز <strong>%1</strong> جدید روی <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - در حال ایجاد جدول افراز %1 جدید روی %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - ایجاد کاربر <strong>%</strong>1. - - - - Preserving home directory - حفظ مسیر خانگی + Create user <strong>%1</strong> + - Creating user %1 - درحال ایجاد کاربر %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status درحال تنظیم کاربر %1 - Setting file permissions - درحال تنظیم مجوزهای پرونده + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title ایجاد گروه حجمی @@ -1369,18 +1417,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - ایجاد گروه حجمی جدید به نام %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - ایجاد گروه حجمی جدید به نام <strong>%1</strong>. - - - - Creating new volume group named %1. - در حال ایجاد گروه حجمی جدید به نام %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - از کار انداختن گروه حجمی با نام %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - از کار انداختن گروه حجمی با نام <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - حذف افراز %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - حذف افراز <strong>%1</strong>. - - - - Deleting partition %1. - در حال حذف افراز %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip لطفاً عبارت عبور یکسانی را در هر دو جعبه وارد کنید. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ The installer will quit and all changes will be lost. Set partition information + @title تنظیم اطّلاعات افراز Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info نصب %1 روی سامانه افراز %2 <strong>جدید</strong> با امکانات <em>%3</em>. - - Install %1 on <strong>new</strong> %2 system partition. - نصب %1 روی سامانه افراز %2 <strong>جدید</strong>. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - برپایی افراز <strong>جدید</strong> %2 با نقطه سوارشدن <strong>%1</strong> و امکانات <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - برپایی افراز <strong>جدید</strong> %2 با نقطه سوارشدن <strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - نصب %2 روی <strong>%1</strong> سامانه افراز %3 با امکانات <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - برپایی %3 افراز <strong>%1</strong> با نقطه سوارشدن <strong>%2</strong> و امکانات <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - برپایی %3 افراز <strong>%1</strong> با نقطه سوارشدن <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - نصب %2 روی <strong>%1</strong> سامانه افراز %3. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - نصب بوت لودر روی <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - برپایی نقطه‌های اتّصال + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - فرمت افراز %1 (سامانه پروانه: %2، اندازه: %3مبی‌بایت) روی %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - فرمت افراز<strong>%1</strong> با سایز <strong>%3مبی‌بایت</strong> با سامانه پرونده <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - فرمت افراز %1 با سامانه پروند %2. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. تولید شناسهٔ دستگاه - + Configuration Error خطای پیکربندی - + No root mount point is set for MachineId. هیچ نقطه نصب ریشه ای برای MachineId تنظیم نشده است. + + + + + + File not found + پرونده پیدا نشد + + + + Path <pre>%1</pre> must be an absolute path. + مسیر <pre>%1</pre> باید یک مسیر مطلق باشد. + + + + Could not create new random file <pre>%1</pre>. + نمی توان پرونده تصادفی <pre>%1</pre> را ساخت. + Map @@ -2799,11 +2879,6 @@ The installer will quit and all changes will be lost. Unknown error خطای ناشناخته - - - Password is empty - گذرواژه خالی است - PackageChooserPage @@ -2860,7 +2935,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,32 +3042,38 @@ The installer will quit and all changes will be lost. Home + @label خانه Boot + @label بوت EFI system + @label سیستم ای.اف.آی Swap + @label Swap New partition for %1 + @label پارتیشن جدید برای %1 New partition - پارتیشن جدید + @label + افراز جدید @@ -3006,37 +3088,44 @@ The installer will quit and all changes will be lost. Free Space + @title فضای آزاد - New partition - افراز جدید + New Partition + @title + Name + @title نام File System + @title سامانهٔ پرونده File System Label + @title برچسب سامانه پرونده Mount Point + @title نقطهٔ اتّصال Size + @title اندازه @@ -3115,16 +3204,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - جمع‌آوری اطّلاعات سامانه… - - - - Partitions - افرازها - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - فعلی: - - - - After: - بعد از: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. سامانه پرونده باید پرچم <strong>%1</strong> را دارا باشد. + + + Gathering system information… + @status + + + + + Partitions + @label + افرازها + + + + Current: + @label + فعلی: + + + + After: + @label + بعد از: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - شغل ظاهری و احساس پلاسما + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label ظاهر و احساس @@ -3281,8 +3376,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - ذخیرهٔ پرونده‌ها برای بعد + Saving files for later… + @status + @@ -3375,26 +3471,12 @@ Output: پیش گزیده - - - - - File not found - پرونده پیدا نشد - - - - Path <pre>%1</pre> must be an absolute path. - مسیر <pre>%1</pre> باید یک مسیر مطلق باشد. - - - + Directory not found مسیر یافت نشد - - + Could not create new random file <pre>%1</pre>. نمی توان پرونده تصادفی <pre>%1</pre> را ساخت. @@ -3413,11 +3495,6 @@ Output: (no mount point) (بدون نقطهٔ اتّصال) - - - Unpartitioned space or unknown partition table - فضای افرازنشده یا جدول افراز ناشناخته - unknown @@ -3442,6 +3519,12 @@ Output: @partition info مبادله + + + Unpartitioned space or unknown partition table + @info + فضای افرازنشده یا جدول افراز ناشناخته + Recommended @@ -3457,8 +3540,9 @@ Output: RemoveUserJob - Remove live user from target system - برداشتن کاربر زنده از سامانهٔ هدف + Removing live user from the target system… + @status + @@ -3466,13 +3550,15 @@ Output: - Remove Volume Group named %1. - حذف گروه حجمی با نام %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - حذف گروه حجمی با نام <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3586,22 +3672,25 @@ Output: ResizePartitionJob - - Resize partition %1. - تغییر اندازهٔ افراز %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - تغییر اندازه افراز <strong>%1</strong> از <strong>%2مبی‌بایت</strong> به <strong>%3مبی‌بایت</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - درحال تغییر اندازه افراز %1 از %2مبی‌بایت به %3مبی‌بایت. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. نصب کننده برای تغییر اندازه افراز %1 روی دیسک '%2' شکست خورد. @@ -3611,6 +3700,7 @@ Output: Resize Volume Group + @title تغییر اندازهٔ گروه حجمی @@ -3618,17 +3708,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - تغییر اندازه گروه حجمی با نام %1 از %2 به %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - تغییر اندازه گروه حجمی با نام <strong>%1</strong> از <strong>%2</strong> به <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. نصب کننده برای تغییر اندازه گروه حجمی با نام '%1' شکست خورد. @@ -3645,13 +3742,15 @@ Output: ScanningDialog - Scanning storage devices... - در حال پویش افزارهٔ ذخیره‌ساز… + Scanning storage devices… + @status + - Partitioning - افرازش + Partitioning… + @status + @@ -3668,8 +3767,9 @@ Output: - Setting hostname %1. - تنظیم نام میزبان به %1. + Setting hostname %1… + @status + @@ -3733,81 +3833,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - تنظیم پرچم ها روی افراز %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - تنظیم پرچم ها روی افراز %2 با حجم %1مبی‌بایت. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - تنظیم پرچم ها روی افراز جدید. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - پاک کردن پرچم ها از افراز <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - پاک کردن پرچم ها از افراز <strong>%2</strong> با حجم %1مبی‌بایت. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - پاک کردن پرچم در افراز جدید. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - پرچم گذاری افراز <strong>%1</strong> بعنوان <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - پرچم گذاری افراز <strong>%2</strong> بعنوان <strong>%3</strong> با حجم %1 مبی‌بایت. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - درحال پرچم گذاری افراز جدید بعنوان <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - درحال پاک کردن پرچم ها از افراز <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - درحال پاک کردن پرچم ها از افراز <strong>%2</strong> با حجم %1مبی‌بایت. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - پاک کردن پرچم ها در افراز جدید. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - درحال تنظیم پرچم های <strong>%2</strong> روی افراز <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - درحال تنظیم پرچم های <strong>%3</strong> روی افراز <strong>%2</strong> با حجم %1مبی‌بایت. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - درحال تنظیم پرچم های <strong>%1</strong> روی افراز جدید. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. نصب کننده برای تنظیم پرچم ها روی افراز %1 شکست خورد. @@ -3821,32 +3936,33 @@ Output: - Setting password for user %1. - درحال تنظیم گذرواژه برای کاربر %1. + Setting password for user %1… + @status + - + Bad destination system path. مسیر مقصد سامانه بد است. - + rootMountPoint is %1 نقطهٔ اتّصال ریشه %1 است - + Cannot disable root account. حساب ریشه را نمیتوان غیرفعال کرد. - + Cannot set password for user %1. نمی‌توان برای کاربر %1 گذرواژه تنظیم کرد. - - + + usermod terminated with error code %1. usermod با خطای %1 پایان یافت. @@ -3895,8 +4011,9 @@ Output: SetupGroupsJob - Preparing groups. - درحال آماده سازی گروه ها. + Preparing groups… + @status + @@ -3914,8 +4031,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - کاربران با دسترسی <pre>sudo</pre> را تنظیم کنید. + Configuring <pre>sudo</pre> users… + @status + @@ -3932,8 +4050,9 @@ Output: ShellProcessJob - Shell Processes Job - پردازه های شل + Running shell processes… + @status + @@ -3982,8 +4101,9 @@ Output: - Sending installation feedback. - ارسال بازخورد نصب + Sending installation feedback… + @status + @@ -4005,8 +4125,9 @@ Output: - Configuring KDE user feedback. - در حال تنظیم بازخورد کاربری KDE. + Configuring KDE user feedback… + @status + @@ -4034,8 +4155,9 @@ Output: - Configuring machine feedback. - در حال تنظیم بازخورد ماشین. + Configuring machine feedback… + @status + @@ -4097,6 +4219,7 @@ Output: Feedback + @title بازخورد @@ -4104,8 +4227,9 @@ Output: UmountJob - Unmount file systems. - پیاده کردن سامانه‌های پرونده. + Unmounting file systems… + @status + @@ -4263,11 +4387,6 @@ Output: &Release notes &یادداشت‌های انتشار - - - %1 support - پشتیبانی %1 - About %1 Setup @@ -4280,12 +4399,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title خوش آمدید @@ -4294,6 +4420,7 @@ Output: Welcome + @title خوش آمدید @@ -4301,7 +4428,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4725,21 +4853,11 @@ Output: What is your name? نامتان چیست؟ - - - Your Full Name - نام کاملتان - What name do you want to use to log in? برای ورود می خواهید از چه نامی استفاده کنید؟ - - - Login Name - نام ورود - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4760,11 +4878,6 @@ Output: What is the name of this computer? نام این رایانه چیست؟ - - - Computer Name - نام رایانه - This name will be used if you make the computer visible to others on a network. @@ -4785,16 +4898,21 @@ Output: Password گذرواژه - - - Repeat Password - تکرار TextLabel - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. رمز ورود یکسان را دو بار وارد کنید ، تا بتوان آن را از نظر اشتباه تایپ بررسی کرد. یک رمز ورود خوب شامل ترکیبی از حروف ، اعداد و علائم نگارشی است ، باید حداقل هشت حرف داشته باشد و باید در فواصل منظم تغییر یابد. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4810,11 +4928,31 @@ Output: Log in automatically without asking for the password ورود خودکار بدون پرسیدن گذرواژه + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. حداقل دو حرف و فقط حروف، اعداد، زیرخط و خط تیره مجاز هستند. + + + Repeat password + + Reuse user password as root password @@ -4830,16 +4968,6 @@ Output: Choose a root password to keep your account safe. برای امن نگه داشتن حسابتان، گذرواژه روت ای برگزینید. - - - Root Password - گذرواژه روت - - - - Repeat Root Password - تکرار گذرواژه روت - Enter the same password twice, so that it can be checked for typing errors. @@ -4858,21 +4986,11 @@ Output: What is your name? نامتان چیست؟ - - - Your Full Name - نام کاملتان - What name do you want to use to log in? برای ورود می خواهید از چه نامی استفاده کنید؟ - - - Login Name - نام ورود - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4893,10 +5011,20 @@ Output: What is the name of this computer? نام این رایانه چیست؟ + + + Your full name + + + + + Login name + + - Computer Name - نام رایانه + Computer name + @@ -4925,8 +5053,18 @@ Output: - Repeat Password - تکرار TextLabel + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4948,16 +5086,6 @@ Output: Choose a root password to keep your account safe. برای امن نگه داشتن حسابتان، گذرواژه روت ای برگزینید. - - - Root Password - گذرواژه روت - - - - Repeat Root Password - تکرار گذرواژه روت - Enter the same password twice, so that it can be checked for typing errors. @@ -4995,13 +5123,13 @@ Output: - Known issues - اشکالات شناخته‌شده + Known Issues + - Release notes - یادداشت‌های انتشار + Release Notes + @@ -5025,13 +5153,13 @@ Output: - Known issues - اشکالات شناخته‌شده + Known Issues + - Release notes - یادداشت‌های انتشار + Release Notes + diff --git a/lang/calamares_fi_FI.ts b/lang/calamares_fi_FI.ts index 333e1ad83a..45fa48d0f3 100644 --- a/lang/calamares_fi_FI.ts +++ b/lang/calamares_fi_FI.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Hallitse 'auto-mount'-asetuksia + Managing auto-mount settings… + @status + Hallitse "auto-mount" asetuksia... @@ -38,17 +39,17 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - Järjestelmän <strong>käynnistysympäristö.</strong> <br><br>Vanhemmat x86-järjestelmät tukevat vain <strong>BIOS</strong>-järjestelmää.<br>Nykyaikaiset järjestelmät käyttävät yleensä <strong>EFI</strong>ä, mutta voivat myös näkyä BIOS-tilassa, jos ne käynnistetään yhteensopivuustilassa. + Järjestelmän <strong>käynnistysympäristö.</strong> <br><br>Vanhemmat x86 tukevat vain <strong>BIOS</strong> käynnistystapaa.<br>Uudet koneet tukevat yleensä <strong>EFI</strong> käynnistystapaa, mutta voivat näkyä bios-moodissa, jos käynnistetään yhteensopivuustilassa. This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - Tämä järjestelmä käynnistettiin <strong>EFI</strong>-käynnistysympäristössä.<br><br>Jos haluat määrittää EFI-ympäristön, tämän asennuksen on asennettava käynnistylatain, kuten <strong>GRUB</strong> tai <strong>systemd-boot</strong>, <strong>EFI-järjestelmäosioon</strong>. Tämä on automaattinen oletus, ellet valitse manuaalista osiointia, jolloin sinun on valittava asetukset itse. + Tämä tietokone käynnistettiin <strong>EFI</strong> ympäristössä.<br><br>Jos haluat määrittää EFI:n, asennusohjelman on asennettava käynnistyslataaja, kuten <strong>GRUB</strong> tai <strong>systemd-boot</strong>, <strong>EFI-osio</strong> . Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on valittava se itse. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - Tämä järjestelmä käynnistettiin <strong>BIOS</strong>-käynnistysympäristössä.<br><br>Jos haluat määrittää käynnistämisen BIOS-ympäristöstä, tämän asennusohjelman on asennettava käynnistyslatain, kuten<strong>GRUB</strong>, joko osion alkuun tai <strong>pääkäynnistyslohkoon (MBR)</strong> ,joka on osiotaulukon alussa (suositus). Tämä on automaattista, ellet valitset manuaalista osiointia, jolloin sinun on valittava asetukset itse. + Tämä tietokone käynnistettiin <strong>BIOS</strong> ympäristössä.<br><br>Jos haluat määrittää käynnistämisen BIOS:in asennusohjelman on asennettava käynnistyslaataaja, kuten<strong>GRUB</strong>, osion alkuun tai <strong>Master Boot Record</strong> osiotaulun alukuun (suositus). Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on valittava se itse. @@ -56,22 +57,26 @@ Master Boot Record of %1 - %1:n pääkäynnistyslohko + @info + Master Boot Record %1 Boot Partition + @info Käynnistysosio System Partition + @info Järjestelmäosio Do not install a boot loader - Älä asenna käynnistyslatainta + @label + Älä asenna käynnistyslataajaa @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Määritä - + Install @label Asenna @@ -193,7 +198,7 @@ Programmed job failure was explicitly requested. - Ohjelmoitu työn epäonnistuminen pyydettiin erikseen. + Ohjelmoidun työn epäonnistumista pyydettiin nimenomaisesti. @@ -252,12 +257,12 @@ Bad main script file - Virheellinen komentosarjan tiedosto + Virheellinen skriptitiedosto Main script file %1 for python job %2 is not readable. - Komentosarjan tiedosto %1 python-työlle %2 ei ole luettavissa. + Skriptitiedosto %1 python-työlle %2 ei ole luettavissa. @@ -315,19 +320,19 @@ Bad main script file @error - Virheellinen komentosarjan tiedosto + Virheellinen skriptitiedosto Main script file %1 for python job %2 is not readable. @error - Komentosarjan tiedosto %1 python-työlle %2 ei ole luettavissa. + Skriptitiedosto %1 python-työlle %2 ei ole luettavissa. Boost.Python error in job "%1" @error - Boost.Python virhe työ "%1" + Boost.Python virhe työssä "%1" @@ -429,7 +434,7 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. @info - %1 ei voi asentaa. Calamares ei voinut ladata kaikkia määritettyjä moduuleja. Ongelma on siinä, miten jakelu käyttää Calamaresia. + %1 ei voi asentaa. Calamares ei voinut ladata kaikkia määritettyjä moduuleja. Tämä on ongelma tavassa, jolla jakelu Calamaresia käyttää. @@ -453,13 +458,13 @@ The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - %1-asennusohjelma on aikeissa tehdä muutoksia levylle, jotta voit määrittää kohteen %2.<br/><strong>Et voi kumota näitä muutoksia.</strong> + Asennusohjelma %1 on tekemässä muutoksia levylle määrittääkseen %2.<br/><strong>Näitä muutoksia ei voi kumota.</strong> The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - Asennusohjelman %1 on tehtävä muutoksia asemalle, jotta %2 voidaan asentaa.<br/><strong>Et voi kumota näitä muutoksia.</strong> + Asennusohjelma %1 on tekemässä muutoksia levylle asentaakseen %2.<br/><strong>Näitä muutoksia ei voi kumota.</strong> @@ -568,7 +573,7 @@ %1 Link copied to clipboard - Asennuksen loki on lähetetty + Asennusloki on lähetetty %1 @@ -578,7 +583,7 @@ Linkki kopioitu leikepöydälle Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - Haluatko todella peruuttaa nykyisen asennuksen? + Haluatko todella peruuttaa asennuksen? Asennusohjelma lopetetaan ja kaikki muutokset menetetään. @@ -621,30 +626,39 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. %1 Setup Program - %1-asennusohjelma + %1 asennusohjelma %1 Installer - %1-asentaja + %1 asentaja ChangeFilesystemLabelJob - Set filesystem label on %1. - Valitse tiedostojärjestelmän nimi %1. + Set filesystem label on %1 + @title + Aseta tiedostojärjestelmän nimeksi %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Valitse tiedostojärjestelmän nimi <strong>%1</strong> osioon <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Aseta tiedostojärjestelmän nimeksi <strong>%1</strong> osioon <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Asetetaan tiedostojärjestelmän nimeksi <strong>%1</strong> osioon <strong>%2</strong> + + + + The installer failed to update partition table on disk '%1'. + @info Asennusohjelman epäonnistui päivittää osio levyllä '%1'. @@ -658,9 +672,20 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuaalinen osiointi </strong><br/>Voit luoda tai muuttaa osioita itse. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Valitse supistettava osio ja säädä alarivillä kokoa vetämällä</strong> + Select storage de&vice: + @label Valitse kiintole&vy: @@ -669,56 +694,49 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Current: + @label Nykyinen: After: + @label Jälkeen: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuaalinen osiointi </strong><br/>Voit luoda tai muuttaa osioita itse. - - Reuse %1 as home partition for %2. - Käytä %1 uudelleen kotiosiona kohteelle %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Valitse supistettava osio ja säädä alarivillä kokoa vetämällä</strong> + Reuse %1 as home partition for %2 + @label + Käytä %1 uudelleen kotiosiona %2:lle. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 supistetaan %2Mib:iin ja uusi %3MiB-osio luodaan kohteelle %4. - - - Boot loader location: - Käynnistyslataajan sijainti: - <strong>Select a partition to install on</strong> + @label <strong>Valitse asennettava osio</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI-järjestelmäosiota ei löydy tästä järjestelmästä. Siirry takaisin ja käytä manuaalista osiointia, kun haluat määrittää %1 The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI-järjestelmäosiota %1 käytetään %2 käynnistämiseen. EFI system partition: + @label EFI-järjestelmäosio: @@ -748,7 +766,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. <strong>Replace a partition</strong><br/>Replaces a partition with %1. - <strong>Osion korvaaminen</strong><br/>korvaa osion %1. + <strong>Korvaa osio</strong><br/>Korvaa osion %1:llä. @@ -773,45 +791,58 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. This storage device has one of its partitions <strong>mounted</strong>. + @info Tähän kiintolevyyn on kiinnitys, <strong>liitetty</strong> yksi osioista. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Tämä kiintolevy on osa <strong>passiivista RAID</strong> kokoonpanoa. - No Swap - Swap ei + No swap + @label + Ei swappia - Reuse Swap - Swap käytä uudellen + Reuse swap + @label + Käytä swap uudellen Swap (no Hibernate) + @label Swap (ei lepotilaa) Swap (with Hibernate) + @label Swap (lepotilan kanssa) Swap to file + @label Swap tiedostona + + + Bootloader location: + @label + Käynnistyslataajan sijainti: + ClearMountsJob Successfully unmounted %1. - Poistettu onnistuneesti %1. + Poistettu %1 onnistuneesti. @@ -836,35 +867,34 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Clear mounts for partitioning operations on %1 - Tyhjennä osiointia varten tehdyt liitokset kohteesta %1 + @title + Poista kiinnitykset osiointia varten kohteessa %1 - Clearing mounts for partitioning operations on %1. - Tyhjennetään liitokset %1 osiointia varten. + Clearing mounts for partitioning operations on %1… + @status + Poistetaan kiinnityksiä osiointia varten kohteessa %1. {1…?} Cleared all mounts for %1 - Kaikki liitokset poistettu kohteesta %1 + Poistettiin kaikki kiinnitykset kohteelle %1 ClearTempMountsJob - Clear all temporary mounts. - Poista kaikki väliaikaiset liitokset. - - - Clearing all temporary mounts. - Kaikki tilapäiset kiinnitykset tyhjennetään. + Clearing all temporary mounts… + @status + Kaikki tilapäiset kiinnitykset tyhjennetään… Cleared all temporary mounts. - Poistettu kaikki väliaikaiset liitokset. + Kaikki väliaikaiset kiinnitykset poistettu. @@ -1011,42 +1041,43 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.OK! - + Package Selection Paketin valinta - + Please pick a product from the list. The selected product will be installed. Ole hyvä ja valitse tuote luettelosta. Valittu tuote asennetaan. - + Packages Paketit - + Install option: <strong>%1</strong> Asennuksen vaihtoehto: <strong>%1</strong> - + None Ei käytössä - + Summary + @label Yhteenveto - + This is an overview of what will happen once you start the setup procedure. Tämä on yleiskuva siitä, mitä tapahtuu, kun asennusohjelma käynnistetään. - + This is an overview of what will happen once you start the install procedure. Tämä on yleiskuva siitä, mitä tapahtuu asennuksen aloittamisen jälkeen. @@ -1118,15 +1149,15 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - The system language will be set to %1 + The system language will be set to %1. @info - Järjestelmän kieli asetetaan %1. {1?} + Järjestelmän kielen asetuksena on %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Numeroiden ja päivämäärien maa-asetus asetetaan %1. {1?} + Numerot ja päivämäärät, paikallinen asetus on %1. @@ -1183,7 +1214,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. &Mount Point: - &Liitoskohta: + &Kiinnitys: @@ -1203,75 +1234,89 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. En&crypt + @action Sa&laa Logical + @label Looginen Primary + @label Ensisijainen GPT + @label GPT Mountpoint already in use. Please select another one. - Asennuskohde on jo käytössä. Valitse toinen. + @info + Kiinnitys on jo käytössä. Valitse toinen. Mountpoint must start with a <tt>/</tt>. - Liitospisteen tulee alkaa <tt>/</tt>. + @info + Kiinnityksen tulee alkaa <tt>/</tt>. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Luo uusi %1MiB osio kohteeseen %3 (%2), jossa on %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Luo uusi %1MiB osio kohteeseen %3 (%2), jossa on %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Luo uusi %1MiB osio kohteeseen %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Luo uusi %1MiB osio kohteeseen %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Luo uusi %2Mib-osio %4 (%3) tiedostojärjestelmällä %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Luo uusi %2Mib-osio %4 (%3) tiedostojärjestelmällä %1 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Luo uusi <strong>%1MiB</strong> osio kohteeseen <strong>%3</strong> (%2) jossa on <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Luo uusi <strong>%1MiB</strong> osio kohteeseen <strong>%3</strong> (%2) jossa on <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Luo uusi <strong>%1MiB</strong> osio kohteeseen <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Luo uusi <strong>%1MiB</strong> osio kohteeseen <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Luo uusi <strong>%2Mib</strong> osio <strong>%4</strong> (%3) tiedostojärjestelmällä <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Luo uusi <strong>%2Mib</strong> osio <strong>%4</strong> (%3) tiedostojärjestelmällä <strong>%1</strong> - - - Creating new %1 partition on %2. - Luodaan uutta %1-osiota kohteessa %2. + + + Creating new %1 partition on %2… + @status + Luodaan uutta %1-osiota kohteessa %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Asennusohjelma epäonnistui osion luonnissa asemalle '%1'. @@ -1307,18 +1352,16 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.CreatePartitionTableJob - Create new %1 partition table on %2. - Luo uusi %1 osiotaulukko kohteessa %2. + + Creating new %1 partition table on %2… + @status + Luodaan uutta %1 osiota kohteessa %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Luo uusi <strong>%1</strong> osiotaulukko kohteessa <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Luodaan uutta %1 osiotaulukkoa kohteelle %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Luo uusi <strong>%1</strong> osiotaulukko kohteessa <strong>%2</strong> (%3)… @@ -1335,29 +1378,33 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - Create user <strong>%1</strong>. - Luo käyttäjä <strong>%1</strong>. - - - - Preserving home directory - Kotikansion säilyttäminen + Create user <strong>%1</strong> + Luo käyttäjä <strong>%1</strong> - Creating user %1 - Luodaan käyttäjä %1. + Creating user %1… + @status + Luodaan käyttäjä %1… + + + + Preserving home directory… + @status + Kotikansion säilyttäminen… Configuring user %1 + @status Määritetään käyttäjää %1 - Setting file permissions - Tiedostojen oikeuksien määrittäminen + Setting file permissions… + @status + Asetetaan tiedoston käyttöoikeuksia… @@ -1365,6 +1412,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Create Volume Group + @title Luo taltioryhmä @@ -1372,18 +1420,16 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.CreateVolumeGroupJob - Create new volume group named %1. - Luo uusi taltioryhmä nimeltä %1. + + Creating new volume group named %1… + @status + Luodaan uusi aseman ryhmä nimellä %1. {1…?} - Create new volume group named <strong>%1</strong>. - Luo uusi aseman ryhmä nimellä <strong>%1</strong>. - - - - Creating new volume group named %1. - Luodaan uusi aseman ryhmä nimellä %1. + Creating new volume group named <strong>%1</strong>… + @status + Luo uusi aseman ryhmä nimellä <strong>%1</strong>… @@ -1396,13 +1442,15 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - Deactivate volume group named %1. - Poista levyryhmän nimi %1 käytöstä. + Deactivating volume group named %1… + @status + Poistetaan taltioryhmää nimeltä %1… - Deactivate volume group named <strong>%1</strong>. - Poista levyryhmän nimi käytöstä. <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Poistetaan taltioryhmää nimeltä <strong>%1</strong>… @@ -1414,18 +1462,16 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.DeletePartitionJob - Delete partition %1. - Poista levyosio %1. + + Deleting partition %1… + @status + Poistetaan osiota %1. {1…?} - Delete partition <strong>%1</strong>. - Poista levyosio <strong>%1</strong>. - - - - Deleting partition %1. - Poistetaan levyosiota %1. + Deleting partition <strong>%1</strong>… + @status + Poistetaan osiota <strong>%1</strong>... @@ -1541,7 +1587,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. &Mount Point: - &Liitoskohta: + &Kiinnitys: @@ -1610,12 +1656,14 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Please enter the same passphrase in both boxes. + @tooltip Anna sama salasana molempiin kenttiin. - Password must be a minimum of %1 characters - Salasanan tulee olla vähintään %1 merkkiä + Password must be a minimum of %1 characters. + @tooltip + Salasanassa on oltava vähintään %1 merkkiä. @@ -1636,57 +1684,68 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Set partition information + @title Aseta osion tiedot Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Asenna %1 <strong>uusi</strong> %2 järjestelmäosio ominaisuuksilla <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Asenna %1 <strong>uusi</strong> %2 järjestelmä osio. + + Install %1 on <strong>new</strong> %2 system partition + @info + Asenna %1 <strong>uuteen</strong> %2 järjestelmäosioon - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Määritä <strong>uusi</strong> %2 osio liitospisteellä <strong>%1</strong> ja ominaisuuksilla <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Aseta <strong>uusi</strong> %2 osio kiinnityksellä <strong>%1</strong> ja ominaisuuksilla <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Määritä <strong>uusi</strong> %2 osio liitospisteellä <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Aseta <strong>uusi</strong> osio %2 kiinnityksellä <strong>%1</strong>%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Asenna %2 - %3 järjestelmäosio <strong>%1</strong> ominaisuuksilla <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Asenna %2 %3 järjestelmäosioon <strong>%1</strong> ominaisuuksilla <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Määritä %3 osio <strong>%1</strong> liitospisteellä <strong>%2</strong> ja ominaisuuksilla <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Asenna %2 %3 järjestelmäosioon <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Määritä %3 osio <strong>%1</strong> liitospisteellä <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Aseta %3 osio <strong>%1</strong>, jossa on kiinnitys <strong>%2</strong> ja ominaisuudet <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - Asenna %2 - %3 -järjestelmän osioon <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Aseta %3 osio <strong>%1</strong> kiinnityksellä <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Asenna käynnistyslatain <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Asenna käynnistyslatain kohteeseen <strong>% 1</strong>… - - Setting up mount points. - Liitosten määrittäminen. + + Setting up mount points… + @status + Asennetaan kiinnityksiä… @@ -1755,24 +1814,27 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Alustaa osiota %1 (tiedostojärjestelmä: %2, koko: %3 MiB) - %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Alusta osio %1 (tiedostojärjestelmä: %2, koko: %3 MiB) kohteessa %4.. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Alustus <strong>%3MiB</strong> osio <strong>%1</strong> tiedostojärjestelmällä <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Alusta <strong>%3MiB</strong> osio <strong>%1</strong> tiedostojärjestelmällä <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Alustaa osiota %1 tiedostojärjestelmällä %2. + + Formatting partition %1 with file system %2… + @status + Alustetaan osiota %1 tiedostojärjestelmällä %2. {1 ?} {2…?} @@ -2265,19 +2327,37 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. MachineIdJob - + Generate machine-id. Luo koneen-id. - + Configuration Error Määritysvirhe - + No root mount point is set for MachineId. - Koneen tunnukselle ei ole asetettu root kiinnityskohtaa. + MachineId:lle ei ole asetettu root kiinnitystä. + + + + + + + File not found + Tiedostoa ei löytynyt + + + + Path <pre>%1</pre> must be an absolute path. + Polku <pre>%1</pre> täytyy olla ehdoton polku. + + + + Could not create new random file <pre>%1</pre>. + Uutta satunnaista tiedostoa ei voitu luoda <pre>%1</pre>. @@ -2806,11 +2886,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Unknown error Tuntematon virhe - - - Password is empty - Salasana on tyhjä - PackageChooserPage @@ -2867,8 +2942,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - Keyboard switch: - Näppäimistön vaihto: + Switch Keyboard: + shortcut for switching between keyboard layouts + Vaihda näppäimistöä: @@ -2973,31 +3049,37 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Home + @label Home Boot + @label Boot EFI system + @label EFI-järjestelmä Swap + @label Swap New partition for %1 + @label Uusi osio %1 New partition + @label Uusi osio @@ -3013,37 +3095,44 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Free Space + @title Vapaa tila - New partition + New Partition + @title Uusi osio Name + @title Nimi File System + @title Tiedostojärjestelmä File System Label + @title Tiedostojärjestelmän nimi Mount Point - Liitoskohta + @title + Kiinnitys Size + @title Koko @@ -3122,16 +3211,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. PartitionViewStep - - - Gathering system information... - Kerätään järjestelmän tietoja... - - - - Partitions - Osiot - Unsafe partition actions are enabled. @@ -3147,16 +3226,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.No partitions will be changed. Osioita ei muuteta. - - - Current: - Nykyinen: - - - - After: - Jälkeen: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3190,7 +3259,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. The filesystem must be mounted on <strong>%1</strong>. - Tiedostojärjestelmä on asennettava <strong>%1</strong>. + Tiedostojärjestelmän on kiinnitettävä kohteeseen <strong>%1</strong>. @@ -3208,6 +3277,30 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.The filesystem must have flag <strong>%1</strong> set. Tiedostojärjestelmässä on oltava <strong>%1</strong> lippu. + + + Gathering system information… + @status + Kerätään järjestelmän tietoja... + + + + Partitions + @label + Osiot + + + + Current: + @label + Nykyinen: + + + + After: + @label + Jälkeen: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3253,8 +3346,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.PlasmaLnfJob - Plasma Look-and-Feel Job - Plasman ulkoasu + Applying Plasma Look-and-Feel… + @status + Plasma ulkoasun lisääminen... @@ -3281,6 +3375,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Look-and-Feel + @label Ulkoasu @@ -3288,8 +3383,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.PreserveFiles - Saving files for later ... - Tallennetaan tiedostoja myöhemmäksi... + Saving files for later… + @status + Tiedostoja tallennetaan myöhempää käyttöä varten… @@ -3385,26 +3481,12 @@ Ulostulo: Oletus - - - - - File not found - Tiedostoa ei löytynyt - - - - Path <pre>%1</pre> must be an absolute path. - Polku <pre>%1</pre> täytyy olla ehdoton polku. - - - + Directory not found Kansiota ei löytynyt - - + Could not create new random file <pre>%1</pre>. Uutta satunnaista tiedostoa ei voitu luoda <pre>%1</pre>. @@ -3421,12 +3503,7 @@ Ulostulo: (no mount point) - (ei liitoskohtaa) - - - - Unpartitioned space or unknown partition table - Osioimaton tila tai tuntematon osion taulu + (ei kiinnitystä) @@ -3452,6 +3529,12 @@ Ulostulo: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Osioimaton tila tai tuntematon osion taulu + Recommended @@ -3467,8 +3550,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ RemoveUserJob - Remove live user from target system - Poista Live-käyttäjä kohdejärjestelmästä + Removing live user from the target system… + @status + Poistetaan live-käyttäjä tulevasta järjestelmästä... @@ -3476,13 +3560,15 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Remove Volume Group named %1. - Poista taltioryhmä nimeltä %1. + Removing Volume Group named %1… + @status + Poistetaan taltioryhmää nimeltä %1… - Remove Volume Group named <strong>%1</strong>. - Poista taltioryhmä nimeltä <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Poistetaan taltioryhmää nimeltä <strong>%1</strong>… @@ -3596,22 +3682,25 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ ResizePartitionJob - - Resize partition %1. - Muuta osion kokoa %1. + + Resize partition %1 + @title + Muuta osion %1 kokoa - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Muuta <strong>%2MiB</strong> osiota <strong>%1</strong> - <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Muuta <strong>%2MiB</strong> osion <strong>%1</strong> kooksi <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - Muuntaa %2MiB osion %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Muutetaan %2MiB osion %1 kokoa %3MiB:ksi… - + The installer failed to resize partition %1 on disk '%2'. Asennusohjelma epäonnistui osion %1 koon muuttamisessa asemalla '%2'. @@ -3621,24 +3710,32 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Resize Volume Group - Muuta kokoa aseman-ryhmässä + @title + Muuta taltioryhmän kokoa ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Muuta %1 levyn kokoa %2:sta %3. + Resize volume group named %1 from %2 to %3 + @title + Muuta taltioryhmän %1 kokoa %2:sta %3:ksi. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Muuta levyä nimeltä <strong>%1</strong> lähde <strong>%2</strong> - <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Muuta taltioryhmän <strong>%1</strong> kokoa <strong>%2</strong>:sta <strong>%3</strong>:ksi + + + + Resizing volume group named %1 from %2 to %3… + @status + Muutetaan taltioryhmän %1 kokoa %2 kokoon %3… - + The installer failed to resize a volume group named '%1'. Asennusohjelma ei onnistunut muuttamaan taltioryhmän '%1' kokoa. @@ -3655,13 +3752,15 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Etsitään kiintolevyjä... - Partitioning - Osiointi + Partitioning… + @status + Osioidaan… @@ -3678,8 +3777,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Setting hostname %1. - Asetetaan isäntänimi %1. + Setting hostname %1… + @status + Asetetaan hostname %1. {1…?} @@ -3743,81 +3843,96 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ SetPartFlagsJob - Set flags on partition %1. - Aseta liput osioon %1. + Set flags on partition %1 + @title + Aseta liput osioon %1 - Set flags on %1MiB %2 partition. - Aseta liput %1MiB %2 osioon. + Set flags on %1MiB %2 partition + @title + Aseta liput osioon %1MiB %2 - Set flags on new partition. - Aseta liput uuteen osioon. + Set flags on new partition + @title + Aseta liput uuteen osioon - Clear flags on partition <strong>%1</strong>. - Poista liput osiosta <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Poista liput osiosta <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Poista liput %1MiB <strong>%2</strong> osiosta. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Poista liput %1MiB <strong>%2</strong> osiosta - Clear flags on new partition. - Tyhjennä liput uuteen osioon. + Clear flags on new partition + @info + Poista liput uudessa osiossa - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Merkitse osio <strong>%1</strong> - <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Aseta liput osion <strong>%1</strong> arvoon <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Lippu %1MiB <strong>%2</strong> osiosta <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Aseta %1MiB <strong>%2</strong> osion liput arvoon <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Merkitse uusi osio <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Aseta liput uudelle osiolle <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Lipun poisto osiosta <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Poistetaan lippuja osiosta <strong>%1</strong>… - - Clearing flags on %1MiB <strong>%2</strong> partition. - Tyhjennä liput %1MiB <strong>%2</strong> osiossa. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Poistetaan lippuja %1MiB <strong>%2</strong> osiosta… - - Clearing flags on new partition. - Uusien osioiden lippujen poistaminen. + + Clearing flags on new partition… + @status + Poistetaan lippuja uudesta osiosta… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Lippujen <strong>%2</strong> asettaminen osioon <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Asetetaan lippuja <strong>%2</strong> osiolle <strong>%1</strong>… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Asetetaan liput <strong>%3</strong> %1MiB <strong>%2</strong> osioon. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Asetetaan lippuja <strong>%3</strong> %1MiB <strong>%2</strong> osioon… - - Setting flags <strong>%1</strong> on new partition. - Asetetaan liput <strong>%1</strong> uuteen osioon. + + Setting flags <strong>%1</strong> on new partition… + @status + Asetetaan lippuja <strong>%1</strong> uuteen osioon… - + The installer failed to set flags on partition %1. Asennusohjelma ei voinut asettaa lippuja osioon %1. @@ -3831,32 +3946,33 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Setting password for user %1. - Salasanan asettaminen käyttäjälle %1. + Setting password for user %1… + @status + Asetetaan salasanaa käyttäjälle %1. {1…?} - + Bad destination system path. Huono kohteen järjestelmäpolku - + rootMountPoint is %1 rootMountPoint on %1 - + Cannot disable root account. Root-tiliä ei voi poistaa. - + Cannot set password for user %1. Salasanaa ei voi asettaa käyttäjälle %1. - - + + usermod terminated with error code %1. usermod päättyi virhekoodilla %1. @@ -3905,8 +4021,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ SetupGroupsJob - Preparing groups. - Valmistellaan ryhmiä. + Preparing groups… + @status + Valmistellaan ryhmiä… @@ -3924,8 +4041,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ SetupSudoJob - Configure <pre>sudo</pre> users. - Määritä <pre>sudo</pre>-käyttäjät. + Configuring <pre>sudo</pre> users… + @status + Määritetään <pre>sudo</pre> käyttäjiä… @@ -3942,8 +4060,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ ShellProcessJob - Shell Processes Job - Shell-prosessien työ + Running shell processes… + @status + Suoritetaan shell prosesseja… @@ -3992,8 +4111,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Sending installation feedback. - Lähetetään asennuksen palautetta. + Sending installation feedback… + @status + Lähetetään asennuksen palaute… @@ -4015,8 +4135,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Configuring KDE user feedback. - Määritetään KDE-käyttäjäpalaute. + Configuring KDE user feedback… + @status + Määritetään KDE:n käyttäjäpalaute… @@ -4044,8 +4165,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Configuring machine feedback. - Konekohtaisen palautteen määrittäminen. + Configuring machine feedback… + @status + Määritetään tietokoneen käyttäjäpalaute… @@ -4107,6 +4229,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Feedback + @title Palautetta @@ -4114,8 +4237,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ UmountJob - Unmount file systems. - Irrota tiedostojärjestelmät käytöstä. + Unmounting file systems… + @status + Irrotetaan tiedostojärjestelmiä… @@ -4125,7 +4249,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ No rootMountPoint is set. - Ei ole asetettu rootMountPoint + RootMountPoint kiinnitystä ei ole asetettu. @@ -4273,11 +4397,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ &Release notes &Julkaisutiedot - - - %1 support - %1 tuki - About %1 Setup @@ -4290,12 +4409,19 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ @title Tietoja %1 asentajasta + + + %1 Support + @action + %1 tuki + WelcomeQmlViewStep Welcome + @title Tervetuloa @@ -4304,6 +4430,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Welcome + @title Tervetuloa @@ -4311,8 +4438,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ ZfsJob - Create ZFS pools and datasets - Luo ZFS-poolit ja tietojoukot + Creating ZFS pools and datasets… + @status + Luodaan ZFS-pooleja ja tietoja… @@ -4759,21 +4887,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is your name? Mikä on nimesi? - - - Your Full Name - Koko nimesi - What name do you want to use to log in? Mitä nimeä haluat käyttää kirjautumiseen? - - - Login Name - Kirjautumisnimi - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4794,11 +4912,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is the name of this computer? Mikä on tämän tietokoneen nimi? - - - Computer Name - Tietokoneen nimi - This name will be used if you make the computer visible to others on a network. @@ -4819,16 +4932,21 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Password Salasana - - - Repeat Password - Toista salasana - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Syötä sama salasana kahdesti, jotta se voidaan tarkistaa kirjoittamisvirheiden varalta. Hyvä salasana sisältää sekoituksen kirjaimia, numeroita ja välimerkkejä. Vähintään kahdeksan merkkiä pitkä ja se on vaihdettava säännöllisin väliajoin. + + + Root password + Root salasana + + + + Repeat root password + Toista root salasana + Validate passwords quality @@ -4844,11 +4962,31 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Log in automatically without asking for the password Kirjaudu automaattisesti ilman salasanaa + + + Your full name + Koko nimesi + + + + Login name + Kirjautumisnimi + + + + Computer name + Tietokoneen nimi + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Vain kirjaimet, numerot, alaviiva ja väliviiva ovat sallittuja, vähintään kaksi merkkiä. + + + Repeat password + Toista salasana + Reuse user password as root password @@ -4864,16 +5002,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Choose a root password to keep your account safe. Valitse root-salasana, jotta tilisi pysyy turvassa. - - - Root Password - Root-salasana - - - - Repeat Root Password - Toista Root-salasana - Enter the same password twice, so that it can be checked for typing errors. @@ -4892,21 +5020,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is your name? Mikä on nimesi? - - - Your Full Name - Koko nimesi - What name do you want to use to log in? Mitä nimeä haluat käyttää kirjautumiseen? - - - Login Name - Kirjautumisnimi - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4927,9 +5045,19 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is the name of this computer? Mikä on tämän tietokoneen nimi? + + + Your full name + Koko nimesi + + + + Login name + Kirjautumisnimi + - Computer Name + Computer name Tietokoneen nimi @@ -4959,9 +5087,19 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Repeat Password + Repeat password Toista salasana + + + Root password + Root salasana + + + + Repeat root password + Toista root salasana + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4982,16 +5120,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Choose a root password to keep your account safe. Valitse root-salasana, jotta tilisi pysyy turvassa. - - - Root Password - Root-salasana - - - - Repeat Root Password - Toista Root-salasana - Enter the same password twice, so that it can be checked for typing errors. @@ -5029,12 +5157,12 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Known issues + Known Issues Tunnetut ongelmat - Release notes + Release Notes Julkaisutiedot @@ -5059,12 +5187,12 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ - Known issues + Known Issues Tunnetut ongelmat - Release notes + Release Notes Julkaisutiedot diff --git a/lang/calamares_fr.ts b/lang/calamares_fr.ts index f4f4def83f..997617c046 100644 --- a/lang/calamares_fr.ts +++ b/lang/calamares_fr.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gérer les paramètres de montage automatique + Managing auto-mount settings… + @status + Gérer les paramètres de montage automatique... @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record de %1 Boot Partition + @info Partition de démarrage System Partition + @info Partition système Do not install a boot loader + @label Ne pas installer de chargeur de démarrage @@ -143,7 +148,7 @@ Crashes Calamares, so that Dr. Konqi can look at it. - + Calamares s'est arrété, alors le Dr. Konqi va l'examiner. @@ -159,25 +164,25 @@ Debug Information @title - + Informations de débogage Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Installation - + Install @label Installer @@ -218,13 +223,13 @@ Running command %1 in target system… @status - + Exécution de la commande %1 dans le système cible… Running command %1… @status - + Exécution de la commande %1… @@ -262,33 +267,33 @@ Bad internal script - + Mauvais script interne Internal script for python job %1 raised an exception. - + Le script interne pour la tâche Python %1 a généré une exception. Main script file %1 for python job %2 could not be loaded because it raised an exception. - + Le script principal %1 pour la tâche Python %2 n'a pas pu être chargé car il a généré une exception. Main script file %1 for python job %2 raised an exception. - + Le script principal %1 pour la tâche Python %2 a déclenché une exception. Main script file %1 for python job %2 returned invalid results. - + Le script principal %1 pour la tâche Python %2 a renvoyé des résultats non valides. Main script file %1 for python job %2 does not contain a run() function. - + Le script principal %1 pour la tâche Python %2 ne contient pas de fonction run(). @@ -297,7 +302,7 @@ Running %1 operation… @status - + Exécution de l'opération %1... @@ -327,7 +332,7 @@ Boost.Python error in job "%1" @error - + Erreur Boost.Python dans la tâche "%1" @@ -336,13 +341,13 @@ Loading… @status - + Chargement... QML step <i>%1</i>. @label - + Étape QML %1. @@ -363,10 +368,10 @@ Waiting for %n module(s)… @status - - - - + + En attente de %n module(s)… + En attente de %n module(s)… + En attente de %n module(s)… @@ -443,13 +448,13 @@ Continue with Setup? @title - + Continuer la configuration ? Continue with Installation? @title - + Continuer l'installation ? @@ -467,25 +472,25 @@ &Set Up Now @button - + &Configurer Maintenant &Install Now @button - + &Installer Maintenant Go &Back @button - + Continuer &Retour &Set Up @button - + &Configurer @@ -509,13 +514,13 @@ Cancel the setup process without changing the system. @tooltip - + Annulez le processus de configuration sans modifier le système. Cancel the installation process without changing the system. @tooltip - + Annulez le processus d'installation sans changer de système. @@ -545,13 +550,13 @@ Cancel Setup? @title - + Annuler la configuration ? Cancel Installation? @title - + Annuler l'installation ? @@ -603,19 +608,19 @@ L'installateur se fermera et les changements seront perdus. Unparseable Python error @error - + Erreur Python non analysable Unparseable Python traceback @error - + Traceback Python non analysable Unfetchable Python error @error - + Erreur Python impossible à récupérer @@ -635,18 +640,27 @@ L'installateur se fermera et les changements seront perdus. ChangeFilesystemLabelJob - Set filesystem label on %1. - Définir l'étiquette du système de fichiers sur %1. + Set filesystem label on %1 + @title + Définir l'étiquette du système de fichiers sur %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Mettre le nom du système de fichier <strong>%1</strong> à la partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Le programme d'installation n'a pas pu mettre à jour la table de partitionnement sur le disque '%1'. @@ -660,9 +674,20 @@ L'installateur se fermera et les changements seront perdus. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partitionnement manuel</strong><br/>Vous pouvez créer ou redimensionner vous-même des partitions. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Sélectionner une partition à réduire, puis faites glisser la barre du bas pour redimensionner</strong> + Select storage de&vice: + @label Sélectionner le support de sto&ckage : @@ -671,56 +696,49 @@ L'installateur se fermera et les changements seront perdus. Current: + @label Actuel : After: + @label Après : - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partitionnement manuel</strong><br/>Vous pouvez créer ou redimensionner vous-même des partitions. - - Reuse %1 as home partition for %2. - Réutiliser %1 comme partition home pour %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Sélectionner une partition à réduire, puis faites glisser la barre du bas pour redimensionner</strong> + Reuse %1 as home partition for %2 + @label + Réutiliser %1 comme partition home pour %2. {1 ?} {2 ?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 va être réduit à %2 Mio et une nouvelle partition de %3 Mio va être créée pour %4. - - - Boot loader location: - Emplacement du chargeur de démarrage : - <strong>Select a partition to install on</strong> + @label <strong>Sélectionner une partition pour l'installation</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Une partition système EFI n'a pas pu être trouvée sur ce système. Veuillez retourner à l'étape précédente et sélectionner le partitionnement manuel pour configurer %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partition système EFI sur %1 va être utilisée pour démarrer %2. EFI system partition: + @label Partition système EFI : @@ -775,38 +793,51 @@ L'installateur se fermera et les changements seront perdus. This storage device has one of its partitions <strong>mounted</strong>. + @info Une des partitions de ce périphérique de stockage est <strong>montée</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Ce périphérique de stockage fait partie d'une grappe <strong>RAID inactive</strong>. - No Swap + No swap + @label Aucun Swap - Reuse Swap + Reuse swap + @label Réutiliser le Swap Swap (no Hibernate) + @label Swap (sans hibernation) Swap (with Hibernate) + @label Swap (avec hibernation) Swap to file + @label Swap dans un fichier + + + Bootloader location: + @label + Emplacement du chargeur de démarrage : + ClearMountsJob @@ -838,35 +869,34 @@ L'installateur se fermera et les changements seront perdus. Clear mounts for partitioning operations on %1 - Retirer les montages pour les opérations de partitionnement sur %1 + @title + Supprimer les montages pour les opérations de partitionnement sur %1 - Clearing mounts for partitioning operations on %1. - Libération des montages pour les opérations de partitionnement sur %1. + Clearing mounts for partitioning operations on %1… + @status + Suppression des montages pour les opérations de partitionnement sur %1. {1…?} Cleared all mounts for %1 - Tous les montages ont été retirés pour %1 + Tous les montages ont été supprimés pour %1 ClearTempMountsJob - Clear all temporary mounts. - Supprimer les montages temporaires. - - - Clearing all temporary mounts. - Libération des montages temporaires. + Clearing all temporary mounts… + @status + Suppression de tous les montages temporaires… Cleared all temporary mounts. - Supprimer les montages temporaires. + Toutes les points de montages temporaires ont été supprimées. @@ -1010,42 +1040,43 @@ L'installateur se fermera et les changements seront perdus. OK! - + Package Selection Sélection des paquets - + Please pick a product from the list. The selected product will be installed. Merci de sélectionner un produit de la liste. Le produit sélectionné sera installé. - + Packages Paquets - + Install option: <strong>%1</strong> Option d'installation : <strong>%1</strong> - + None Aucun - + Summary + @label Résumé - + This is an overview of what will happen once you start the setup procedure. Ceci est un aperçu de ce qui va arriver lorsque vous commencerez la configuration. - + This is an overview of what will happen once you start the install procedure. Ceci est un aperçu de ce qui va arriver lorsque vous commencerez l'installation. @@ -1101,13 +1132,13 @@ L'installateur se fermera et les changements seront perdus. Keyboard model has been set to %1<br/>. @label, %1 is keyboard model, as in Apple Magic Keyboard - + Le modèle de clavier a été défini sur %1<br/>. Keyboard layout has been set to %1/%2. @label, %1 is layout, %2 is layout variant - + La disposition du clavier a été définie sur %1/%2. @@ -1117,15 +1148,15 @@ L'installateur se fermera et les changements seront perdus. - The system language will be set to %1 + The system language will be set to %1. @info - + La langue du système sera réglée sur %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Les nombres et les dates seront réglés sur %1. @@ -1134,7 +1165,7 @@ L'installateur se fermera et les changements seront perdus. Performing contextual processes' job… @status - + Lancement des processus contextuels… @@ -1202,31 +1233,37 @@ L'installateur se fermera et les changements seront perdus. En&crypt + @action Chi&ffrer Logical + @label Logique Primary + @label Primaire GPT + @label GPT Mountpoint already in use. Please select another one. + @info Le point de montage est déjà utilisé. Merci d'en sélectionner un autre. Mountpoint must start with a <tt>/</tt>. + @info Le point de montage doit commencer par un <tt>/</tt>. @@ -1234,43 +1271,51 @@ L'installateur se fermera et les changements seront perdus. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Créer une nouvelle partition %1 Mio sur %3 (%2) avec les entrées %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Créer une nouvelle partition %1 Mio sur %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Créer une nouvelle partition de %2 Mio sur %4 (%3) avec le système de fichier %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Créer une nouvelle partition <strong>%1 Mio</strong> sur <strong>%3</strong> (%2) avec les entrées <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Créer une nouvelle partition <strong>%1 Mio</strong> sur <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Créer une nouvelle partition de <strong>%2 Mio</strong> sur <strong>%4</strong> (%3) avec le système de fichiers <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Création d'une nouvelle partition %1 sur %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Le programme d'installation n'a pas pu créer la partition sur le disque '%1'. @@ -1306,18 +1351,16 @@ L'installateur se fermera et les changements seront perdus. CreatePartitionTableJob - Create new %1 partition table on %2. - Créer une nouvelle table de partition %1 sur %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Créer une nouvelle table de partitions <strong>%1</strong> sur <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Création d'une nouvelle table de partitions %1 sur %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1334,29 +1377,33 @@ L'installateur se fermera et les changements seront perdus. - Create user <strong>%1</strong>. - Créer l'utilisateur <strong>%1</strong>. - - - - Preserving home directory - Conserver le dossier home + Create user <strong>%1</strong> + Créer l'utilisateur <strong>%1</strong> - Creating user %1 - Création de l'utilisateur %1 + Creating user %1… + @status + Création de l'utilisateur %1... + + + + Preserving home directory… + @status + Conserver le dossier home... Configuring user %1 + @status Configuration de l'utilisateur %1 - Setting file permissions - Définition des autorisations de fichiers + Setting file permissions… + @status + Définition des autorisations de fichiers... @@ -1364,6 +1411,7 @@ L'installateur se fermera et les changements seront perdus. Create Volume Group + @title Créer le groupe de volume @@ -1371,18 +1419,16 @@ L'installateur se fermera et les changements seront perdus. CreateVolumeGroupJob - Create new volume group named %1. - Créer un nouveau groupe de volumes nommé %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Créer un nouveau groupe de volumes nommé <strong>%1</strong>. - - - - Creating new volume group named %1. - Création en cours du nouveau groupe de volumes nommé %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1395,13 +1441,15 @@ L'installateur se fermera et les changements seront perdus. - Deactivate volume group named %1. - Désactiver le groupe de volume nommé %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Désactiver le groupe de volumes nommé <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1413,18 +1461,16 @@ L'installateur se fermera et les changements seront perdus. DeletePartitionJob - Delete partition %1. - Supprimer la partition %1. + + Deleting partition %1… + @status + Suppression de la partition %1. {1…?} - Delete partition <strong>%1</strong>. - Supprimer la partition <strong>%1</strong>. - - - - Deleting partition %1. - Suppression de la partition %1. + Deleting partition <strong>%1</strong>… + @status + Suppression de la partition %1… @@ -1486,13 +1532,13 @@ L'installateur se fermera et les changements seront perdus. Writing LUKS configuration for Dracut to %1… @status - + Écriture de la configuration LUKS pour Dracut dans %1… Skipping writing LUKS configuration for Dracut: "/" partition is not encrypted @info - + Ignorer l'écriture de la configuration LUKS pour Dracut : la partition "/" n'est pas cryptée @@ -1507,7 +1553,7 @@ L'installateur se fermera et les changements seront perdus. Performing dummy C++ job… @status - + Exécution d’un travail C++ factice… @@ -1609,12 +1655,14 @@ L'installateur se fermera et les changements seront perdus. Please enter the same passphrase in both boxes. + @tooltip Merci d'entrer la même phrase secrète dans les deux champs. - Password must be a minimum of %1 characters - Le mot de passe doit contenir %1 caractères + Password must be a minimum of %1 characters. + @tooltip + Le mot de passe doit contenir %1 caractères. @@ -1635,57 +1683,68 @@ L'installateur se fermera et les changements seront perdus. Set partition information + @title Configurer les informations de la partition Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Installer %1 sur la <strong>nouvelle</strong> partition système %2 avec les fonctionnalités <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Installer %1 sur le <strong>nouveau</strong> système de partition %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configurer la <strong>nouvelle</strong> partition %2 avec le point de montage <strong>%1</strong> et les fonctionnalités <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurer la <strong>nouvelle</strong> partition %2 avec le point de montage <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Installer %2 sur la partition système %3 <strong>%1</strong> avec les fonctionnalités <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurer la partition %3 <strong>%1</strong> avec le point de montage <strong>%2</strong> et les fonctionnalités <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurer la partition %3 <strong>%1</strong> avec le point de montage <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Installer %2 sur la partition système %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Installer le chargeur de démarrage sur <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Installer le chargeur de démarrage sur <strong>%1</strong>... - - Setting up mount points. - Configuration des points de montage. + + Setting up mount points… + @status + Configuration des points de montage… @@ -1754,24 +1813,27 @@ L'installateur se fermera et les changements seront perdus. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formater la partition %1 (système de fichiers : %2, taille : %3 Mio) sur %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formater la partition <strong>%1</strong> de <strong>%3Mio</strong>avec le système de fichier <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatage de la partition %1 avec le système de fichiers %2. + + Formatting partition %1 with file system %2… + @status + @@ -1914,7 +1976,7 @@ L'installateur se fermera et les changements seront perdus. Collecting information about your machine… @status - + Collecte d’informations sur votre machine… @@ -1949,7 +2011,7 @@ L'installateur se fermera et les changements seront perdus. Creating initramfs with mkinitcpio… @status - + Création d'initramfs avec mkinitcpio… @@ -1958,7 +2020,7 @@ L'installateur se fermera et les changements seront perdus. Creating initramfs… @status - + Creation d'initramfs… @@ -1967,7 +2029,7 @@ L'installateur se fermera et les changements seront perdus. Konsole not installed. @error - + Konsole non installé @@ -2015,7 +2077,7 @@ L'installateur se fermera et les changements seront perdus. System Locale Setting @title - + Paramètres régionaux du système @@ -2168,7 +2230,7 @@ L'installateur se fermera et les changements seront perdus. Hide the license text @tooltip - + Masquer le texte de la licence @@ -2180,7 +2242,7 @@ L'installateur se fermera et les changements seront perdus. Open the license agreement in browser @tooltip - + Ouvrir le contrat de licence dans le navigateur @@ -2202,7 +2264,7 @@ L'installateur se fermera et les changements seront perdus. &Change… @button - + &Modification... @@ -2264,20 +2326,38 @@ L'installateur se fermera et les changements seront perdus. MachineIdJob - + Generate machine-id. Générer un identifiant machine. - + Configuration Error Erreur de configuration - + No root mount point is set for MachineId. Aucun point de montage racine n'est défini pour MachineId. + + + + + + File not found + Fichier non trouvé + + + + Path <pre>%1</pre> must be an absolute path. + Le chemin <pre>%1</pre> doit être un chemin absolu. + + + + Could not create new random file <pre>%1</pre>. + Impossible de créer le nouveau fichier aléatoire <pre>%1</pre>. + Map @@ -2472,7 +2552,7 @@ L'installateur se fermera et les changements seront perdus. Select your preferred region, or use the default settings @label - + Sélectionnez votre région préférée ou utilisez les paramètres par défaut @@ -2486,7 +2566,7 @@ L'installateur se fermera et les changements seront perdus. Select your preferred zone within your region @label - + Sélectionnez votre zone préférée dans votre région @@ -2498,7 +2578,7 @@ L'installateur se fermera et les changements seront perdus. You can fine-tune language and locale settings below @label - + Vous pouvez affiner les paramètres de langue et de paramètres régionaux ci-dessous @@ -2507,7 +2587,7 @@ L'installateur se fermera et les changements seront perdus. Select your preferred region, or use the default settings @label - + Sélectionnez votre région préférée ou utilisez les paramètres par défaut @@ -2521,7 +2601,7 @@ L'installateur se fermera et les changements seront perdus. Select your preferred zone within your region @label - + Sélectionnez votre zone préférée dans votre région @@ -2533,7 +2613,7 @@ L'installateur se fermera et les changements seront perdus. You can fine-tune language and locale settings below @label - + Vous pouvez affiner les paramètres de langue et de paramètres régionaux ci-dessous @@ -2814,11 +2894,6 @@ L'installateur se fermera et les changements seront perdus. Unknown error Erreur inconnue - - - Password is empty - Le mot de passe est vide - PackageChooserPage @@ -2866,7 +2941,7 @@ L'installateur se fermera et les changements seront perdus. Keyboard model: - + Modèle de clavier : @@ -2875,8 +2950,9 @@ L'installateur se fermera et les changements seront perdus. - Keyboard switch: - + Switch Keyboard: + shortcut for switching between keyboard layouts + Changer de clavier : @@ -2981,31 +3057,37 @@ L'installateur se fermera et les changements seront perdus. Home + @label Home Boot + @label Démarrage EFI system + @label Système EFI Swap + @label Swap New partition for %1 + @label Nouvelle partition pour %1 New partition + @label Nouvelle partition @@ -3021,37 +3103,44 @@ L'installateur se fermera et les changements seront perdus. Free Space + @title Espace libre - New partition + New Partition + @title Nouvelle partition Name + @title Nom File System + @title Système de fichiers File System Label + @title Libellé du système de fichiers Mount Point + @title Point de montage Size + @title Taille @@ -3130,16 +3219,6 @@ L'installateur se fermera et les changements seront perdus. PartitionViewStep - - - Gathering system information... - Récupération des informations système… - - - - Partitions - Partitions - Unsafe partition actions are enabled. @@ -3155,30 +3234,20 @@ L'installateur se fermera et les changements seront perdus. No partitions will be changed. Aucune partition ne sera modifiée. - - - Current: - Actuel : - - - - After: - Après : - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - + Une partition système EFI est nécessaire pour démarrer %1. <br/><br/>La partition système EFI ne répond pas aux recommandations. Il est recommandé de revenir en arrière et de sélectionner ou de créer un système de fichiers approprié. The minimum recommended size for the filesystem is %1 MiB. - + La taille minimale recommandée pour le système de fichiers est %1 Mio. You can continue with this EFI system partition configuration but your system may fail to start. - + Vous pouvez continuer avec cette configuration de partition système EFI, mais votre système risque de ne pas démarrer. @@ -3216,6 +3285,30 @@ L'installateur se fermera et les changements seront perdus. The filesystem must have flag <strong>%1</strong> set. Le système de fichiers doit avoir l'indicateur <strong>%1</strong> défini. + + + Gathering system information… + @status + Récupération des informations système... + + + + Partitions + @label + Partitions + + + + Current: + @label + Actuel : + + + + After: + @label + Après : + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3224,7 +3317,7 @@ L'installateur se fermera et les changements seront perdus. EFI system partition recommendation - + Recommandation de partition du système EFI @@ -3261,8 +3354,9 @@ L'installateur se fermera et les changements seront perdus. PlasmaLnfJob - Plasma Look-and-Feel Job - Traitement de l'apparence de Plasma + Applying Plasma Look-and-Feel… + @status + Application de Plasma Look-and-Feel… @@ -3290,6 +3384,7 @@ Vous pouvez obtenir un aperçu des différentes apparences en cliquant sur celle Look-and-Feel + @label Apparence @@ -3297,8 +3392,9 @@ Vous pouvez obtenir un aperçu des différentes apparences en cliquant sur celle PreserveFiles - Saving files for later ... - Sauvegarde des fichiers en cours pour plus tard... + Saving files for later… + @status + Enregistrer les fichiers pour plus tard… @@ -3394,26 +3490,12 @@ Sortie Défaut - - - - - File not found - Fichier non trouvé - - - - Path <pre>%1</pre> must be an absolute path. - Le chemin <pre>%1</pre> doit être un chemin absolu. - - - + Directory not found Répertoire non trouvé - - + Could not create new random file <pre>%1</pre>. Impossible de créer le nouveau fichier aléatoire <pre>%1</pre>. @@ -3432,11 +3514,6 @@ Sortie (no mount point) (aucun point de montage) - - - Unpartitioned space or unknown partition table - Espace non partitionné ou table de partitions inconnue - unknown @@ -3461,6 +3538,12 @@ Sortie @partition info swap + + + Unpartitioned space or unknown partition table + @info + Espace non partitionné ou table de partitions inconnue + Recommended @@ -3476,8 +3559,9 @@ Sortie RemoveUserJob - Remove live user from target system - Supprimer l'utilisateur live du système cible + Removing live user from the target system… + @status + @@ -3485,13 +3569,15 @@ Sortie - Remove Volume Group named %1. - Supprimer le Groupe de Volumes nommé %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Supprimer le Groupe de Volumes nommé <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3522,7 +3608,7 @@ Sortie Performing file system resize… @status - + Redimensionnement du système de fichiers… @@ -3540,19 +3626,19 @@ Sortie KPMCore not available @error - + KPMCore non disponible Calamares cannot start KPMCore for the file system resize job. @error - + Calamares ne peut pas démarrer KPMCore pour la tâche de redimensionnement du système de fichiers. Resize failed. @error - + Le redimensionnement a échoué. @@ -3593,7 +3679,7 @@ Sortie The file system %1 must be resized, but cannot. @info - + Le système de fichiers %1 doit être redimensionné, mais ce n'est pas possible. @@ -3605,22 +3691,25 @@ Sortie ResizePartitionJob - - Resize partition %1. - Redimensionner la partition %1. + + Resize partition %1 + @title + Redimensionner la partition %1 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Redimensionner la partition <strong>%1</strong> de <strong>%2 Mio</strong> à <strong>%3 Mio</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Redimensionnement de la partition %1 de %2 Mio à %3 Mio. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Le programme d'installation n'a pas pu redimensionner la partition %1 sur le disque '%2'. @@ -3630,24 +3719,32 @@ Sortie Resize Volume Group - Redimensionner le Groupe de Volumes + @title + Redimensionner le groupe de volume ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Redimensionner le groupe de volume nommé %1 de %2 à %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Redimensionner le groupe de volume nommé <strong>%1</strong> de <strong>%2</strong> à <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. L'installateur n'a pas pu redimensionner le groupe de volumes nommé '%1'. @@ -3664,13 +3761,15 @@ Sortie ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Analyse des périphériques de stockage... - Partitioning - Partitionnement + Partitioning… + @status + Partitionnement... @@ -3687,8 +3786,9 @@ Sortie - Setting hostname %1. - Configuration du nom d'hôte %1. + Setting hostname %1… + @status + @@ -3709,7 +3809,7 @@ Sortie Setting keyboard model to %1, layout as %2-%3… @status, %1 model, %2 layout, %3 variant - + Définition du modèle de clavier sur %1, disposition comme %2-%3… @@ -3752,81 +3852,96 @@ Sortie SetPartFlagsJob - Set flags on partition %1. - Configurer les drapeaux sur la partition %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Configurer les drapeaux sur la partition %2 de %1 Mio. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Configurer les drapeaux sur la nouvelle partition. + Set flags on new partition + @title + Définir des drapeaux sur la nouvelle partition - Clear flags on partition <strong>%1</strong>. - Réinitialiser les drapeaux sur la partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Supprimer les drapeaux sur la partition <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Réinitialiser les drapeaux sur la partition <strong>%2</strong> de %1 Mio. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Supprimer les drapeaux sur la partition <strong>%2</strong> de %1 Mio - Clear flags on new partition. - Réinitialiser les drapeaux sur la nouvelle partition. + Clear flags on new partition + @info + Supprimer les drapeaux sur la nouvelle partition - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Marquer la partition <strong>%1</strong> comme <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Marquer la partition <strong>%2</strong> de %1 Mio comme <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Marquer la nouvelle partition comme <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Réinitialisation des drapeaux pour la partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Suppression des drapeaux sur la partition <strong>%1</strong>... - - Clearing flags on %1MiB <strong>%2</strong> partition. - Réinitialiser les drapeaux sur la partition <strong>%2</strong> de %1 Mio. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Suppression des drapeaux sur la partition <strong>%2</strong> de %1 Mio... - - Clearing flags on new partition. - Réinitialiser les drapeaux sur la nouvelle partition. + + Clearing flags on new partition… + @status + Suppression des drapeaux sur la nouvelle partition... - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Configuration des drapeaux <strong>%2</strong> pour la partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Configuration des drapeaux <strong>%2</strong> pour la partition <strong>%1</strong>... - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Configuration des drapeaux <strong>%3</strong> pour la partition <strong>%2</strong> de %1 Mio. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Configuration des drapeaux <strong>%3</strong> pour la partition <strong>%2</strong> de %1 Mio... - - Setting flags <strong>%1</strong> on new partition. - Configuration des drapeaux <strong>%1</strong> pour la nouvelle partition. + + Setting flags <strong>%1</strong> on new partition… + @status + Configuration des drapeaux <strong>%1</strong> pour la nouvelle partition... - + The installer failed to set flags on partition %1. L'installateur n'a pas pu activer les drapeaux sur la partition %1. @@ -3840,32 +3955,33 @@ Sortie - Setting password for user %1. - Configuration du mot de passe pour l'utilisateur %1. + Setting password for user %1… + @status + Définition du mot de passe pour l'utilisateur %1. {1…?} - + Bad destination system path. Mauvaise destination pour le chemin système. - + rootMountPoint is %1 Le point de montage racine est %1 - + Cannot disable root account. Impossible de désactiver le compte root. - + Cannot set password for user %1. Impossible de créer le mot de passe pour l'utilisateur %1. - - + + usermod terminated with error code %1. usermod s'est terminé avec le code erreur %1. @@ -3876,7 +3992,7 @@ Sortie Setting timezone to %1/%2… @status - + Définition du fuseau horaire sur %1/%2… @@ -3914,8 +4030,9 @@ Sortie SetupGroupsJob - Preparing groups. - Préparation des groupes. + Preparing groups… + @status + Préparation des groupes... @@ -3933,8 +4050,9 @@ Sortie SetupSudoJob - Configure <pre>sudo</pre> users. - Configurer les utilisateurs <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + Configurer les utilisateurs <pre>sudo</pre>... @@ -3951,8 +4069,9 @@ Sortie ShellProcessJob - Shell Processes Job - Tâche des processus de l'intérpréteur de commande + Running shell processes… + @status + Exécution des processus shell… @@ -4001,8 +4120,9 @@ Sortie - Sending installation feedback. - Envoi en cours du rapport d'installation. + Sending installation feedback… + @status + Envoi du rapport d'installation... @@ -4024,8 +4144,9 @@ Sortie - Configuring KDE user feedback. - Configuration des commentaires des utilisateurs de KDE. + Configuring KDE user feedback… + @status + Configuration des commentaires des utilisateurs de KDE… @@ -4053,8 +4174,9 @@ Sortie - Configuring machine feedback. - Configuration en cours du rapport de la machine. + Configuring machine feedback… + @status + Configuration du rapport de la machine... @@ -4116,6 +4238,7 @@ Sortie Feedback + @title Rapport @@ -4123,8 +4246,9 @@ Sortie UmountJob - Unmount file systems. - Démonter les systèmes de fichiers + Unmounting file systems… + @status + Démontage des systèmes de fichiers… @@ -4282,22 +4406,23 @@ Sortie &Release notes &Notes de publication - - - %1 support - Support de %1 - About %1 Setup @title - + À propos de la configuration de %1 About %1 Installer @title - + À propos de l'installateur de %1 + + + + %1 Support + @action + Support de %1 @@ -4305,6 +4430,7 @@ Sortie Welcome + @title Bienvenue @@ -4313,6 +4439,7 @@ Sortie Welcome + @title Bienvenue @@ -4320,8 +4447,9 @@ Sortie ZfsJob - Create ZFS pools and datasets - Créer des pools et des jeux de données ZFS + Creating ZFS pools and datasets… + @status + Créer des pools et des jeux de données ZFS... @@ -4501,13 +4629,13 @@ Sortie Select a layout to activate keyboard preview @label - + Sélectionnez une disposition pour activer l'aperçu du clavier <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Modèle de clavier :&nbsp;&nbsp;</b> @@ -4525,7 +4653,7 @@ Sortie Type here to test your keyboard… @label - + Tapez ici pour tester votre clavier… @@ -4534,13 +4662,13 @@ Sortie Select a layout to activate keyboard preview @label - + Sélectionnez une disposition pour activer l'aperçu du clavier <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Modèle de clavier :&nbsp;&nbsp;</b> @@ -4558,7 +4686,7 @@ Sortie Type here to test your keyboard… @label - + Tapez ici pour tester votre clavier… @@ -4768,21 +4896,11 @@ Sortie What is your name? Quel est votre nom ? - - - Your Full Name - Nom complet - What name do you want to use to log in? Quel nom souhaitez-vous utiliser pour la connexion ? - - - Login Name - Identifiant - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4803,11 +4921,6 @@ Sortie What is the name of this computer? Quel est le nom de votre ordinateur ? - - - Computer Name - Nom de l'ordinateur - This name will be used if you make the computer visible to others on a network. @@ -4828,16 +4941,21 @@ Sortie Password Mot de passe - - - Repeat Password - Répéter le mot de passe - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Saisir le même mot de passe deux fois, afin qu'il puisse être vérifié pour les erreurs de frappe. Un bon mot de passe contient un mélange de lettres, de chiffres et de ponctuation, doit comporter au moins huit caractères et doit être changé à intervalles réguliers. + + + Root password + Mot de passe root + + + + Repeat root password + Répéter le mot de passe root + Validate passwords quality @@ -4853,11 +4971,31 @@ Sortie Log in automatically without asking for the password Connectez-vous automatiquement sans demander le mot de passe + + + Your full name + Nom complet + + + + Login name + Identifiant + + + + Computer name + Nom de l'ordinateur + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Seuls les lettres, les chiffres, les underscores et les trait d'union sont autorisés et un minimum de deux caractères. + + + Repeat password + Répéter le mot de passe + Reuse user password as root password @@ -4873,16 +5011,6 @@ Sortie Choose a root password to keep your account safe. Choisir un mot de passe root pour protéger votre compte. - - - Root Password - Mot de passe root - - - - Repeat Root Password - Répéter le mot de passe root - Enter the same password twice, so that it can be checked for typing errors. @@ -4901,21 +5029,11 @@ Sortie What is your name? Quel est votre nom ? - - - Your Full Name - Nom complet - What name do you want to use to log in? Quel nom souhaitez-vous utiliser pour la connexion ? - - - Login Name - Identifiant - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4936,9 +5054,19 @@ Sortie What is the name of this computer? Quel est le nom de votre ordinateur ? + + + Your full name + Nom complet + + + + Login name + Identifiant + - Computer Name + Computer name Nom de l'ordinateur @@ -4968,9 +5096,19 @@ Sortie - Repeat Password + Repeat password Répéter le mot de passe + + + Root password + Mot de passe root + + + + Repeat root password + Répéter le mot de passe root + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4991,16 +5129,6 @@ Sortie Choose a root password to keep your account safe. Choisir un mot de passe root pour protéger votre compte. - - - Root Password - Mot de passe root - - - - Repeat Root Password - Répéter le mot de passe root - Enter the same password twice, so that it can be checked for typing errors. @@ -5038,12 +5166,12 @@ Sortie - Known issues + Known Issues Problèmes connus - Release notes + Release Notes Notes de version @@ -5068,12 +5196,12 @@ Sortie - Known issues + Known Issues Problèmes connus - Release notes + Release Notes Notes de version diff --git a/lang/calamares_fur.ts b/lang/calamares_fur.ts index 211cf76910..078477a538 100644 --- a/lang/calamares_fur.ts +++ b/lang/calamares_fur.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gjestìs lis impostazions di montaç automatic + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record di %1 Boot Partition + @info Partizion di inviament System Partition + @info Partizion di sisteme Do not install a boot loader + @label No sta instalâ un gjestôr di inviament @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Instale @@ -633,18 +638,27 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ChangeFilesystemLabelJob - Set filesystem label on %1. - Stabilìs la etichete dal filesystem su %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Met la etichete dal filesystem <strong>%1</strong> ae partizion <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info L'instaladôr nol è rivât a inzornâ la tabele des partizions sul disc '%1'. @@ -658,9 +672,20 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partizionament manuâl</strong><br/>Tu puedis creâ o ridimensionâ lis partizions di bessôl. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selezione une partizion di scurtâ, dopo strissine la sbare inferiôr par ridimensionâ</strong> + Select storage de&vice: + @label Selezione il &dispositîf di memorie: @@ -669,56 +694,49 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Current: + @label Atuâl: After: + @label Dopo: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partizionament manuâl</strong><br/>Tu puedis creâ o ridimensionâ lis partizions di bessôl. - - Reuse %1 as home partition for %2. - Torne dopre %1 come partizion home par %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selezione une partizion di scurtâ, dopo strissine la sbare inferiôr par ridimensionâ</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 e vignarà scurtade a %2MiB e une gnove partizion di %3MiB e vignarà creade par %4. - - - Boot loader location: - Ubicazion dal gjestôr di inviament: - <strong>Select a partition to install on</strong> + @label <strong>Selezione une partizion dulà lâ a instalâ</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Impussibil cjatâ une partizion di sisteme EFI. Par plasê torne indaûr e dopre un partizionament manuâl par configurâ %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partizion di sisteme EFI su %1 e vignarà doprade par inviâ %2. EFI system partition: + @label Partizion di sisteme EFI: @@ -773,38 +791,51 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< This storage device has one of its partitions <strong>mounted</strong>. + @info Une des partizions dal dispositîf di memorie e je <strong>montade</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Chest dispositîf di memorie al fâs part di un dispositîf <strong>RAID inatîf</strong>. - No Swap - Cence Swap + No swap + @label + - Reuse Swap - Torne dopre Swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (cence ibernazion) Swap (with Hibernate) + @label Swap (cun ibernazion) Swap to file + @label Swap su file + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Clear mounts for partitioning operations on %1 + @title Netâ i ponts di montaç pes operazions di partizionament su %1 - Clearing mounts for partitioning operations on %1. - Daûr a netâ i ponts di montaç pes operazions di partizionament su %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ClearTempMountsJob - Clear all temporary mounts. - Netâ ducj i ponts di montaç temporanis. - - - Clearing all temporary mounts. - Daûr a netâ ducj i ponts di montaç temporanis. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Va ben! - + Package Selection Selezion pachets - + Please pick a product from the list. The selected product will be installed. Sielç un prodot de liste. Il prodot selezionât al vignarà instalât. - + Packages Pachets - + Install option: <strong>%1</strong> Opzion di instalazion: <strong>%1</strong> - + None Nissun - + Summary + @label Sintesi - + This is an overview of what will happen once you start the setup procedure. Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di configurazion. - + This is an overview of what will happen once you start the install procedure. Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di instalazion. @@ -1115,15 +1146,15 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< - The system language will be set to %1 + The system language will be set to %1. @info - + La lenghe dal sisteme e vignarà configurade a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + La localizazion dai numars e des datis e vignarà configurade a %1. @@ -1200,31 +1231,37 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< En&crypt + @action Ci&frâ Logical + @label Logjiche Primary + @label Primarie GPT + @label GPT Mountpoint already in use. Please select another one. + @info Pont di montaç za in ûs. Selezione un altri. Mountpoint must start with a <tt>/</tt>. + @info Il pont di montaç al scugne scomençâ cuntune <tt>/</tt>. @@ -1232,43 +1269,51 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Creâ gnove partizion di %1MiB su %3 (%2) cu lis vôs %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Creâ une gnove partizion di %1MiB su %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Creâ une gnove partizion di %2MiB su %4 (%3) cul filesystem %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Creâ une gnove partizion di <strong>%1MiB</strong> su <strong>%3</strong> (%2) cu lis vôs <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Creâ une gnove partizion di <strong>%1MiB</strong> su <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Creâ une gnove partizion di <strong>%2MiB</strong> su <strong>%4</strong> (%3) cul filesystem <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Daûr a creâ une gnove partizion %1 su %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Il program di instalazion nol è rivât a creâ la partizion sul disc '%1'. @@ -1304,18 +1349,16 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< CreatePartitionTableJob - Create new %1 partition table on %2. - Creâ une gnove tabele des partizions %1 su %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Creâ une gnove tabele des partizions <strong>%1</strong> su <strong>%2</strong>(%3). - - - - Creating new %1 partition table on %2. - Daûr a creâ une gnove tabele des partizions %1 su %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< - Create user <strong>%1</strong>. - Creâ l'utent <strong>%1</strong>. - - - - Preserving home directory - Si preserve la cartele home + Create user <strong>%1</strong> + - Creating user %1 - Creazion utent %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Daûr a configurâ l'utent %1 - Setting file permissions - Daûr a stabilî i permès dai file + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Create Volume Group + @title Creâ Grup di Volums @@ -1369,18 +1417,16 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< CreateVolumeGroupJob - Create new volume group named %1. - Creâ un gnûf grup di volums clamât %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Creâ un gnûf grup di volums clamât <strong>%1</strong>. - - - - Creating new volume group named %1. - Daûr a creâ un gnûf grup di volums clamât %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< - Deactivate volume group named %1. - Disativâ grup di volums clamât %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Disativâ grup di volums clamât <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< DeletePartitionJob - Delete partition %1. - Eliminâ partizion %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eliminâ partizion <strong>%1</strong>. - - - - Deleting partition %1. - Daûr a eliminâ la partizion %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,12 +1653,14 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Please enter the same passphrase in both boxes. + @tooltip Par plasê inserìs la stesse frase di acès in ducj i doi i ricuadris. - Password must be a minimum of %1 characters - La password e scugne vê un minim di %1 caratars + Password must be a minimum of %1 characters. + @tooltip + @@ -1633,57 +1681,68 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Set partition information + @title Stabilî informazions di partizion Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalâ %1 su la <strong>gnove</strong> partizion di sisteme %2 cun funzionalitâts <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instalâ %1 te <strong>gnove</strong> partizion di sisteme %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configurâ une <strong>gnove</strong> partizion %2 cun pont di montaç <strong>%1</strong> e funzionalitâts <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurâ une <strong>gnove</strong> partizion %2 cun pont di montaç <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalâ %2 su la partizion di sisteme %3 <strong>%1</strong> cun funzionalitâts <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurâ la partizion %3 <strong>%1</strong> cun pont di montaç <strong>%2</strong> e funzionalitâts <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurâ la partizion %3 <strong>%1</strong> cun pont di montaç <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Instalâ %2 te partizion di sisteme %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalâ il gjestôr di inviament su <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Daûr a configurâ i ponts di montaç. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatâ la partizion %1 (filesystem: %2, dimension %3 MiB) su %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatâ la partizion <strong>%1</strong> di <strong>%3MiB</strong> cul filesystem <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Daûr a formatâ la partizion %1 cul filesystem %2. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< MachineIdJob - + Generate machine-id. Gjenerâ id-machine. - + Configuration Error Erôr di configurazion - + No root mount point is set for MachineId. Nissun pont di montaç pe lidrîs al è stât stabilît par MachineId. + + + + + + File not found + File no cjatât + + + + Path <pre>%1</pre> must be an absolute path. + Il percors <pre>%1</pre> al à di jessi un percors assolût. + + + + Could not create new random file <pre>%1</pre>. + Impussibil creâ il gnûf file casuâl <pre>%1</pre>. + Map @@ -2803,11 +2883,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Unknown error Erôr no cognossût - - - Password is empty - Password vueide - PackageChooserPage @@ -2864,7 +2939,8 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Home + @label Home Boot + @label Boot EFI system + @label Sisteme EFI Swap + @label Swap New partition for %1 + @label Gnove partizion par %1 New partition + @label Gnove partizion @@ -3010,37 +3092,44 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Free Space + @title Spazi libar - New partition - Gnove partizion + New Partition + @title + Name + @title Non File System + @title File System File System Label + @title Etichete dal File System Mount Point + @title Pont di montaç Size + @title Dimension @@ -3119,16 +3208,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< PartitionViewStep - - - Gathering system information... - Daûr a dâ dongje lis informazions dal sisteme... - - - - Partitions - Partizions - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< No partitions will be changed. No vignarà modificade nissune partizion. - - - Current: - Atuâl: - - - - After: - Dopo: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< The filesystem must have flag <strong>%1</strong> set. Il filesystem al à di vê ativade la opzion <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Partizions + + + + Current: + @label + Atuâl: + + + + After: + @label + Dopo: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< PlasmaLnfJob - Plasma Look-and-Feel Job - Lavôr di aspiet e compuartament di Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3278,6 +3372,7 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Look-and-Feel + @label Aspiet-e-compuartament @@ -3285,8 +3380,9 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< PreserveFiles - Saving files for later ... - Daûr a salvâ files par dopo ... + Saving files for later… + @status + @@ -3382,26 +3478,12 @@ Output: Predefinît - - - - - File not found - File no cjatât - - - - Path <pre>%1</pre> must be an absolute path. - Il percors <pre>%1</pre> al à di jessi un percors assolût. - - - + Directory not found Cartele no cjatade - - + Could not create new random file <pre>%1</pre>. Impussibil creâ il gnûf file casuâl <pre>%1</pre>. @@ -3420,11 +3502,6 @@ Output: (no mount point) (nissun pont di montaç) - - - Unpartitioned space or unknown partition table - Spazi no partizionât o tabele des partizions no cognossude - unknown @@ -3449,6 +3526,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Spazi no partizionât o tabele des partizions no cognossude + Recommended @@ -3464,8 +3547,9 @@ Output: RemoveUserJob - Remove live user from target system - Gjavâ l'utent “live” dal sisteme di destinazion + Removing live user from the target system… + @status + @@ -3473,13 +3557,15 @@ Output: - Remove Volume Group named %1. - Gjavâ il grup di volums clamât %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Gjavâ il grup di volums clamât <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3593,22 +3679,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Ridimensionâ partizion %1 + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Ridimensionâ la partizion <strong>%1</strong> di <strong>%2MiB</strong> a <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Ridimensionâ la partizion %1 di %2MiB a %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Il program di instalazion nol è rivât a ridimensionâ la partizion %1 sul disc '%2'. @@ -3618,6 +3707,7 @@ Output: Resize Volume Group + @title Ridimensione grup di volums @@ -3625,17 +3715,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ridimensionâ il grup di volums clamât %1 di %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Ridimensionâ il grup di volums clamât <strong>%1</strong> di <strong>%2</strong> a <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Il program di instalazion nol è rivât a ridimensionâ un grup di volums clamât '%1'. @@ -3652,13 +3749,15 @@ Output: ScanningDialog - Scanning storage devices... - Scandai dai dispositîfs di memorie... + Scanning storage devices… + @status + - Partitioning - Partizionament + Partitioning… + @status + @@ -3675,8 +3774,9 @@ Output: - Setting hostname %1. - Daûr a stabilî il non-host a %1. + Setting hostname %1… + @status + @@ -3740,81 +3840,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Stabilî lis opzions te partizion %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Stabilî lis opzions te partizion %2 di %1MiB. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Stabilî lis opzion te gnove partizion. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Netâ lis opzions te partizion <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Netâ lis opzions te partizion <strong>%2</strong> di %1MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Netâ lis opzions te gnove partizion. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Segnâ la partizion <strong>%1</strong> come <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Segnâ la partizion <strong>%2</strong> di %1MiB come <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Segnâ la gnove partizion come <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Daûr a netâ lis opzions te partizion <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Daûr a netâ lis opzion te partizion <strong>%2</strong> di %1MiB. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Daûr a netâ lis opzions te gnove partizion. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Daûr a meti lis opzions <strong>%2</strong> te partizion <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Daûr a meti lis opzions <strong>%3</strong> te partizion <strong>%2</strong> di %1MiB. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Daûr a meti lis opzions <strong>%1</strong> te gnove partizion. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Il program di instalazion nol è rivât a meti lis opzions te partizion %1. @@ -3828,32 +3943,33 @@ Output: - Setting password for user %1. - Daûr a stabilî la password pal utent %1. + Setting password for user %1… + @status + - + Bad destination system path. Percors di sisteme de destinazion sbaliât. - + rootMountPoint is %1 Il rootMountPoint (pont di montaç de lidrîs) al è %1 - + Cannot disable root account. Impussibil disabilitâ l'account di root. - + Cannot set password for user %1. Impussibil stabilî la password pal utent %1. - - + + usermod terminated with error code %1. usermod terminât cun codiç di erôr %1. @@ -3902,8 +4018,9 @@ Output: SetupGroupsJob - Preparing groups. - Daûr a preparâ i grups. + Preparing groups… + @status + @@ -3921,8 +4038,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Configurâ i utents <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3939,8 +4057,9 @@ Output: ShellProcessJob - Shell Processes Job - Operazion dai procès de shell + Running shell processes… + @status + @@ -3989,8 +4108,9 @@ Output: - Sending installation feedback. - Daûr a inviâ la opinion su la instalazion. + Sending installation feedback… + @status + @@ -4012,8 +4132,9 @@ Output: - Configuring KDE user feedback. - Daûr a configurâ la opinione dal utent di KDE. + Configuring KDE user feedback… + @status + @@ -4041,8 +4162,9 @@ Output: - Configuring machine feedback. - Daûr a configurâ la opinion su la machine. + Configuring machine feedback… + @status + @@ -4104,6 +4226,7 @@ Output: Feedback + @title Opinion @@ -4111,8 +4234,9 @@ Output: UmountJob - Unmount file systems. - Dismonte i file-systems. + Unmounting file systems… + @status + @@ -4270,11 +4394,6 @@ Output: &Release notes &Notis di publicazion - - - %1 support - Supuart di %1 - About %1 Setup @@ -4287,12 +4406,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Benvignûts @@ -4301,6 +4427,7 @@ Output: Welcome + @title Benvignûts @@ -4308,8 +4435,9 @@ Output: ZfsJob - Create ZFS pools and datasets - Cree bacins ZFS e insiemis di dâts + Creating ZFS pools and datasets… + @status + @@ -4756,21 +4884,11 @@ Output: What is your name? Ce non âstu? - - - Your Full Name - Il to non complet - What name do you want to use to log in? Ce non vûstu doprâ pe autenticazion? - - - Login Name - Non di acès - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4791,11 +4909,6 @@ Output: What is the name of this computer? Ce non aial chest computer? - - - Computer Name - Non dal computer - This name will be used if you make the computer visible to others on a network. @@ -4816,16 +4929,21 @@ Output: Password Password - - - Repeat Password - Ripeti password - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Inserìs la stesse password dôs voltis, in mût di evitâ erôrs di batidure. Une buine password e contignarà un miscliç di letaris, numars e puntuazions, e sarà lungje almancul vot caratars e si scugnarà cambiâle a intervai regolârs. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4841,11 +4959,31 @@ Output: Log in automatically without asking for the password Jentre in automatic cence domandâ la password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. A son acetâts dome letaris, numars, tratuts bas e tratuts, cuntun minim di doi caratars. + + + Repeat password + + Reuse user password as root password @@ -4861,16 +4999,6 @@ Output: Choose a root password to keep your account safe. Sielç une password di root par tignî il to account al sigûr. - - - Root Password - Password di root - - - - Repeat Root Password - Ripeti password di root - Enter the same password twice, so that it can be checked for typing errors. @@ -4889,21 +5017,11 @@ Output: What is your name? Ce non âstu? - - - Your Full Name - Il to non complet - What name do you want to use to log in? Ce non vûstu doprâ pe autenticazion? - - - Login Name - Non di acès - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4924,10 +5042,20 @@ Output: What is the name of this computer? Ce non aial chest computer? + + + Your full name + + + + + Login name + + - Computer Name - Non dal computer + Computer name + @@ -4956,8 +5084,18 @@ Output: - Repeat Password - Ripeti password + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4979,16 +5117,6 @@ Output: Choose a root password to keep your account safe. Sielç une password di root par tignî il to account al sigûr. - - - Root Password - Password di root - - - - Repeat Root Password - Ripeti password di root - Enter the same password twice, so that it can be checked for typing errors. @@ -5026,13 +5154,13 @@ Output: - Known issues - Problemis cognossûts + Known Issues + - Release notes - Notis di publicazion + Release Notes + @@ -5056,13 +5184,13 @@ Output: - Known issues - Problemis cognossûts + Known Issues + - Release notes - Notis di publicazion + Release Notes + diff --git a/lang/calamares_gl.ts b/lang/calamares_gl.ts index 094d4394ca..716fbddfe1 100644 --- a/lang/calamares_gl.ts +++ b/lang/calamares_gl.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -57,21 +58,25 @@ Master Boot Record of %1 + @info Rexistro de arranque maestro de %1 Boot Partition + @info Partición de arranque System Partition + @info Partición do sistema Do not install a boot loader + @label Non instalar un cargador de arranque @@ -166,19 +171,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instalar @@ -629,18 +634,27 @@ O instalador pecharase e perderanse todos os cambios. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info O instalador fallou ó actualizar a táboa de particións no disco '%1'. @@ -654,9 +668,20 @@ O instalador pecharase e perderanse todos os cambios. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual</strong><br/> Pode crear o redimensionar particións pola súa conta. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione unha partición para acurtar, logo empregue a barra para redimensionala</strong> + Select storage de&vice: + @label Seleccione o dispositivo de almacenamento: @@ -665,56 +690,49 @@ O instalador pecharase e perderanse todos os cambios. Current: + @label Actual: After: + @label Despois: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual</strong><br/> Pode crear o redimensionar particións pola súa conta. - - Reuse %1 as home partition for %2. - Reutilizar %1 como partición home para %2 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione unha partición para acurtar, logo empregue a barra para redimensionala</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Localización do cargador de arranque: - <strong>Select a partition to install on</strong> + @label <strong>Seleccione unha partición para instalar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Non foi posible atopar unha partición de sistema de tipo EFI. Por favor, volva atrás e empregue a opción de particionado manual para crear unha en %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name A partición EFI do sistema en %1 será usada para iniciar %2. EFI system partition: + @label Partición EFI do sistema: @@ -769,36 +787,49 @@ O instalador pecharase e perderanse todos os cambios. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -832,12 +863,14 @@ O instalador pecharase e perderanse todos os cambios. Clear mounts for partitioning operations on %1 + @title Desmontar os volumes para levar a cabo as operacións de particionado en %1 - Clearing mounts for partitioning operations on %1. - Desmontando os volumes para levar a cabo as operacións de particionado en %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ O instalador pecharase e perderanse todos os cambios. ClearTempMountsJob - Clear all temporary mounts. - Limpar todas as montaxes temporais. - - - Clearing all temporary mounts. - Limpando todas as montaxes temporais. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ O instalador pecharase e perderanse todos os cambios. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Resumo - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. Esta é unha vista xeral do que vai acontecer cando inicie o procedemento de instalación. @@ -1111,15 +1142,15 @@ O instalador pecharase e perderanse todos os cambios. - The system language will be set to %1 + The system language will be set to %1. @info - + A linguaxe do sistema será establecida a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + A localización de números e datas será establecida a %1. @@ -1196,31 +1227,37 @@ O instalador pecharase e perderanse todos os cambios. En&crypt + @action Encriptar Logical + @label Lóxica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. - Punto de montaxe xa en uso. Faga o favor de escoller outro + @info + Punto de montaxe xa en uso. Faga o favor de escoller outro. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ O instalador pecharase e perderanse todos os cambios. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Creando unha nova partición %1 en %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info O instalador fallou ó crear a partición no disco '%1'. @@ -1300,18 +1345,16 @@ O instalador pecharase e perderanse todos os cambios. CreatePartitionTableJob - Create new %1 partition table on %2. - Crear unha nova táboa de particións %1 en %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crear unha nova táboa de particións %1 en <strong>%2</strong>(%3) - - - - Creating new %1 partition table on %2. - Creando nova táboa de partición %1 en %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,28 +1371,32 @@ O instalador pecharase e perderanse todos os cambios. - Create user <strong>%1</strong>. - Crear usario <strong>%1</strong> - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ O instalador pecharase e perderanse todos os cambios. Create Volume Group + @title @@ -1365,18 +1413,16 @@ O instalador pecharase e perderanse todos os cambios. CreateVolumeGroupJob - Create new volume group named %1. - Crear un grupo de volume novo chamado %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Crear un grupo de volume nome chamado <strong>%1</strong>. - - - - Creating new volume group named %1. - A crear un grupo de volume novo chamado %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ O instalador pecharase e perderanse todos os cambios. - Deactivate volume group named %1. - Desactivar o grupo de volume chamado %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desactivar o grupo de volume chamado <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ O instalador pecharase e perderanse todos os cambios. DeletePartitionJob - Delete partition %1. - Eliminar partición %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eliminar partición <strong>%1</strong>. - - - - Deleting partition %1. - Eliminando partición %1 + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ O instalador pecharase e perderanse todos os cambios. Please enter the same passphrase in both boxes. + @tooltip Faga o favor de introducila a misma frase de contrasinal námbalas dúas caixas. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ O instalador pecharase e perderanse todos os cambios. Set partition information + @title Poñela información da partición Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 nunha <strong>nova</strong> partición do sistema %2 + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 na partición do sistema %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalar o cargador de arranque en <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configuralos puntos de montaxe. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ O instalador pecharase e perderanse todos os cambios. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Dando formato a %1 con sistema de ficheiros %2. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ O instalador pecharase e perderanse todos os cambios. MachineIdJob - + Generate machine-id. Xerar o identificador da máquina. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2795,11 +2875,6 @@ O instalador pecharase e perderanse todos os cambios. Unknown error Erro descoñecido - - - Password is empty - - PackageChooserPage @@ -2856,7 +2931,8 @@ O instalador pecharase e perderanse todos os cambios. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2962,31 +3038,37 @@ O instalador pecharase e perderanse todos os cambios. Home + @label Cartafol persoal Boot + @label Arranque EFI system + @label Sistema EFI Swap + @label Intercambio New partition for %1 + @label Nova partición para %1 New partition + @label Nova partición @@ -3002,37 +3084,44 @@ O instalador pecharase e perderanse todos os cambios. Free Space + @title Espazo libre - New partition - Nova partición + New Partition + @title + Name + @title Nome File System + @title Sistema de ficheiros File System Label + @title Mount Point + @title Punto de montaxe Size + @title Tamaño @@ -3111,16 +3200,6 @@ O instalador pecharase e perderanse todos os cambios. PartitionViewStep - - - Gathering system information... - A reunir a información do sistema... - - - - Partitions - Particións - Unsafe partition actions are enabled. @@ -3136,16 +3215,6 @@ O instalador pecharase e perderanse todos os cambios. No partitions will be changed. - - - Current: - Actual: - - - - After: - Despois: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3197,6 +3266,30 @@ O instalador pecharase e perderanse todos os cambios. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particións + + + + Current: + @label + Actual: + + + + After: + @label + Despois: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3242,8 +3335,9 @@ O instalador pecharase e perderanse todos os cambios. PlasmaLnfJob - Plasma Look-and-Feel Job - Tarefa de aparencia e experiencia de Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3270,6 +3364,7 @@ O instalador pecharase e perderanse todos os cambios. Look-and-Feel + @label Aparencia e experiencia @@ -3277,8 +3372,9 @@ O instalador pecharase e perderanse todos os cambios. PreserveFiles - Saving files for later ... - A gardar ficheiros para máis tarde... + Saving files for later… + @status + @@ -3374,26 +3470,12 @@ Saída: Predeterminado - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3412,11 +3494,6 @@ Saída: (no mount point) - - - Unpartitioned space or unknown partition table - Espazo sen particionar ou táboa de particións descoñecida - unknown @@ -3441,6 +3518,12 @@ Saída: @partition info intercambio + + + Unpartitioned space or unknown partition table + @info + Espazo sen particionar ou táboa de particións descoñecida + Recommended @@ -3455,7 +3538,8 @@ Saída: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3464,13 +3548,15 @@ Saída: - Remove Volume Group named %1. - Retirar o grupo de volumes %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Retirar o grupo de volumes chamado <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3582,22 +3668,25 @@ Saída: ResizePartitionJob - - Resize partition %1. - Redimensionar partición %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. O instalador fallou a hora de reducir a partición %1 no disco '%2'. @@ -3607,6 +3696,7 @@ Saída: Resize Volume Group + @title Cambiar o tamaño do grupo de volumes @@ -3614,17 +3704,24 @@ Saída: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Mudar o tamaño do grupo de volumes chamado %1 de %2 para %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Mudar o tamaño do grupo de volumes chamado <strong>%1</strong> de <strong>%2</strong> para <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. O instalador non foi quen de lle mudar o tamaño ao grupo de volumes chamado «%1». @@ -3641,13 +3738,15 @@ Saída: ScanningDialog - Scanning storage devices... - A examinar os dispositivos de almacenamento... + Scanning storage devices… + @status + - Partitioning - Particionamento + Partitioning… + @status + @@ -3664,8 +3763,9 @@ Saída: - Setting hostname %1. - Configurando hostname %1. + Setting hostname %1… + @status + @@ -3729,81 +3829,96 @@ Saída: SetPartFlagsJob - Set flags on partition %1. - Configurar as bandeiras na partición %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Configurar as bandeiras na nova partición. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Limpar as bandeiras da partición <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Limpar as bandeiras da nova partición. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Marcar a partición <strong>%1</strong> coa bandeira <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Marcar a nova partición coa bandeira <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - A limpar as bandeiras da partición <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - A limpar as bandeiras da nova partición. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - A configurar as bandeiras <strong>%2</strong> na partición <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - A configurar as bandeiras <strong>%1</strong> na nova partición. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. O instalador non foi quen de configurar as bandeiras na partición %1. @@ -3817,32 +3932,33 @@ Saída: - Setting password for user %1. - A configurar o contrasinal do usuario %1. + Setting password for user %1… + @status + - + Bad destination system path. Ruta incorrecta ao sistema de destino. - + rootMountPoint is %1 rootMountPoint é %1 - + Cannot disable root account. Non é posíbel desactivar a conta do superusuario. - + Cannot set password for user %1. Non é posíbel configurar o contrasinal do usuario %1. - - + + usermod terminated with error code %1. usermod terminou co código de erro %1. @@ -3891,7 +4007,8 @@ Saída: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3910,7 +4027,8 @@ Saída: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3928,8 +4046,9 @@ Saída: ShellProcessJob - Shell Processes Job - Traballo de procesos de consola + Running shell processes… + @status + @@ -3978,8 +4097,9 @@ Saída: - Sending installation feedback. - Enviar opinións sobre a instalación. + Sending installation feedback… + @status + @@ -4001,7 +4121,8 @@ Saída: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4030,8 +4151,9 @@ Saída: - Configuring machine feedback. - Configuración das informacións fornecidas pola máquina. + Configuring machine feedback… + @status + @@ -4093,6 +4215,7 @@ Saída: Feedback + @title Opinións @@ -4100,8 +4223,9 @@ Saída: UmountJob - Unmount file systems. - Desmontar sistemas de ficheiros. + Unmounting file systems… + @status + @@ -4259,11 +4383,6 @@ Saída: &Release notes &Notas de publicación - - - %1 support - %1 axuda - About %1 Setup @@ -4276,12 +4395,19 @@ Saída: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Benvido @@ -4290,6 +4416,7 @@ Saída: Welcome + @title Benvido @@ -4297,7 +4424,8 @@ Saída: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4713,21 +4841,11 @@ Saída: What is your name? Cal é o seu nome? - - - Your Full Name - - What name do you want to use to log in? Cal é o nome que quere usar para entrar? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4748,11 +4866,6 @@ Saída: What is the name of this computer? Cal é o nome deste computador? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4774,13 +4887,18 @@ Saída: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4798,11 +4916,31 @@ Saída: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4818,16 +4956,6 @@ Saída: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4846,21 +4974,11 @@ Saída: What is your name? Cal é o seu nome? - - - Your Full Name - - What name do you want to use to log in? Cal é o nome que quere usar para entrar? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4881,9 +4999,19 @@ Saída: What is the name of this computer? Cal é o nome deste computador? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4913,7 +5041,17 @@ Saída: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4936,16 +5074,6 @@ Saída: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4982,12 +5110,12 @@ Saída: - Known issues + Known Issues - Release notes + Release Notes @@ -5011,12 +5139,12 @@ Saída: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_gu.ts b/lang/calamares_gu.ts index 78990edbbc..279c87dcc5 100644 --- a/lang/calamares_gu.ts +++ b/lang/calamares_gu.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_he.ts b/lang/calamares_he.ts index 2a201310ea..9155e545cc 100644 --- a/lang/calamares_he.ts +++ b/lang/calamares_he.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - ניהול הגדרות העיגון האוטומטי + Managing auto-mount settings… + @status + ניהול הגדרות העיגון האוטומטי… @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record של %1 Boot Partition + @info מחיצת האתחול (Boot) System Partition + @info מחיצת מערכת Do not install a boot loader + @label לא להתקין מנהל אתחול מערכת @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label הקמה - + Install @label התקנה @@ -637,18 +642,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - הגדרת תווית מערכת קבצים על %1. + Set filesystem label on %1 + @title + הגדרת תווית מערכת קבצים על %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - הגדרת תווית מערכת הקבצים <strong>%1</strong> למחיצה <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + הגדרת תווית מערכת הקבצים <strong>%1</strong> למחיצה <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info אשף ההתקנה נכשל בעת עדכון טבלת המחיצות על כונן ‚%1’. @@ -662,9 +676,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>הגדרת מחיצות באופן ידני</strong><br/>ניתן ליצור או לשנות את גודל המחיצות בעצמך. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ראשית יש לבחור מחיצה לכיווץ, לאחר מכן לגרור את הסרגל התחתון כדי לשנות את גודלה</strong> + Select storage de&vice: + @label בחירת התקן א&חסון: @@ -673,56 +698,49 @@ The installer will quit and all changes will be lost. Current: + @label נוכחי: After: + @label לאחר: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>הגדרת מחיצות באופן ידני</strong><br/>ניתן ליצור או לשנות את גודל המחיצות בעצמך. - - Reuse %1 as home partition for %2. - שימוש ב־%1 כמחיצת הבית (home) עבור %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ראשית יש לבחור מחיצה לכיווץ, לאחר מכן לגרור את הסרגל התחתון כדי לשנות את גודלה</strong> + Reuse %1 as home partition for %2 + @label + להשתמש מחדש ב־%1 כמחיצת הבית (home) של %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 תכווץ לכדי %2MiB ותיווצר מחיצה חדשה בגודל %3MiB עבור %4. - - - Boot loader location: - מקום מנהל אתחול המערכת: - <strong>Select a partition to install on</strong> + @label <strong>נא לבחור מחיצה כדי להתקין עליה</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name במערכת זו לא נמצאה מחיצת מערכת EFI. נא לחזור ולהשתמש ביצירת מחיצות באופן ידני כדי להגדיר את %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name מחיצת מערכת EFI שב־%1 תשמש לטעינת %2. EFI system partition: + @label מחיצת מערכת EFI: @@ -777,38 +795,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info אחת המחיצות של התקן האחסון הזה <strong>מעוגנת</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info התקן אחסון זה הוא חלק מהתקן <strong>RAID בלתי פעיל</strong>. - No Swap + No swap + @label ללא החלפה - Reuse Swap + Reuse swap + @label שימוש מחדש בהחלפה Swap (no Hibernate) + @label החלפה (ללא תרדמת) Swap (with Hibernate) + @label החלפה (עם תרדמת) Swap to file + @label החלפה לקובץ + + + Bootloader location: + @label + מקום מנהל אתחול המערכת: + ClearMountsJob @@ -840,12 +871,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title מחיקת נקודות עיגון עבור פעולות חלוקה למחיצות על %1. - Clearing mounts for partitioning operations on %1. - מתבצעת מחיקה של נקודות עיגון לטובת פעולות חלוקה למחיצות על %1. + Clearing mounts for partitioning operations on %1… + @status + מתבצעת מחיקה של נקודות עיגון לטובת פעולות חלוקה למחיצות על %1. {1…?} @@ -857,13 +890,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - מחיקת כל נקודות העיגון הזמניות. - - - Clearing all temporary mounts. - כל נקודות העיגון הזמניות נמחקות. + Clearing all temporary mounts… + @status + כל העיגונים הזמניים נמחקים… @@ -1012,42 +1042,43 @@ The installer will quit and all changes will be lost. בסדר! - + Package Selection בחירת חבילות - + Please pick a product from the list. The selected product will be installed. נא לבחור במוצר מהרשימה. המוצר הנבחר יותקן. - + Packages חבילות - + Install option: <strong>%1</strong> אפשרות התקנה: <strong>%1</strong> - + None ללא - + Summary + @label סיכום - + This is an overview of what will happen once you start the setup procedure. זו סקירה של מה שיקרה לאחר התחלת תהליך ההתקנה. - + This is an overview of what will happen once you start the install procedure. זו סקירה של מה שיקרה לאחר התחלת תהליך ההתקנה. @@ -1119,15 +1150,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - שפת המערכת הוגדרה לכדי %1. {1?} + שפת המערכת תהיה %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - ההגדרות האזוריות של המספרים והתאריכים יוגדרו לכדי %1. {1?} + תבנית המספרים והתאריכים של המקום יוגדרו להיות %1. @@ -1204,31 +1235,37 @@ The installer will quit and all changes will be lost. En&crypt + @action ה&צפנה Logical + @label לוגית Primary + @label ראשית GPT + @label GPT Mountpoint already in use. Please select another one. + @info נקודת העיגון בשימוש. נא לבחור בנקודת עיגון אחרת. Mountpoint must start with a <tt>/</tt>. + @info נקודת העיגון צריכה להיפתח ב־<tt>/</tt>. @@ -1236,43 +1273,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - יצירת מחיצת %1MiB על גבי %3 (%2) עם הרשומות %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - יצירת מחיצה חדשה בגודל %1MiB על גבי %3 ‏(%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - יצירת מחיצה חדשה בגודל %2MiB על גבי %4 (%3) עם מערכת הקבצים %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - יצירת מחיצה חדשה בגודל <strong>%1MiB</strong> על גבי <strong>%3</strong> (%2) עם הרשומות <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - יצירת מחיצה חדשה בגודל <strong>%1MiB</strong> על גבי <strong>%3</strong> ‏(%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - יצירת מחיצה חדשה בגודל <strong>%2MiB</strong> על גבי <strong>%4</strong> (%3) עם מערכת הקבצים <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - מוגדרת מחיצת %1 חדשה על %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info אשף ההתקנה נכשל ביצירת מחיצה על הכונן ‚%1’. @@ -1308,18 +1353,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - יצירת טבלת מחיצות חדשה מסוג %1 על %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - יצירת טבלת מחיצות חדשה מסוג <strong>%1</strong> על <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - נוצרת טבלת מחיצות חדשה מסוג %1 על %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1336,29 +1379,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - יצירת משתמש <strong>%1</strong>. - - - - Preserving home directory - שימור תיקיית הבית + Create user <strong>%1</strong> + יצירת המשתמש <strong>%1</strong> - Creating user %1 - המשתמש %1 נוצר + Creating user %1… + @status + המשתמש %1 נוצר… + + + + Preserving home directory… + @status + תיקיית הבית נשמרת… Configuring user %1 + @status המשתמש %1 מוגדר - Setting file permissions - הרשאות הקובץ מוגדרות + Setting file permissions… + @status + הגדרות הקובץ מוגדרות… @@ -1366,6 +1413,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title יצירת קבוצת כרכים @@ -1373,18 +1421,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - יצירת קבוצת כרכים חדשה בשם %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - יצירת קבוצת כרכים חדשה בשם <strong>%1</strong>. - - - - Creating new volume group named %1. - נוצרת קבוצת כרכים חדשה בשם %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1397,13 +1443,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - השבתת קבוצת כרכים בשם %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - השבתת קבוצת כרכים בשם <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1415,18 +1463,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - מחיקת המחיצה %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - מחיקת המחיצה <strong>%1</strong>. - - - - Deleting partition %1. - מחיקת המחיצה %1 מתבצעת. + Deleting partition <strong>%1</strong>… + @status + המחיצה <strong>%1</strong> נמחקת… @@ -1611,12 +1657,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip נא להקליד את אותה מילת הצופן בשתי התיבות. - Password must be a minimum of %1 characters - אורך הסיסמה חייב להיות %1 תווים לפחות + Password must be a minimum of %1 characters. + @tooltip + אורך הסיסמה חייב להיות לפחות %1 תווים. @@ -1637,57 +1685,68 @@ The installer will quit and all changes will be lost. Set partition information + @title הגדרת מידע עבור המחיצה Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info התקנת %1 על מחיצת מערכת <strong>חדשה</strong> מסוג %2 עם היכולות <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - התקנת %1 על מחיצת מערכת <strong>חדשה</strong> מסוג %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + להתקין את %1 על מחיצת מערכת %2 <strong>חדשה</strong> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - הקמת מחיצת %2 <strong>חדשה</strong> עם נקודת העיגון <strong>%1</strong> והיכולות <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + הקמת מחיצת %2 <strong>חדשה</strong> עם נקודת העגינה <strong>%1</strong> והיכולות <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - הגדרת מחיצת מערכת <strong>חדשה</strong> מסוג %2 עם נקודת העיגון <strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + הקמת מחיצת %2 <strong>חדשה</strong> עם נקודת העיגון <strong>%1</strong> %3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - התקנת %2 על מחיצת מערכת %3 בשם <strong>%1</strong> עם היכולות <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + התקנת %2 על מחיצת מערכת מסוג %3 בשם <strong>%1</strong> עם היכולות <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - הקמת מחיצת %3 בשם <strong>%1</strong> עם נקודת העגינה <strong>%2</strong> והיכולות <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - הקמת מחיצת %3 בשם <strong>%1</strong> עם נקודת העגינה <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - התקנת %2 על מחיצת מערכת <strong>%1</strong> מסוג %3. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - התקנת מנהל אתחול מערכת על <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - נקודות העיגון מוגדרות. + + Setting up mount points… + @status + נקודות העגינה מוגדרות… @@ -1756,24 +1815,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - לאתחל את המחיצה %1 (מערכת קבצים: %2, גודל: %3 MiB) על גבי %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - אתחול מחיצה בגודל <strong>%3MiB</strong> בנתיב <strong>%1</strong> עם מערכת הקבצים <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - המחיצה %1 עוברת פרמוט למערכת הקבצים %2 כעת. + + Formatting partition %1 with file system %2… + @status + @@ -2266,20 +2328,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. לייצר מספר סידורי של המכונה. - + Configuration Error שגיאת הגדרות - + No root mount point is set for MachineId. לא הוגדרה נקודת עגינת שורש עבור מזהה מכונה (MachineId). + + + + + + File not found + הקובץ לא נמצא + + + + Path <pre>%1</pre> must be an absolute path. + הנתיב <pre>%1</pre> חייב להיות נתיב מלא. + + + + Could not create new random file <pre>%1</pre>. + לא ניתן ליצור קובץ אקראי חדש <pre>%1</pre>. + Map @@ -2825,11 +2905,6 @@ The installer will quit and all changes will be lost. Unknown error שגיאה לא ידועה - - - Password is empty - שדה הסיסמה ריק - PackageChooserPage @@ -2886,8 +2961,9 @@ The installer will quit and all changes will be lost. - Keyboard switch: - החלפת מקלדת: + Switch Keyboard: + shortcut for switching between keyboard layouts + החלפת פריסת מקלדת: @@ -2992,31 +3068,37 @@ The installer will quit and all changes will be lost. Home + @label בית Home Boot + @label טעינה Boot EFI system + @label מערכת EFI Swap + @label דפדוף Swap New partition for %1 + @label מחיצה חדשה עבור %1 New partition + @label מחיצה חדשה @@ -3032,37 +3114,44 @@ The installer will quit and all changes will be lost. Free Space + @title שטח פנוי - New partition + New Partition + @title מחיצה חדשה Name + @title שם File System + @title מערכת קבצים File System Label + @title תווית מערכת קבצים Mount Point + @title נקודת עיגון Size + @title גודל @@ -3141,16 +3230,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - נאסף מידע על המערכת… - - - - Partitions - מחיצות - Unsafe partition actions are enabled. @@ -3166,16 +3245,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. לא נערכו מחיצות. - - - Current: - נוכחי: - - - - After: - לאחר: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3227,6 +3296,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. למערכת הקבצים חייב להיות מוגדר הדגלון <strong>%1</strong>. + + + Gathering system information… + @status + פרטי המערכת נאספים… + + + + Partitions + @label + מחיצות + + + + Current: + @label + נוכחי: + + + + After: + @label + לאחר: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3272,8 +3365,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - משימת מראה ותחושה של Plasma + Applying Plasma Look-and-Feel… + @status + המראה והתחושה של פלזמה חלים… @@ -3300,6 +3394,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label מראה ותחושה @@ -3307,8 +3402,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - הקבצים נשמרים להמשך… + Saving files for later… + @status + הקבצים נשמרים לאחר כך… @@ -3404,26 +3500,12 @@ Output: בררת מחדל - - - - - File not found - הקובץ לא נמצא - - - - Path <pre>%1</pre> must be an absolute path. - הנתיב <pre>%1</pre> חייב להיות נתיב מלא. - - - + Directory not found התיקייה לא נמצאה - - + Could not create new random file <pre>%1</pre>. לא ניתן ליצור קובץ אקראי חדש <pre>%1</pre>. @@ -3442,11 +3524,6 @@ Output: (no mount point) (אין נקודת עגינה) - - - Unpartitioned space or unknown partition table - השטח לא מחולק למחיצות או שטבלת המחיצות אינה מוכרת - unknown @@ -3471,6 +3548,12 @@ Output: @partition info דפדוף swap + + + Unpartitioned space or unknown partition table + @info + השטח לא מחולק למחיצות או שטבלת המחיצות אינה מוכרת + Recommended @@ -3486,8 +3569,9 @@ Output: RemoveUserJob - Remove live user from target system - הסרת משתמש חי ממערכת היעד + Removing live user from the target system… + @status + המשתמש החי נמחק ממערכת היעד… @@ -3495,13 +3579,15 @@ Output: - Remove Volume Group named %1. - הסרת קבוצת כרכים בשם %1. + Removing Volume Group named %1… + @status + קבוצת הכרכים בשם %1 נמחקת… - Remove Volume Group named <strong>%1</strong>. - הסרת קבוצת כרכים בשם <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3615,22 +3701,25 @@ Output: ResizePartitionJob - - Resize partition %1. - שינוי גודל המחיצה %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - שינוי גודל של מחיצה בגודל <strong>%2MiB</strong> בנתיב <strong>%1</strong> לכדי <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - משתנה הגודל של מחיצה %1 בגודל %2MiB לכדי %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. אשף ההתקנה נכשל בשינוי גודל המחיצה %1 על כונן '%2'. @@ -3640,6 +3729,7 @@ Output: Resize Volume Group + @title שינוי גודל קבוצת כרכים @@ -3647,17 +3737,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - שינוי גודל קבוצת כרכים בשם %1 מ־%2 ל־%3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - שינוי גודל קבוצת כרכים בשם <strong>%1</strong> מ־<strong>%2</strong> ל־<strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. אשף ההתקנה נכשל בשינוי גודל קבוצת הכרכים בשם ‚%1’. @@ -3674,13 +3771,15 @@ Output: ScanningDialog - Scanning storage devices... - התקני אחסון נסרקים… + Scanning storage devices… + @status + - Partitioning - חלוקה למחיצות + Partitioning… + @status + @@ -3697,8 +3796,9 @@ Output: - Setting hostname %1. - שם המארח %1 מוגדר כעת. + Setting hostname %1… + @status + @@ -3762,81 +3862,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - הגדרת סימונים על המחיצה %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - הגדרת דגלונים על מחיצה מסוג %2 בגודל %1MiB. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - הגדרת סימונים על מחיצה חדשה. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - מחיקת סימונים מהמחיצה <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - לבטל דגלונים על מחיצת <strong>%2</strong> בגודל %1MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - מחיקת סימונים מהמחיצה החדשה. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - סימון המחיצה <strong>%1</strong> בתור <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - סימון מחיצת <strong>%2</strong> בגודל %1MiB בתור <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - סימון המחיצה החדשה בתור <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - הסימונים נמחקים מהמחיצה <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - לבטל דגלונים על מחיצת <strong>%2</strong> בגודל %1MiB. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - סימונים נמחקים מהמחיצה החדשה. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - הסימונים <strong>%2</strong> מוגדרים על המחיצה <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - הדגלונים <strong>%3</strong> על מחיצת <strong>%2</strong> בגודל %1MiB. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - הסימונים <strong>%1</strong> מוגדרים על מחיצה חדשה. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. אשף ההתקנה נכשל בהצבת סימונים במחיצה %1. @@ -3850,32 +3965,33 @@ Output: - Setting password for user %1. - הסיסמה למשתמש %1 מוגדרת כעת. + Setting password for user %1… + @status + - + Bad destination system path. נתיב מערכת היעד שגוי. - + rootMountPoint is %1 עיגון מחיצת מערכת ההפעלה, rootMountPoint, היא %1 - + Cannot disable root account. לא ניתן להשבית את חשבון המנהל root. - + Cannot set password for user %1. לא ניתן להגדיר למשתמש %1 סיסמה. - - + + usermod terminated with error code %1. פקודת שינוי מאפייני המשתמש, usermod, נכשלה עם קוד יציאה %1. @@ -3924,8 +4040,9 @@ Output: SetupGroupsJob - Preparing groups. - הקבוצות בהכנה. + Preparing groups… + @status + @@ -3943,8 +4060,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - הגדרת משתמשי <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3961,8 +4079,9 @@ Output: ShellProcessJob - Shell Processes Job - משימת תהליכי מעטפת + Running shell processes… + @status + @@ -4011,8 +4130,9 @@ Output: - Sending installation feedback. - שליחת משוב על ההתקנה. + Sending installation feedback… + @status + @@ -4034,8 +4154,9 @@ Output: - Configuring KDE user feedback. - משוב המשתמש ב־KDE מוגדר. + Configuring KDE user feedback… + @status + @@ -4063,8 +4184,9 @@ Output: - Configuring machine feedback. - הגדרת משוב על עמדת המחשב. + Configuring machine feedback… + @status + @@ -4126,6 +4248,7 @@ Output: Feedback + @title משוב @@ -4133,8 +4256,9 @@ Output: UmountJob - Unmount file systems. - ניתוק עיגון מערכות קבצים. + Unmounting file systems… + @status + @@ -4292,11 +4416,6 @@ Output: &Release notes ה&ערות מהדורה - - - %1 support - תמיכה ב־%1 - About %1 Setup @@ -4309,12 +4428,19 @@ Output: @title על תוכנית התקנת %1 + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title ברוך בואך @@ -4323,6 +4449,7 @@ Output: Welcome + @title ברוך בואך @@ -4330,8 +4457,9 @@ Output: ZfsJob - Create ZFS pools and datasets - יצירת מאגרי ZFS וסדרות נתונים + Creating ZFS pools and datasets… + @status + @@ -4778,21 +4906,11 @@ Output: What is your name? מה שמך? - - - Your Full Name - שמך המלא - What name do you want to use to log in? איזה שם ברצונך שישמש אותך לכניסה? - - - Login Name - שם הכניסה - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4813,11 +4931,6 @@ Output: What is the name of this computer? מהו השם של המחשב הזה? - - - Computer Name - שם המחשב - This name will be used if you make the computer visible to others on a network. @@ -4838,16 +4951,21 @@ Output: Password סיסמה - - - Repeat Password - חזרה על הסיסמה - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. יש להקליד את אותה הסיסמה פעמיים כדי שניתן יהיה לבדוק שגיאות הקלדה. סיסמה טובה אמורה להכיל שילוב של אותיות, מספרים וסימני פיסוק, להיות באורך של שמונה תווים לפחות ויש להחליף אותה במרווחי זמן קבועים. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4863,11 +4981,31 @@ Output: Log in automatically without asking for the password להיכנס אוטומטית מבלי לבקש סיסמה + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. מותר להשתמש באותיות, ספרות, קווים תחתונים ומינוסים, שני תווים ומעלה. + + + Repeat password + + Reuse user password as root password @@ -4883,16 +5021,6 @@ Output: Choose a root password to keep your account safe. נא לבחור סיסמה למשתמש העל (root) כדי להגן על חשבונך. - - - Root Password - סיסמה למשתמש העל (root) - - - - Repeat Root Password - נא לחזור על סיסמת משתמש העל - Enter the same password twice, so that it can be checked for typing errors. @@ -4911,21 +5039,11 @@ Output: What is your name? מה שמך? - - - Your Full Name - שמך המלא - What name do you want to use to log in? איזה שם ברצונך שישמש אותך לכניסה? - - - Login Name - שם הכניסה - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4946,10 +5064,20 @@ Output: What is the name of this computer? מהו השם של המחשב הזה? + + + Your full name + + + + + Login name + + - Computer Name - שם המחשב + Computer name + @@ -4978,8 +5106,18 @@ Output: - Repeat Password - חזרה על הסיסמה + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -5001,16 +5139,6 @@ Output: Choose a root password to keep your account safe. נא לבחור סיסמה למשתמש העל (root) כדי להגן על חשבונך. - - - Root Password - סיסמה למשתמש העל (root) - - - - Repeat Root Password - נא לחזור על סיסמת משתמש העל - Enter the same password twice, so that it can be checked for typing errors. @@ -5048,13 +5176,13 @@ Output: - Known issues - בעיות נפוצות + Known Issues + - Release notes - הערות מהדורה + Release Notes + @@ -5078,13 +5206,13 @@ Output: - Known issues - בעיות נפוצות + Known Issues + - Release notes - הערות מהדורה + Release Notes + diff --git a/lang/calamares_hi.ts b/lang/calamares_hi.ts index 354a97de5f..29de8f37ce 100644 --- a/lang/calamares_hi.ts +++ b/lang/calamares_hi.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - स्वतः माउंट सेटिंग्स हेतु प्रबंधन + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 का मास्टर बूट रिकॉर्ड Boot Partition + @info बूट विभाजन System Partition + @info सिस्टम विभाजन Do not install a boot loader + @label बूट लोडर इंस्टॉल न करें @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label इंस्टॉल करें @@ -633,18 +638,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - %1 हेतु फाइल सिस्टम उपनाम सेट करें। + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - <strong>%2</strong> विभाजन हेतु फाइल सिस्टम उपनाम <strong>%1</strong> सेट करें। + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info इंस्टॉलर द्वारा डिस्क '%1' पर विभाजन तालिका अपडेट करना विफल। @@ -658,9 +672,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>मैनुअल विभाजन</strong><br/> स्वयं विभाजन बनाएँ या उनका आकार बदलें। + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>छोटा करने के लिए विभाजन चुनें, फिर नीचे bar से उसका आकर सेट करें</strong> + Select storage de&vice: + @label डिवाइस चुनें (&v): @@ -669,56 +694,49 @@ The installer will quit and all changes will be lost. Current: + @label मौजूदा : After: + @label बाद में: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>मैनुअल विभाजन</strong><br/> स्वयं विभाजन बनाएँ या उनका आकार बदलें। - - Reuse %1 as home partition for %2. - %2 के होम विभाजन के लिए %1 को पुनः उपयोग करें। - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>छोटा करने के लिए विभाजन चुनें, फिर नीचे bar से उसका आकर सेट करें</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 को छोटा करके %2MiB किया जाएगा व %4 हेतु %3MiB का एक नया विभाजन बनेगा। - - - Boot loader location: - बूट लोडर का स्थान: - <strong>Select a partition to install on</strong> + @label <strong>इंस्टॉल के लिए विभाजन चुनें</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name इस सिस्टम पर कहीं भी कोई EFI सिस्टम विभाजन नहीं मिला। कृपया वापस जाएँ व %1 को सेट करने के लिए मैनुअल रूप से विभाजन करें। The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 वाले EFI सिस्टम विभाजन का उपयोग %2 को शुरू करने के लिए किया जाएगा। EFI system partition: + @label EFI सिस्टम विभाजन: @@ -773,38 +791,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info इस संचय उपकरण के विभाजनों में से कोई एक विभाजन <strong>माउंट</strong> है। This storage device is a part of an <strong>inactive RAID</strong> device. + @info यह संचय उपकरण एक <strong>निष्क्रिय RAID</strong> उपकरण का हिस्सा है। - No Swap - कोई स्वैप नहीं + No swap + @label + - Reuse Swap - स्वैप पुनः उपयोग करें + Reuse swap + @label + Swap (no Hibernate) + @label स्वैप (हाइबरनेशन/सिस्टम सुप्त रहित) Swap (with Hibernate) + @label स्वैप (हाइबरनेशन/सिस्टम सुप्त सहित) Swap to file + @label स्वैप फाइल बनाएं + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title %1 पर विभाजन कार्य हेतु माउंट हटाएँ - Clearing mounts for partitioning operations on %1. - %1 पर विभाजन कार्य हेतु माउंट हटाएँ जा रहे हैं। + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - सभी अस्थायी माउंट हटाएँ। - - - Clearing all temporary mounts. - सभी अस्थायी माउंट हटाएँ जा रहे हैं। + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ The installer will quit and all changes will be lost. ठीक है! - + Package Selection पैकेज चयन - + Please pick a product from the list. The selected product will be installed. सूची में से वस्तु विशेष का चयन करें। चयनित वस्तु इंस्टॉल कर दी जाएगी। - + Packages पैकेज - + Install option: <strong>%1</strong> इंस्टॉल विकल्प : <strong>%1</strong> - + None कोई नहीं - + Summary + @label सारांश - + This is an overview of what will happen once you start the setup procedure. यह एक अवलोकन है कि सेटअप प्रक्रिया आरंभ होने के उपरांत क्या होगा। - + This is an overview of what will happen once you start the install procedure. यह अवलोकन है कि इंस्टॉल शुरू होने के बाद क्या होगा। @@ -1115,15 +1146,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + सिस्टम भाषा %1 सेट की जाएगी। - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + संख्या व दिनांक स्थानिकी %1 सेट की जाएगी। @@ -1200,31 +1231,37 @@ The installer will quit and all changes will be lost. En&crypt + @action एन्क्रिप्ट (&c) Logical + @label तार्किक Primary + @label मुख्य GPT + @label GPT Mountpoint already in use. Please select another one. + @info माउंट पॉइंट पहले से उपयोग में है । कृपया दूसरा चुनें। Mountpoint must start with a <tt>/</tt>. + @info माउंट पॉइंट का <tt>/</tt> से आरंभ होना आवश्यक है। @@ -1232,43 +1269,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - %3 (%2) पर %4 प्रविष्टि युक्त %1 एमबी का नया विभाजन बनाएँ। + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - %3 (%2) पर %1 एमबी का नया विभाजन बनाएँ। + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - फ़ाइल सिस्टम %1 के साथ %4 (%3) पर नया %2MiB का विभाजन बनाएँ। + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - <strong>%3</strong> (%2) पर <em>%4</em> प्रविष्टि युक्त <strong>%1 एमबी</strong> का नया विभाजन बनाएँ। + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - <strong>%3</strong> (%2) पर <strong>%1 एमबी</strong> का नया विभाजन बनाएँ। + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - फ़ाइल सिस्टम <strong>%1</strong> के साथ <strong>%4</strong> (%3) पर नया <strong>%2MiB</strong> का विभाजन बनाएँ। + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2 पर नया %1 विभाजन बनाया जा रहा है। + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info इंस्टॉलर डिस्क '%1' पर विभाजन बनाने में विफल रहा। @@ -1304,18 +1349,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2 पर नई %1 विभाजन तालिका बनाएँ। + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3) पर नई <strong>%1</strong> विभाजन तालिका बनाएँ। - - - - Creating new %1 partition table on %2. - %2 पर नई %1 विभाजन तालिका बनाई जा रही है। + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - <strong>%1</strong> उपयोक्ता बनाएँ। - - - - Preserving home directory - होम डायरेक्टरी अनुरक्षण + Create user <strong>%1</strong> + - Creating user %1 - उपयोक्ता %1 बनाना जारी + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status उपयोक्ता %1 विन्यास जारी - Setting file permissions - फाइल अनुमतियाँ सेट करना जारी + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title वॉल्यूम समूह बनाएं @@ -1369,18 +1417,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - %1 नामक नया वॉल्यूम समूह बनाएं। + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> नामक नया वॉल्यूम समूह बनाएं। - - - - Creating new volume group named %1. - %1 नामक नया वॉल्यूम समूह बनाया जा रहा है। + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - %1 नामक वॉल्यूम समूह को निष्क्रिय करें। + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> नामक वॉल्यूम समूह को निष्क्रिय करें। + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - विभाजन %1 हटाएँ। + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - विभाजन <strong>%1</strong> हटाएँ। - - - - Deleting partition %1. - %1 विभाजन हटाया जा रहा है। + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip कृपया दोनों स्थानों में समान कूटशब्द दर्ज करें। - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ The installer will quit and all changes will be lost. Set partition information + @title विभाजन संबंधी जानकारी सेट करें Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <strong>नवीन</strong> सिस्टम विभाजन %2 पर %1 को <em>%3</em> विशेषताओं सहित इंस्टॉल करें। - - Install %1 on <strong>new</strong> %2 system partition. - <strong>नए</strong> %2 सिस्टम विभाजन पर %1 इंस्टॉल करें। + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>नवीन</strong> %2 विभाजन को माउंट पॉइंट <strong>%1</strong> व <em>%3</em>विशेषताओं सहित सेट करें। + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>नवीन</strong> %2 विभाजन को माउंट पॉइंट <strong>%1</strong>%3 सहित सेट करें। + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - %3 सिस्टम विभाजन <strong>%1</strong> %2 को <em>%4</em> विशेषताओं सहित इंस्टॉल करें। + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - %3 विभाजन <strong>%1</strong> को माउंट पॉइंट <strong>%2</strong> व <em>%4</em>विशेषताओं सहित सेट करें। + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - %3 विभाजन <strong>%1</strong> माउंट पॉइंट <strong>%2</strong>%4 सहित सेट करें। + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - %3 सिस्टम विभाजन <strong>%1</strong> पर %2 इंस्टॉल करें। + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - बूट लोडर <strong>%1</strong> पर इंस्टॉल करें। + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - माउंट पॉइंट सेट किए जा रहे हैं। + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - विभाजन %1 (फ़ाइल सिस्टम: %2, आकार: %3 MiB) को %4 पर फॉर्मेट करें। + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - फ़ाइल सिस्टम <strong>%2</strong> के साथ <strong>%3MiB</strong> के विभाजन <strong>%1</strong> को फॉर्मेट करें। + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - फ़ाइल सिस्टम %2 के साथ विभाजन %1 को फॉर्मेट किया जा रहा है। + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. मशीन-आईडी उत्पन्न करें। - + Configuration Error विन्यास त्रुटि - + No root mount point is set for MachineId. मशीन-आईडी हेतु कोई रुट माउंट पॉइंट सेट नहीं है। + + + + + + File not found + फ़ाइल नहीं मिली + + + + Path <pre>%1</pre> must be an absolute path. + फ़ाइल पथ <pre>%1</pre> निरपेक्ष होना चाहिए। + + + + Could not create new random file <pre>%1</pre>. + नवीन यादृच्छिक फ़ाइल <pre>%1</pre>नहीं बनाई जा सकी। + Map @@ -2803,11 +2883,6 @@ The installer will quit and all changes will be lost. Unknown error अज्ञात त्रुटि - - - Password is empty - कूटशब्द रिक्त है - PackageChooserPage @@ -2864,7 +2939,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ The installer will quit and all changes will be lost. Home + @label होम Boot + @label बूट EFI system + @label EFI सिस्टम Swap + @label स्वैप New partition for %1 + @label %1 के लिए नया विभाजन New partition + @label नया विभाजन @@ -3010,37 +3092,44 @@ The installer will quit and all changes will be lost. Free Space + @title खाली स्पेस - New partition - नया विभाजन + New Partition + @title + Name + @title नाम File System + @title फ़ाइल सिस्टम File System Label + @title फाइल सिस्टम उपनाम Mount Point + @title माउंट पॉइंट Size + @title आकार @@ -3119,16 +3208,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - सिस्टम की जानकारी प्राप्त की जा रही है... - - - - Partitions - विभाजन - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. किसी विभाजन में कोई परिवर्तन नहीं होगा। - - - Current: - मौजूदा : - - - - After: - बाद में: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. फाइल सिस्टम पर <strong>%1</strong> फ्लैग सेट होना आवश्यक है। + + + Gathering system information… + @status + + + + + Partitions + @label + विभाजन + + + + Current: + @label + मौजूदा : + + + + After: + @label + बाद में: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - प्लाज़्मा Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status + @@ -3278,6 +3372,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Look-and-Feel @@ -3285,8 +3380,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - बाद के लिए फाइलों को संचित किया जा है... + Saving files for later… + @status + @@ -3382,26 +3478,12 @@ Output: डिफ़ॉल्ट - - - - - File not found - फ़ाइल नहीं मिली - - - - Path <pre>%1</pre> must be an absolute path. - फ़ाइल पथ <pre>%1</pre> निरपेक्ष होना चाहिए। - - - + Directory not found डायरेक्टरी नहीं मिली - - + Could not create new random file <pre>%1</pre>. नवीन यादृच्छिक फ़ाइल <pre>%1</pre>नहीं बनाई जा सकी। @@ -3420,11 +3502,6 @@ Output: (no mount point) (कोई माउंट पॉइंट नहीं) - - - Unpartitioned space or unknown partition table - अविभाजित स्पेस या अज्ञात विभाजन तालिका - unknown @@ -3449,6 +3526,12 @@ Output: @partition info स्वैप + + + Unpartitioned space or unknown partition table + @info + अविभाजित स्पेस या अज्ञात विभाजन तालिका + Recommended @@ -3464,8 +3547,9 @@ Output: RemoveUserJob - Remove live user from target system - लक्षित सिस्टम से लाइव उपयोक्ता को हटाना + Removing live user from the target system… + @status + @@ -3473,13 +3557,15 @@ Output: - Remove Volume Group named %1. - %1 नामक वॉल्यूम समूह हटाएँ। + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> नामक वॉल्यूम समूह हटाएँ। + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3593,22 +3679,25 @@ Output: ResizePartitionJob - - Resize partition %1. - विभाजन %1 का आकार बदलें। + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong> के <strong>%1</strong> विभाजन का आकार बदलकर <strong>%3MiB</strong> करें। + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2MiB के %1 विभाजन का आकार बदलकर %3MiB किया जा रहा है। + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. इंस्टॉलर डिस्क '%2' पर विभाजन %1 का आकर बदलने में विफल रहा। @@ -3618,6 +3707,7 @@ Output: Resize Volume Group + @title वॉल्यूम समूह का आकार बदलें @@ -3625,17 +3715,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 नामक वॉल्यूम समूह का आकार %2 से बदलकर %3 करें। + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> नामक वॉल्यूम समूह का आकार <strong>%2</strong> से बदलकर <strong>%3</strong> करें। + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. इंस्टालर '%1' नाम के वॉल्यूम समूह का आकार बदलने में विफल रहा। @@ -3652,13 +3749,15 @@ Output: ScanningDialog - Scanning storage devices... - डिवाइस स्कैन किए जा रहे हैं... + Scanning storage devices… + @status + - Partitioning - विभाजन + Partitioning… + @status + @@ -3675,8 +3774,9 @@ Output: - Setting hostname %1. - होस्ट नाम %1 सेट हो रहा है। + Setting hostname %1… + @status + @@ -3740,81 +3840,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 विभाजन पर फ्लैग सेट करें। + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1MiB के %2 विभाजन पर फ्लैग सेट करें। + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - नए विभाजन पर फ्लैग सेट करें। + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> विभाजन पर से फ्लैग हटाएँ। + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MiB के <strong>%2</strong> विभाजन पर से फ्लैग हटाएँ। + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - नए विभाजन पर से फ्लैग हटाएँ। + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> विभाजन पर <strong>%2</strong> का फ्लैग लगाएँ। + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiB के <strong>%2</strong> विभाजन पर <strong>%3</strong> का फ्लैग लगाएँ। + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - नए विभाजन पर<strong>%1</strong>का फ्लैग लगाएँ। + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - <strong>%1</strong> विभाजन पर से फ्लैग हटाएँ जा रहे हैं। + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MiB के <strong>%2</strong> विभाजन पर से फ्लैग हटाएँ जा रहे हैं। + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - नए विभाजन पर से फ्लैग हटाएँ जा रहे हैं। + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%1</strong> विभाजन पर फ्लैग <strong>%2</strong> सेट किए जा रहे हैं। + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1MiB के <strong>%2</strong> विभाजन पर फ्लैग <strong>%3</strong> सेट किए जा रहे हैं। + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - नए विभाजन पर फ्लैग <strong>%1</strong> सेट किए जा रहे हैं। + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. इंस्टॉलर विभाजन %1 पर फ्लैग सेट करने में विफल रहा। @@ -3828,32 +3943,33 @@ Output: - Setting password for user %1. - उपयोक्ता %1 के लिए पासवर्ड सेट किया जा रहा है। + Setting password for user %1… + @status + - + Bad destination system path. लक्ष्य का सिस्टम पथ गलत है। - + rootMountPoint is %1 रूट माउंट पॉइंट %1 है - + Cannot disable root account. रुट अकाउंट निष्क्रिय नहीं किया जा सकता । - + Cannot set password for user %1. उपयोक्ता %1 के लिए पासवर्ड सेट नहीं किया जा सकता। - - + + usermod terminated with error code %1. usermod त्रुटि कोड %1 के साथ समाप्त। @@ -3902,8 +4018,9 @@ Output: SetupGroupsJob - Preparing groups. - समूह तैयार करना जारी। + Preparing groups… + @status + @@ -3921,8 +4038,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> उपयोक्ता हेतु विन्यास। + Configuring <pre>sudo</pre> users… + @status + @@ -3939,8 +4057,9 @@ Output: ShellProcessJob - Shell Processes Job - शेल प्रक्रिया कार्य + Running shell processes… + @status + @@ -3989,8 +4108,9 @@ Output: - Sending installation feedback. - इंस्टॉल संबंधी प्रतिक्रिया भेजना। + Sending installation feedback… + @status + @@ -4012,8 +4132,9 @@ Output: - Configuring KDE user feedback. - केडीई उपयोक्ता प्रतिक्रिया विन्यस्त करना। + Configuring KDE user feedback… + @status + @@ -4041,8 +4162,9 @@ Output: - Configuring machine feedback. - मशीन संबंधी प्रतिक्रिया विन्यस्त करना। + Configuring machine feedback… + @status + @@ -4104,6 +4226,7 @@ Output: Feedback + @title प्रतिक्रिया @@ -4111,8 +4234,9 @@ Output: UmountJob - Unmount file systems. - फ़ाइल सिस्टम माउंट से हटाना। + Unmounting file systems… + @status + @@ -4270,11 +4394,6 @@ Output: &Release notes रिलीज़ नोट्स (&R) - - - %1 support - %1 सहायता - About %1 Setup @@ -4287,12 +4406,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title स्वागत है @@ -4301,6 +4427,7 @@ Output: Welcome + @title स्वागत है @@ -4308,8 +4435,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS पूल व डेटासेट सृजन + Creating ZFS pools and datasets… + @status + @@ -4752,21 +4880,11 @@ Output: What is your name? आपका नाम क्या है? - - - Your Full Name - आपका पूरा नाम - What name do you want to use to log in? लॉग इन के लिए आप किस नाम का उपयोग करना चाहते हैं? - - - Login Name - लॉगिन नाम - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4787,11 +4905,6 @@ Output: What is the name of this computer? इस कंप्यूटर का नाम ? - - - Computer Name - कंप्यूटर का नाम - This name will be used if you make the computer visible to others on a network. @@ -4812,16 +4925,21 @@ Output: Password कूटशब्द - - - Repeat Password - कूटशब्द पुनः दर्ज करें - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. एक ही कूटशब्द दो बार दर्ज़ करें, ताकि उसे टाइप त्रुटि हेतु जाँचा जा सके। एक अच्छे कूटशब्द में अक्षर, अंक व विराम चिन्हों का मेल होता है, उसमें कम-से-कम आठ अक्षर होने चाहिए, और उसे नियमित अंतराल पर बदलते रहना चाहिए। + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4837,11 +4955,31 @@ Output: Log in automatically without asking for the password कूटशब्द बिना पूछे ही स्वतः लॉग इन करें + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. केवल अक्षर, अंक, अंडरस्कोर व हाइफ़न ही स्वीकार्य हैं, परन्तु केवल दो अक्षर ही ऐसे हो सकते हैं। + + + Repeat password + + Reuse user password as root password @@ -4857,16 +4995,6 @@ Output: Choose a root password to keep your account safe. अकाउंट सुरक्षा हेतु रुट कूटशब्द चुनें। - - - Root Password - रुट कूटशब्द - - - - Repeat Root Password - रुट कूटशब्द पुनः दर्ज करें - Enter the same password twice, so that it can be checked for typing errors. @@ -4885,21 +5013,11 @@ Output: What is your name? आपका नाम क्या है? - - - Your Full Name - आपका पूरा नाम - What name do you want to use to log in? लॉग इन के लिए आप किस नाम का उपयोग करना चाहते हैं? - - - Login Name - लॉगिन नाम - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,10 +5038,20 @@ Output: What is the name of this computer? इस कंप्यूटर का नाम ? + + + Your full name + + + + + Login name + + - Computer Name - कंप्यूटर का नाम + Computer name + @@ -4952,8 +5080,18 @@ Output: - Repeat Password - कूटशब्द पुनः दर्ज करें + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4975,16 +5113,6 @@ Output: Choose a root password to keep your account safe. अकाउंट सुरक्षा हेतु रुट कूटशब्द चुनें। - - - Root Password - रुट कूटशब्द - - - - Repeat Root Password - रुट कूटशब्द पुनः दर्ज करें - Enter the same password twice, so that it can be checked for typing errors. @@ -5022,13 +5150,13 @@ Output: - Known issues - ज्ञात समस्याएँ + Known Issues + - Release notes - रिलीज़ नोट्स + Release Notes + @@ -5052,13 +5180,13 @@ Output: - Known issues - ज्ञात समस्याएँ + Known Issues + - Release notes - रिलीज़ नोट्स + Release Notes + diff --git a/lang/calamares_hr.ts b/lang/calamares_hr.ts index 20c098e1f3..904b67b33c 100644 --- a/lang/calamares_hr.ts +++ b/lang/calamares_hr.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Upravljajte postavkama automatskog montiranja + Managing auto-mount settings… + @status + Upravljanje postavkama automatskog montiranja... @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record od %1 Boot Partition + @info Boot particija System Partition + @info Particija sustava Do not install a boot loader + @label Nemoj instalirati boot učitavač @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Postaviti - + Install @label Instaliraj @@ -635,18 +640,27 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.ChangeFilesystemLabelJob - Set filesystem label on %1. - Postavi oznaku datotečnog sustava na %1. + Set filesystem label on %1 + @title + Postavi oznaku datotečnog sustava na %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Postavi oznaku datotečnog sustava <strong>%1</strong> na particiju <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Postavi oznaku datotečnog sustava <strong>%1</strong> na particiju <strong>%2</strong> + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Postavljanje oznake datotečnog sustava <strong>%1</strong> na particiju <strong>%2</strong>... - - + + The installer failed to update partition table on disk '%1'. + @info Instalacijski program nije uspio nadograditi particijsku tablicu na disku '%1'. @@ -660,9 +674,20 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ručno particioniranje</strong><br/>Možete sami stvoriti ili promijeniti veličine particija. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Odaberite particiju za smanjivanje, te povlačenjem donjeg pokazivača odaberite promjenu veličine</strong> + Select storage de&vice: + @label Odaberi uređaj za spremanje: @@ -671,56 +696,49 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Current: + @label Trenutni: After: + @label Poslije: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ručno particioniranje</strong><br/>Možete sami stvoriti ili promijeniti veličine particija. - - Reuse %1 as home partition for %2. - Koristi %1 kao home particiju za %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Odaberite particiju za smanjivanje, te povlačenjem donjeg pokazivača odaberite promjenu veličine</strong> + Reuse %1 as home partition for %2 + @label + Koristi %1 kao home particiju za %2.{1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 će se smanjiti na %2MB i stvorit će se nova %3MB particija za %4. - - - Boot loader location: - Lokacija boot učitavača: - <strong>Select a partition to install on</strong> + @label <strong>Odaberite particiju za instalaciju</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI particija ne postoji na ovom sustavu. Vratite se natrag i koristite ručno particioniranje da bi ste postavili %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI particija na %1 će se koristiti za pokretanje %2. EFI system partition: + @label EFI particija: @@ -775,38 +793,51 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. This storage device has one of its partitions <strong>mounted</strong>. + @info Ovaj uređaj za pohranu ima <strong>montiranu</strong> jednu od particija. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Ovaj uređaj za pohranu je dio <strong>neaktivnog RAID</strong> uređaja. - No Swap + No swap + @label Bez swap-a - Reuse Swap + Reuse swap + @label Iskoristi postojeći swap Swap (no Hibernate) + @label Swap (bez hibernacije) Swap (with Hibernate) + @label Swap (sa hibernacijom) Swap to file + @label Swap datoteka + + + Bootloader location: + @label + Lokacija boot učitavača: + ClearMountsJob @@ -838,12 +869,14 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Clear mounts for partitioning operations on %1 + @title Ukloni montiranja za operacije s particijama na %1 - Clearing mounts for partitioning operations on %1. - Uklanjam montiranja za operacija s particijama na %1. + Clearing mounts for partitioning operations on %1… + @status + Uklanjanje montiranja za operacije s particijama na %1. {1…?} @@ -855,13 +888,10 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.ClearTempMountsJob - Clear all temporary mounts. - Ukloni sva privremena montiranja. - - - Clearing all temporary mounts. - Uklanjam sva privremena montiranja. + Clearing all temporary mounts… + @status + Uklanjanje svih privremenih montiranja... @@ -1010,42 +1040,43 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.OK! - + Package Selection Odabir paketa - + Please pick a product from the list. The selected product will be installed. Molimo odaberite proizvod s popisa. Izabrani proizvod će biti instaliran. - + Packages Paketi - + Install option: <strong>%1</strong> Opcija instalacije: <strong>%1</strong> - + None Nijedan - + Summary + @label Sažetak - + This is an overview of what will happen once you start the setup procedure. Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. - + This is an overview of what will happen once you start the install procedure. Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. @@ -1117,15 +1148,15 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. - The system language will be set to %1 + The system language will be set to %1. @info - Jezik sustava će se postaviti na %1. {1?} + Jezik sustava će se postaviti na %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Regionalne postavke brojeva i datuma će se postaviti na %1. {1?} + Regionalne postavke brojeva i datuma će se postaviti na %1. @@ -1202,31 +1233,37 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. En&crypt + @action Ši&friraj Logical + @label Logično Primary + @label Primarno GPT + @label GPT Mountpoint already in use. Please select another one. + @info Točka montiranja se već koristi. Odaberite drugu. Mountpoint must start with a <tt>/</tt>. + @info Točka postavljanja mora početi s <tt>/</tt>. @@ -1234,43 +1271,51 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Stvori novu %1MiB particiju na %3 (%2) s unosima %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Stvori novu %1MiB particiju na %3 (%2) s unosima %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Stvori novu %1MiB particiju na %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Stvori novu %1MiB particiju na %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Stvori novu %2MB particiju na %4 (%3) s datotečnim sustavom %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Stvori novu %2MB particiju na %4 (%3) s datotečnim sustavom %1 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Stvori novu <strong>%1MiB</strong> particiju na <strong>%3</strong> (%2) sa unosima <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Stvori novu <strong>%1MiB</strong> particiju na <strong>%3</strong> (%2) sa unosima <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Stvori novu <strong>%1MiB</strong> particiju na <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Stvori novu <strong>%1MiB</strong> particiju na <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Stvori novu <strong>%2MB</strong> particiju na <strong>%4</strong> (%3) s datotečnim sustavom <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Stvori novu <strong>%2MB</strong> particiju na <strong>%4</strong> (%3) s datotečnim sustavom <strong>%1</strong> - - - Creating new %1 partition on %2. - Stvaram novu %1 particiju na %2. + + + Creating new %1 partition on %2… + @status + Stvaranje nove %1 particije na %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Instalacijski program nije uspio stvoriti particiju na disku '%1'. @@ -1306,18 +1351,16 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.CreatePartitionTableJob - Create new %1 partition table on %2. - Stvori novu %1 particijsku tablicu na %2. + + Creating new %1 partition table on %2… + @status + Stvaranje nove %1 particijske tablice na %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Stvori novu <strong>%1</strong> particijsku tablicu na <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Stvaram novu %1 particijsku tablicu na %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Stvaranje nove <strong>%1</strong> particijske tablice na <strong>%2</strong> (%3)... @@ -1334,29 +1377,33 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. - Create user <strong>%1</strong>. - Stvori korisnika <strong>%1</strong>. - - - - Preserving home directory - Očuvanje home direktorija + Create user <strong>%1</strong> + Stvori korisnika <strong>%1</strong> - Creating user %1 - Stvaram korisnika %1 + Creating user %1… + @status + Stvaranje korisnika %1... + + + + Preserving home directory… + @status + Očuvanje home direktorija... Configuring user %1 + @status Konfiguriranje korisnika %1 - Setting file permissions - Postavljanje dozvola za datoteke + Setting file permissions… + @status + Postavljanje dozvola za datoteke... @@ -1364,6 +1411,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Create Volume Group + @title Stvori volume grupu @@ -1371,18 +1419,16 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.CreateVolumeGroupJob - Create new volume group named %1. - Stvori novu volume grupu pod nazivom %1. + + Creating new volume group named %1… + @status + Stvaranje nove volume grupe pod nazivom %1. {1…?} - Create new volume group named <strong>%1</strong>. - Stvori novu volume grupu pod nazivom <strong>%1</strong>. - - - - Creating new volume group named %1. - Stvaram novu volume grupu pod nazivom %1. + Creating new volume group named <strong>%1</strong>… + @status + Stvaranje nove volume grupe pod nazivom <strong>%1</strong>... @@ -1395,13 +1441,15 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. - Deactivate volume group named %1. - Deaktiviraj volume grupu pod nazivom %1. + Deactivating volume group named %1… + @status + Deaktiviranje volume grupe pod nazivom %1... - Deactivate volume group named <strong>%1</strong>. - Deaktiviraj volume grupu pod nazivom <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Deaktiviranje volume grupe pod nazivom <strong>%1</strong>... @@ -1413,18 +1461,16 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.DeletePartitionJob - Delete partition %1. - Obriši particiju %1. + + Deleting partition %1… + @status + Brisanje particije %1. {1…?} - Delete partition <strong>%1</strong>. - Obriši particiju <strong>%1</strong>. - - - - Deleting partition %1. - Brišem particiju %1. + Deleting partition <strong>%1</strong>… + @status + Brisanje particije <strong>%1</strong>... @@ -1609,12 +1655,14 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Please enter the same passphrase in both boxes. + @tooltip Molimo unesite istu lozinku u oba polja. - Password must be a minimum of %1 characters - Lozinka mora sadržavati najmanje %1 znakova + Password must be a minimum of %1 characters. + @tooltip + Lozinka mora sadržavati najmanje %1 znakova. @@ -1635,57 +1683,68 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Set partition information + @title Postavi informacije o particiji Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instaliraj %1 na <strong>novu</strong> %2 sistemsku particiju sa značajkama <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instaliraj %1 na <strong>novu</strong> %2 sistemsku particiju. + + Install %1 on <strong>new</strong> %2 system partition + @info + Instaliraj %1 na <strong>novu</strong> %2 sistemsku particiju - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> i značajkama <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> i značajkama <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> %3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instaliraj %2 na %3 sistemsku particiju <strong>%1</strong> sa značajkama <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Instaliraj %2 na %3 sistemsku particiju <strong>%1</strong> sa značajkama <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong> i značajkama <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Instaliraj %2 na %3 sistemsku particiju <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong> i značajkama <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - Instaliraj %2 na %3 sistemsku particiju <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Instaliraj boot učitavač na <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Instaliram boot učitavač na <strong>%1</strong>... - - Setting up mount points. - Postavljam točke montiranja. + + Setting up mount points… + @status + Postavljanje točke montiranja... @@ -1754,24 +1813,27 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatiraj particiju %1 (datotečni sustav: %2, veličina: %3 MB) na %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Formatiraj particiju %1 (datotečni sustav: %2, veličina: %3 MiB) na %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatiraj <strong>%3MB</strong>particiju <strong>%1</strong> na datotečni sustav <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Formatiraj <strong>%3MiB</strong>particiju <strong>%1</strong> sa datotečnim sustavom <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatiraj particiju %1 na datotečni sustav %2. + + Formatting partition %1 with file system %2… + @status + Formatiranje particije %1 sa datotečnim sustavom %2. {1 ?} {2…?} @@ -2264,20 +2326,38 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. MachineIdJob - + Generate machine-id. Generiraj ID računala. - + Configuration Error Greška konfiguracije - + No root mount point is set for MachineId. Nijedna točka montiranja nije postavljena za MachineId. + + + + + + File not found + Datoteka nije pronađena + + + + Path <pre>%1</pre> must be an absolute path. + Putanja <pre>%1</pre> mora biti apsolutna putanja. + + + + Could not create new random file <pre>%1</pre>. + Ne mogu stvoriti slučajnu datoteku <pre>%1</pre>. + Map @@ -2814,11 +2894,6 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Unknown error Nepoznata greška - - - Password is empty - Lozinka je prazna - PackageChooserPage @@ -2875,8 +2950,9 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. - Keyboard switch: - Prekidač tipkovnice: + Switch Keyboard: + shortcut for switching between keyboard layouts + Promjena tipkovnice: @@ -2981,31 +3057,37 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Home + @label Home Boot + @label Boot EFI system + @label EFI sustav Swap + @label Swap New partition for %1 + @label Nova particija za %1 New partition + @label Nova particija @@ -3021,37 +3103,44 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Free Space + @title Slobodni prostor - New partition + New Partition + @title Nova particija Name + @title Ime File System + @title Datotečni sustav File System Label + @title Oznaka datotečnog sustava Mount Point + @title Točka montiranja Size + @title Veličina @@ -3130,16 +3219,6 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. PartitionViewStep - - - Gathering system information... - Skupljanje informacija o sustavu... - - - - Partitions - Particije - Unsafe partition actions are enabled. @@ -3155,16 +3234,6 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. No partitions will be changed. Nijedna particija neće biti promijenjena. - - - Current: - Trenutni: - - - - After: - Poslije: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3216,6 +3285,30 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. The filesystem must have flag <strong>%1</strong> set. Datotečni sustav mora imati postavljenu oznaku <strong>%1</strong>. + + + Gathering system information… + @status + Skupljanje informacija o sustavu... + + + + Partitions + @label + Particije + + + + Current: + @label + Trenutni: + + + + After: + @label + Poslije: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3261,8 +3354,9 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. PlasmaLnfJob - Plasma Look-and-Feel Job - Posao plasma izgleda + Applying Plasma Look-and-Feel… + @status + Primjena Plasma izgleda i dojma… @@ -3289,6 +3383,7 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Look-and-Feel + @label Izgled @@ -3296,8 +3391,9 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. PreserveFiles - Saving files for later ... - Spremanje datoteka za kasnije ... + Saving files for later… + @status + Spremanje datoteka za kasnije... @@ -3393,26 +3489,12 @@ Izlaz: Zadano - - - - - File not found - Datoteka nije pronađena - - - - Path <pre>%1</pre> must be an absolute path. - Putanja <pre>%1</pre> mora biti apsolutna putanja. - - - + Directory not found Direktorij nije pronađen - - + Could not create new random file <pre>%1</pre>. Ne mogu stvoriti slučajnu datoteku <pre>%1</pre>. @@ -3431,11 +3513,6 @@ Izlaz: (no mount point) (nema točke montiranja) - - - Unpartitioned space or unknown partition table - Ne particionirani prostor ili nepoznata particijska tablica - unknown @@ -3460,6 +3537,12 @@ Izlaz: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Ne particionirani prostor ili nepoznata particijska tablica + Recommended @@ -3475,8 +3558,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene RemoveUserJob - Remove live user from target system - Uklonite live korisnika iz ciljnog sustava + Removing live user from the target system… + @status + Uklanjanje live korisnika iz ciljnog sustava... @@ -3484,13 +3568,15 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Remove Volume Group named %1. - Ukloni volume grupu pod nazivom %1. + Removing Volume Group named %1… + @status + Uklanjanje volume grupe pod nazivom %1... - Remove Volume Group named <strong>%1</strong>. - Ukloni volume grupu pod nazivom <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Uklanjanje volume grupe pod nazivom <strong>%1</strong>... @@ -3604,22 +3690,25 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene ResizePartitionJob - - Resize partition %1. - Promijeni veličinu particije %1. + + Resize partition %1 + @title + Promijeni veličinu particije %1 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Promijeni veličinu od <strong>%2MB</strong> particije <strong>%1</strong> na <strong>%3MB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Promijeni veličinu od <strong>%2MiB</strong> particije <strong>%1</strong> na <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - Mijenjam veličinu od %2MB particije %1 na %3MB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Mijenjanje veličine od %2MB particije %1 na %3MB... - + The installer failed to resize partition %1 on disk '%2'. Instalacijski program nije uspio promijeniti veličinu particije %1 na disku '%2'. @@ -3629,6 +3718,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Resize Volume Group + @title Promijenite veličinu volume grupe @@ -3636,17 +3726,24 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Promijeni veličinu volume grupi pod nazivom %1 sa %2 na %3. + Resize volume group named %1 from %2 to %3 + @title + Promijeni veličinu volume grupi pod nazivom %1 sa %2 na %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Promijeni veličinu volume grupi pod nazivom <strong>%1</strong> sa <strong>%2</strong> na <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Promijeni veličinu volume grupi pod nazivom <strong>%1</strong> sa <strong>%2</strong> na <strong>%3</strong> - + + Resizing volume group named %1 from %2 to %3… + @status + Mijenjanje veličine volume grupe pod nazivom %1 sa %2 na %3... + + + The installer failed to resize a volume group named '%1'. Instalacijski program nije uspio promijeniti veličinu volume grupi pod nazivom '%1'. @@ -3663,13 +3760,15 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene ScanningDialog - Scanning storage devices... - Tražim dostupne uređaje za spremanje... + Scanning storage devices… + @status + Skeniranje dostupnih uređaja za spremanje... - Partitioning - Particioniram + Partitioning… + @status + Particioniranje... @@ -3686,8 +3785,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Setting hostname %1. - Postavljam ime računala %1. + Setting hostname %1… + @status + Postavljanje imena računala %1. {1…?} @@ -3751,81 +3851,96 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene SetPartFlagsJob - Set flags on partition %1. - Postavi oznake na particiji %1. + Set flags on partition %1 + @title + Postavi oznake na particiji %1 - Set flags on %1MiB %2 partition. - Postavi oznake na %1MB %2 particiji. + Set flags on %1MiB %2 partition + @title + Postavi oznake na %1MiB %2 particiji - Set flags on new partition. - Postavi oznake na novoj particiji. + Set flags on new partition + @title + Postavi oznake na novoj particiji - Clear flags on partition <strong>%1</strong>. - Obriši oznake na particiji <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Obriši oznake na particiji <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Obriši oznake na %1MB <strong>%2</strong> particiji. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Obriši oznake na %1MiB <strong>%2</strong> particiji - Clear flags on new partition. - Obriši oznake na novoj particiji. + Clear flags on new partition + @info + Obriši oznake na novoj particiji - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Označi particiju <strong>%1</strong> kao <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Postavi oznake na particiju <strong>%1</strong> na <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Označi %1MB <strong>%2</strong> particiju kao <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Postavi oznake na %1MiB <strong>%2</strong> particiji na <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Označi novu particiju kao <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Postavi oznake na novu particiju na <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Brišem oznake na particiji <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Brisanje oznaka na particiji <strong>%1</strong>... - - Clearing flags on %1MiB <strong>%2</strong> partition. - Brišem oznake na %1MB <strong>%2</strong> particiji. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Brisanje oznaka na %1MiB <strong>%2</strong> particiji... - - Clearing flags on new partition. - Brišem oznake na novoj particiji. + + Clearing flags on new partition… + @status + Brisanje oznaka na novoj particiji... - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Postavljam oznake <strong>%2</strong> na particiji <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Postavljanje oznaka <strong>%2</strong> na particiji <strong>%1</strong>... - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Postavljam oznake <strong>%3</strong> na %1MB <strong>%2</strong> particiji. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Postavljanje oznaka <strong>%3</strong> na %1MiB <strong>%2</strong> particiji... - - Setting flags <strong>%1</strong> on new partition. - Postavljam oznake <strong>%1</strong> na novoj particiji. + + Setting flags <strong>%1</strong> on new partition… + @status + Postavljanje oznaka <strong>%1</strong> na novoj particiji... - + The installer failed to set flags on partition %1. Instalacijski program nije uspio postaviti oznake na particiji %1. @@ -3839,32 +3954,33 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Setting password for user %1. - Postavljam lozinku za korisnika %1. + Setting password for user %1… + @status + Postavljanje lozinke za korisnika %1. {1…?} - + Bad destination system path. Loš odredišni put sustava. - + rootMountPoint is %1 Root točka montiranja je %1 - + Cannot disable root account. Ne mogu onemogućiti root račun. - + Cannot set password for user %1. Ne mogu postaviti lozinku za korisnika %1. - - + + usermod terminated with error code %1. usermod je prekinut s greškom %1. @@ -3913,8 +4029,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene SetupGroupsJob - Preparing groups. - Pripremam grupe + Preparing groups… + @status + Pripremanje grupa... @@ -3932,8 +4049,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene SetupSudoJob - Configure <pre>sudo</pre> users. - Konfiguriranje <pre>sudo</pre> korisnika + Configuring <pre>sudo</pre> users… + @status + Konfiguriranje <pre>sudo</pre> korisnika... @@ -3950,8 +4068,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene ShellProcessJob - Shell Processes Job - Posao shell procesa + Running shell processes… + @status + Pokretanje procesa ljuske... @@ -4000,8 +4119,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Sending installation feedback. - Šaljem povratne informacije o instalaciji + Sending installation feedback… + @status + Slanje povratne informacije o instalaciji... @@ -4023,8 +4143,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Configuring KDE user feedback. - Konfiguriranje povratnih informacija korisnika KDE-a. + Configuring KDE user feedback… + @status + Konfiguriranje povratnih informacija korisnika KDE-a... @@ -4052,8 +4173,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene - Configuring machine feedback. - Konfiguriram povratnu informaciju o uređaju. + Configuring machine feedback… + @status + Konfiguriranje povratne informacije o uređaju... @@ -4115,6 +4237,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Feedback + @title Povratna informacija @@ -4122,8 +4245,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene UmountJob - Unmount file systems. - Odmontiraj datotečne sustave. + Unmounting file systems… + @status + Odmontiranje datotečnih sustava... @@ -4281,11 +4405,6 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene &Release notes &Napomene o izdanju - - - %1 support - %1 podrška - About %1 Setup @@ -4298,12 +4417,19 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene @title O %1 instalacijskom programu + + + %1 Support + @action + %1 podrška + WelcomeQmlViewStep Welcome + @title Dobrodošli @@ -4312,6 +4438,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Welcome + @title Dobrodošli @@ -4319,8 +4446,9 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene ZfsJob - Create ZFS pools and datasets - Stvorite ZFS pool-ove i skupove podataka + Creating ZFS pools and datasets… + @status + Stvaranje ZFS pool-ova i skupova podataka... @@ -4766,21 +4894,11 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is your name? Koje je tvoje ime? - - - Your Full Name - Vaše puno ime - What name do you want to use to log in? Koje ime želite koristiti za prijavu? - - - Login Name - Korisničko ime - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4801,11 +4919,6 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is the name of this computer? Koje je ime ovog računala? - - - Computer Name - Ime računala - This name will be used if you make the computer visible to others on a network. @@ -4826,16 +4939,21 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Password Lozinka - - - Repeat Password - Ponovite lozinku - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Dvaput unesite istu lozinku kako biste je mogli provjeriti ima li pogrešaka u tipkanju. Dobra lozinka sadržavat će mješavinu slova, brojeva i interpunkcije, treba imati najmanje osam znakova i treba je mijenjati u redovitim intervalima. + + + Root password + Root lozinka + + + + Repeat root password + Ponovite root lozinku + Validate passwords quality @@ -4851,11 +4969,31 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Log in automatically without asking for the password Automatska prijava bez traženja lozinke + + + Your full name + Vaše puno ime + + + + Login name + Korisničko ime + + + + Computer name + Ime računala + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Dopuštena su samo slova, brojevi, donja crta i crtica i to kao najmanje dva znaka + + + Repeat password + Ponovite lozinku + Reuse user password as root password @@ -4871,16 +5009,6 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Choose a root password to keep your account safe. Odaberite root lozinku da biste zaštitili svoj račun. - - - Root Password - Root lozinka - - - - Repeat Root Password - Ponovite root lozinku - Enter the same password twice, so that it can be checked for typing errors. @@ -4899,21 +5027,11 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is your name? Koje je tvoje ime? - - - Your Full Name - Vaše puno ime - What name do you want to use to log in? Koje ime želite koristiti za prijavu? - - - Login Name - Korisničko ime - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4934,9 +5052,19 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is the name of this computer? Koje je ime ovog računala? + + + Your full name + Vaše puno ime + + + + Login name + Korisničko ime + - Computer Name + Computer name Ime računala @@ -4966,9 +5094,19 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str - Repeat Password + Repeat password Ponovite lozinku + + + Root password + Root lozinka + + + + Repeat root password + Ponovite root lozinku + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4989,16 +5127,6 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Choose a root password to keep your account safe. Odaberite root lozinku da biste zaštitili svoj račun. - - - Root Password - Root lozinka - - - - Repeat Root Password - Ponovite root lozinku - Enter the same password twice, so that it can be checked for typing errors. @@ -5036,12 +5164,12 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str - Known issues + Known Issues Poznati problemi - Release notes + Release Notes Bilješke o izdanju @@ -5066,12 +5194,12 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str - Known issues + Known Issues Poznati problemi - Release notes + Release Notes Bilješke o izdanju diff --git a/lang/calamares_hu.ts b/lang/calamares_hu.ts index d65e36ac38..f4a81a34ea 100644 --- a/lang/calamares_hu.ts +++ b/lang/calamares_hu.ts @@ -6,31 +6,32 @@ <h1>%1</h1><br/><strong>%2<br/> for %3</strong><br/><br/> - + <h1>%1</h1><br/><strong>%2<br/> ehhez: %3</strong><br/><br/> Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://app.transifex.com/calamares/calamares/">Calamares translators team</a>. - + Köszönet a <a href="https://calamares.io/team/">Calamares csapatnak</a> és a <a href="https://app.transifex.com/calamares/calamares/">Calamares fordító csapatnak</a>. <a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + A <a href="https://calamares.io/">Calamares</a> fejlesztését a <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software szponzorálja Copyright %1-%2 %3 &lt;%4&gt;<br/> Copyright year-year Name <email-address> - + Szerzői jogok %1-%2 %3 &lt;%4&gt;<br/> AutoMountManagementJob - Manage auto-mount settings - + Managing auto-mount settings… + @status + Automatikus csatolási beállítások kezelése... @@ -56,21 +57,25 @@ Master Boot Record of %1 - Mester Boot Record - %1 + @info + A(z) %1 Master Boot Rekordja Boot Partition - Indító partíció + @info + Boot Partíció System Partition + @info Rendszer Partíció Do not install a boot loader + @label Ne telepítsen rendszerbetöltőt @@ -92,12 +97,12 @@ GlobalStorage - Tárolás + ÖsszesTárterület JobQueue - Feladatok + FeladatSor @@ -113,7 +118,7 @@ none - semelyik + semmi @@ -123,17 +128,17 @@ Reloads the stylesheet from the branding directory. - + Újratölti a stíluslapot a branding könyvtárból. Uploads the session log to the configured pastebin. - + Feltölti a munkamenet naplóját a beállított pastebin-re. Send Session Log - + Munkamenetnapló küldése @@ -143,12 +148,12 @@ Crashes Calamares, so that Dr. Konqi can look at it. - + A Calamares összeomlik, hogy Dr. Konqi meg tudja nézni a problémát. Displays the tree of widget names in the log (for stylesheet debugging). - + Megjeleníti a widgetnevek fáját a naplóban (a stíluslap hibakereséshez). @@ -159,25 +164,25 @@ Debug Information @title - + Hibakeresési információ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + %p% - + Set Up @label - + Beállít - + Install @label Telepít @@ -218,13 +223,13 @@ Running command %1 in target system… @status - + A(z) %1 parancs futtatása a célrendszeren… Running command %1… @status - + A(z) %1 parancs futtatása... @@ -262,33 +267,33 @@ Bad internal script - + Rossz belső script Internal script for python job %1 raised an exception. - + A(z) %1 python-feladat belső szkriptje kivételt dobott. Main script file %1 for python job %2 could not be loaded because it raised an exception. - + A(z) %1 fő script fájlt a(z) %2 python-feladathoz nem lehetett betölteni, mert kivételt dobott. Main script file %1 for python job %2 raised an exception. - + A(z) %1 fő script fájl a(z) %2 python-feladathoz kivételt dobott. Main script file %1 for python job %2 returned invalid results. - + A(z) %1 fő szkriptfájl a(z) %2 python-feladathoz érvénytelen eredményekkel tért vissza. Main script file %1 for python job %2 does not contain a run() function. - + A(z) %2 python-feladat fő script fájlja %1 nem tartalmaz run() függvényt. @@ -297,7 +302,7 @@ Running %1 operation… @status - + A(z) %1 művelet futtatása… @@ -327,7 +332,7 @@ Boost.Python error in job "%1" @error - + Boost.Python hiba a(z) "%1" feladatban @@ -336,13 +341,13 @@ Loading… @status - + Betöltés... QML step <i>%1</i>. @label - + QML lépés <i>%1</i>. @@ -357,24 +362,24 @@ Requirements checking for module '%1' is complete. @info - + Követelmények ellenőrzése a(z) '%1' modulhoz kész. Waiting for %n module(s)… @status - - - + + Várakozás %n modulra... + Várakozás %n modulra... (%n second(s)) @status - - - + + (%n másodperc) + (%n másodperc) @@ -441,49 +446,49 @@ Continue with Setup? @title - + Folytatod a Beállítást? Continue with Installation? @title - + Folytatod a Telepítést? The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - A %1 telepítő változtatásokat fog végrehajtani a lemezen a %2 telepítéséhez. <br/><strong>Ezután már nem tudja visszavonni a változtatásokat.</strong> + A(z) %1 beállító változtatásokat fog végrehajtani a lemezen a(z) %2 telepítéséhez. <br/><strong>Ezután már nem tudod visszavonni a változtatásokat.</strong>  The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - A %1 telepítő változtatásokat fog elvégezni, hogy telepítse a következőt: %2.<br/><strong>A változtatások visszavonhatatlanok lesznek.</strong> + A(z) %1 telepítő változtatásokat fog végrehajtani a lemezen a(z) %2 telepítéséhez. <br/><strong>Ezután már nem tudod visszavonni a változtatásokat.</strong> &Set Up Now @button - + &Beállítás Most &Install Now @button - + &Telepítés Most Go &Back @button - + Menj &Vissza &Set Up @button - + &Beállítás @@ -495,7 +500,7 @@ Setup is complete. Close the setup program. @tooltip - Telepítés sikerült. Zárja be a telepítőt. + A telepítés sikerült. Zárd be a telepítőt. @@ -507,13 +512,13 @@ Cancel the setup process without changing the system. @tooltip - + A beállítási folyamat megszakíása a rendszer módosítása nélkül. Cancel the installation process without changing the system. @tooltip - + A telepítési folyamat megszakíása a rendszer módosítása nélkül. @@ -543,13 +548,13 @@ Cancel Setup? @title - + Megszakítod a Beállítást? Cancel Installation? @title - + Megszakítod a Telepítést? @@ -559,7 +564,7 @@ The upload was unsuccessful. No web-paste was done. - + A feltöltés sikertelen volt. Nem történt webes beillesztés. @@ -568,7 +573,11 @@ %1 Link copied to clipboard - + Telepítési napló közzétéve itt: + +%1 + +Link a vágólapra másolva @@ -581,8 +590,8 @@ A telepítő ki fog lépni és minden változtatás elveszik. Do you really want to cancel the current install process? The installer will quit and all changes will be lost. - Biztos abba szeretnéd hagyni a telepítést? -Minden változtatás elveszik, ha kilépsz a telepítőből. + Biztos, hogy abba szeretnéd hagyni a telepítést? +Minden változtatás elvész, ha kilépsz a telepítőből. @@ -597,19 +606,19 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Unparseable Python error @error - + Nem elemezhető Python hiba Unparseable Python traceback @error - + Nem elemezhető Python visszakövetés Unfetchable Python error @error - + Nem lekérhető Python hiba @@ -629,19 +638,28 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. ChangeFilesystemLabelJob - Set filesystem label on %1. - + Set filesystem label on %1 + @title + A fájlrendszer címkéjének beállítása itt: %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + A(z) <strong>%1</strong> fájlrendszer címke beállítása a(z) <strong>%2</strong> partíción + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + A(z) <strong>%1</strong> fájlrendszer címke beállítása a(z) <strong>%2</strong> partíción... - - + + The installer failed to update partition table on disk '%1'. - A telepítő nem tudta frissíteni a partíciós táblát a %1 lemezen. + @info + A telepítő nem tudta frissíteni a partíciós táblát a(z) '%1' lemezen. @@ -654,10 +672,21 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuális partícionálás</strong><br/>Létrehozhatsz, vagy átméretezhetsz partíciókat. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Válaszd ki a partíciót amit zsugorítani akarsz és egérrel méretezd át.</strong> + Select storage de&vice: - Válassz tároló eszközt: + @label + Válassz tároló esz&közt: @@ -665,57 +694,50 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Current: + @label Aktuális: After: + @label Utána: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuális partícionálás</strong><br/>Létrehozhat vagy átméretezhet partíciókat. - - Reuse %1 as home partition for %2. - %1 partíció használata mint home partíció a %2 -n - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Válaszd ki a partíciót amit zsugorítani akarsz és egérrel méretezd át.</strong> + Reuse %1 as home partition for %2 + @label + A(z) %1 partíció újrahasznosítása a(z) %2-n mint home partíció. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - %1 zsugorítva lesz %2MiB -re és új %3MiB partíció lesz létrehozva itt %4. - - - - Boot loader location: - Rendszerbetöltő helye: + @info, %1 is partition name, %4 is product name + A(z) %1 zsugorítva lesz %2MiB-ra és egy új %3MiB partíció lesz létrehozva itt: %4. <strong>Select a partition to install on</strong> - <strong>Válaszd ki a telepítésre szánt partíciót </strong> + @label + <strong>Válaszd ki a telepítésre szánt partíciót</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - Nem található EFI partíció a rendszeren. Menj vissza a manuális partícionáláshoz és állíts be %1. + @info, %1 is product name + Nem található EFI partíció a rendszeren. Menj vissza a manuális partícionáláshoz és állítss be a(z) %1-t. The EFI system partition at %1 will be used for starting %2. - A %1 EFI rendszer partíció lesz használva %2 indításához. + @info, %1 is partition path, %2 is product name + A(z) %1 EFI rendszer partíció lesz használva a(z) %2 indításához. EFI system partition: - EFI rendszerpartíció: + @label + EFI rendszer partíció: @@ -764,42 +786,55 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. This storage device already has an operating system on it, but the partition table <strong>%1</strong> is different from the needed <strong>%2</strong>.<br/> - + Ezen a tárolóeszközön már van operációs rendszer, de a <strong>%1</strong> partíciós tábla eltér a szükséges <strong>%2</strong>-től.<br/> This storage device has one of its partitions <strong>mounted</strong>. - + @info + Ennek a tárolóeszköznek az egyik partíciója <strong>csatolva van</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. - + @info + Ez a tárolóeszköz egy <strong>inaktív RAID-eszköz</strong> része. - No Swap - Swap nélkül + No swap + @label + Nincs cserehely - Reuse Swap - Swap újrahasználata + Reuse swap + @label + Cserehely újrahasznosítása Swap (no Hibernate) - Swap (nincs hibernálás) + @label + Cserehely (nincs Hibernálás) Swap (with Hibernate) - Swap (hibernálással) + @label + Cserehely (Hibernálással) Swap to file - Swap fájlba + @label + Cserehely fájlba + + + + Bootloader location: + @label + A rendszerbetöltő helye: @@ -807,37 +842,39 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Successfully unmounted %1. - + %1 sikeresen leválasztva. Successfully disabled swap %1. - + %1 cserehely sikeresen letiltva. Successfully cleared swap %1. - + %1 cserehely sikeresen megtisztítva. Successfully closed mapper device %1. - + %1 leképezőeszköz sikeresen bezárva. Successfully disabled volume group %1. - + %1 kötetcsoport sikeresen letiltva. Clear mounts for partitioning operations on %1 - %1 csatolás törlése partícionáláshoz + @title + A(z) %1 csatolásainak törlése a partícionálási művelethez - Clearing mounts for partitioning operations on %1. - %1 csatolás törlése partícionáláshoz + Clearing mounts for partitioning operations on %1… + @status + A(z) %1 csatolásainak törlése a partícionálási művelethez. {1…?} @@ -849,13 +886,10 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. ClearTempMountsJob - Clear all temporary mounts. - Minden ideiglenes csatolás törlése - - - Clearing all temporary mounts. - Minden ideiglenes csatolás törlése + Clearing all temporary mounts… + @status + Minden ideiglenes csatolás törlése... @@ -873,7 +907,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. The commands use variables that are not defined. Missing variables are: %1. - + A parancsok nem definiált változókat használnak. A hiányzó változók a következők: %1. @@ -881,7 +915,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Network Installation. (Disabled: Incorrect configuration) - + Hálózati telepítés. (Letiltva: hibás konfiguráció) @@ -891,12 +925,12 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Network Installation. (Disabled: Internal error) - + Hálózati telepítés. (Letiltva: belső hiba) Network Installation. (Disabled: No package list) - + Hálózati telepítés. (Letiltva: nincs csomaglista) @@ -911,12 +945,12 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + Ez a számítógép nem felel meg a(z) %1 beállításához szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + Ez a számítógép nem felel meg a(z) %1 telepítéséhez szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. @@ -936,22 +970,22 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. <h1>Welcome to the Calamares setup program for %1</h1> - + <h1>Üdvözli önt a(z) %1 Calamares beállító programja</h1> <h1>Welcome to %1 setup</h1> - + Üdvözlünk a(z) %1 beállító programban</h1> <h1>Welcome to the Calamares installer for %1</h1> - + <h1>Üdvözlünk a(z) %1 Calamares telepítőjében</h1> <h1>Welcome to the %1 installer</h1> - + <h1>Üdvözlünk a(z) %1 telepítőben</h1> @@ -961,17 +995,17 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. '%1' is not allowed as username. - + '%1' nem engedélyezett felhasználónévként. Your username must start with a lowercase letter or underscore. - + Felhasználónevednek kisbetűvel, vagy aláhúzásjellel kell kezdődnie. Only lowercase letters, numbers, underscore and hyphen are allowed. - + Csak kisbetűk, számok, aláhúzás és kötőjel megengedett. @@ -986,12 +1020,12 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. '%1' is not allowed as hostname. - + '%1' nem engedélyezett állomásnévként. Only letters, numbers, underscore and hyphen are allowed. - + Csak betűk, számok, aláhúzás és kötőjel megengedett. @@ -1001,45 +1035,46 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. OK! - + OK! - + Package Selection - + Csomag Választás - + Please pick a product from the list. The selected product will be installed. - + Kérjük, válassz egy terméket a listából. A kiválasztott termék telepítésre kerül. - + Packages - + Csomagok - + Install option: <strong>%1</strong> - + Telepítési opció: <strong>%1</strong> - + None - + Semmi - + Summary + @label Összefoglalás - + This is an overview of what will happen once you start the setup procedure. Összefoglaló arról mi fog történni a telepítés során. - + This is an overview of what will happen once you start the install procedure. Ez áttekintése annak, hogy mi fog történni, ha megkezded a telepítést. @@ -1059,13 +1094,13 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. The setup of %1 did not complete successfully. @info - + A(z) %1 beállítása nem fejeződött be sikeresen. The installation of %1 did not complete successfully. @info - + A(z) %1 telepítése nem fejeződött be sikeresen. @@ -1089,19 +1124,19 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. The installation of %1 is complete. @info - A %1 telepítése elkészült. + A(z) %1 telepítése elkészült. Keyboard model has been set to %1<br/>. @label, %1 is keyboard model, as in Apple Magic Keyboard - + A billentyűzet modellje %1-ra lett beállítva<br/>. Keyboard layout has been set to %1/%2. @label, %1 is layout, %2 is layout variant - + A billentyűzetkiosztás %1/%2-ra lett beállítva. @@ -1111,15 +1146,15 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. - The system language will be set to %1 + The system language will be set to %1. @info - + A rendszer területi beállítása %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + A számok és dátumok területi beállítása %1. @@ -1128,7 +1163,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Performing contextual processes' job… @status - + A kontextuális folyamatok feladatának végrehajtása… @@ -1156,7 +1191,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Primar&y - + Elsődlege&s @@ -1166,7 +1201,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Fi&le System: - Fájlrendszer: + Fá&jlrendszer: @@ -1181,90 +1216,104 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Flags: - Zászlók: + Jelölők: Label for the filesystem - + A fájlrendszer címkéje FS Label: - + FS Címke: En&crypt - Titkosítás + @action + Ti&tkosítás Logical + @label Logikai Primary + @label Elsődleges GPT + @label GPT Mountpoint already in use. Please select another one. + @info A csatolási pont már használatban van. Kérlek, válassz másikat. Mountpoint must start with a <tt>/</tt>. - + @info + A csatolási pontnak <tt>/</tt>-el kell kezdődnie. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Az új %1MiB méretű partíció létrehozása a(z) %3-on (%2) %4 bejegyzéssel. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - + Create new %1MiB partition on %3 (%2) + @title + Az új %1MiB méretű partíció létrehozása a(z) %3-on (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Új partíció létrehozása %2MiB partíción a %4 (%3) %1 fájlrendszerrel + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Az új %2MiB méretű partíció létrehozása a(z) %4 (%3)-on %1 fájlrendszerrel - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Az új <strong>%1MiB</strong> méretű partíció létrehozása a(z) <strong>%3</strong>-on (%2) <em>%4</em> bejegyzéssel - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Az új <strong>%1MiB</strong> méretű partíció létrehozása a(z) <strong>%3</strong>-on (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Új <strong>%2MiB </strong>partíció létrehozása itt <strong>%4</strong> (%3) fájlrendszer típusa <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Az új <strong>%2MiB </strong>méretű partíció létrehozása a(z) <strong>%4</strong> (%3) -on <strong>%1</strong> fájlrendszerrel - - - Creating new %1 partition on %2. - Új %1 partíció létrehozása a következőn: %2. + + + Creating new %1 partition on %2… + @status + Az új %1 partíció létrehozása a következőn: %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info A telepítő nem tudta létrehozni a partíciót ezen a lemezen '%1'. @@ -1300,18 +1349,16 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. CreatePartitionTableJob - Create new %1 partition table on %2. - Új %1 partíciós tábla létrehozása a következőn: %2. + + Creating new %1 partition table on %2… + @status + Az új %1 partíciós tábla létrehozása a következőn: %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Új <strong>%1 </strong> partíciós tábla létrehozása a következőn: <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Új %1 partíciós tábla létrehozása a következőn: %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Az új <strong>%1 </strong> partíciós tábla létrehozása a következőn: <strong>%2</strong> (%3)... @@ -1328,29 +1375,33 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. - Create user <strong>%1</strong>. - <strong>%1</strong> nevű felhasználó létrehozása. - - - - Preserving home directory - + Create user <strong>%1</strong> + <strong>%1</strong> nevű felhasználó létrehozása - Creating user %1 - + Creating user %1… + @status + %1 nevű felhasználó létrehozása... + + + + Preserving home directory… + @status + Megőrzi a home könyvtárat... Configuring user %1 - + @status + %1 felhasználó konfigurálása - Setting file permissions - + Setting file permissions… + @status + Fájl-jogosultságok beállítása... @@ -1358,6 +1409,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Create Volume Group + @title Kötetcsoport létrehozása @@ -1365,18 +1417,16 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. CreateVolumeGroupJob - Create new volume group named %1. - Új kötetcsoport létrehozása: %1. + + Creating new volume group named %1… + @status + Az új %1 nevű kötetcsoport létrehozása. {1…?} - Create new volume group named <strong>%1</strong>. - Új kötetcsoport létrehozása: <strong>%1</strong>. - - - - Creating new volume group named %1. - Új kötetcsoport létrehozása: %1. + Creating new volume group named <strong>%1</strong>… + @status + Az új <strong>%1</strong> nevű kötetcsoport létrehozása... @@ -1389,13 +1439,15 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. - Deactivate volume group named %1. - A kötetcsoport deaktiválása: %1. + Deactivating volume group named %1… + @status + A(z) %1 nevű kötetcsoport deaktiválása... - Deactivate volume group named <strong>%1</strong>. - Kötetcsoport deaktiválása: <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + A(z) <strong>%1</strong> nevű kötetcsoport deaktiválása... @@ -1407,18 +1459,16 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. DeletePartitionJob - Delete partition %1. - %1 partíció törlése + + Deleting partition %1… + @status + A(z) %1 partíció törlése. {1…?} - Delete partition <strong>%1</strong>. - A következő partíció törlése: <strong>%1</strong>. - - - - Deleting partition %1. - %1 partíció törlése + Deleting partition <strong>%1</strong>… + @status + A(z) <strong>%1</strong> partíció törlése... @@ -1480,19 +1530,19 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Writing LUKS configuration for Dracut to %1… @status - + A Dracut LUKS konfigurációjának írása ide: % 1… Skipping writing LUKS configuration for Dracut: "/" partition is not encrypted @info - + A Dracut LUKS konfigurációjának írásának kihagyása: a "/" partíció nincs titkosítva Failed to open %1 @error - Hiba történt %1 megnyitásakor + Hiba történt a(z) %1 megnyitásakor @@ -1501,7 +1551,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Performing dummy C++ job… @status - + Dummy C++ feladat végrehajtása... @@ -1514,7 +1564,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Con&tent: - + Tar&talom: @@ -1549,32 +1599,32 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Fi&le System: - &fájlrendszer + Fá&jlrendszer Flags: - Zászlók: + Jelölők: Label for the filesystem - + A fájlrendszer címkéje FS Label: - + FS Címke: Passphrase for existing partition - + Jelmondat a meglévő partícióhoz Partition %1 could not be decrypted with the given passphrase.<br/><br/>Edit the partition again and give the correct passphrase or delete and create a new encrypted partition. - + A(z) %1 partíciót nem sikerült visszafejteni a megadott jelmondattal. <br/><br/>Szerkessze újra a partíciót, és adja meg a megfelelő jelmondatot, vagy törölje, és hozzon létre egy új titkosított partíciót. @@ -1587,28 +1637,30 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Your system does not seem to support encryption well enough to encrypt the entire system. You may enable encryption, but performance may suffer. - + Úgy tűnik, hogy a rendszered nem támogatja eléggé a titkosítást ahhoz, hogy az egész rendszert titkosítsa. Engedélyezheted a titkosítást, de a teljesítmény csökkenhet. Passphrase - Jelszó + Jelmondat Confirm passphrase - Jelszó megerősítés + Jelmondat megerősítése Please enter the same passphrase in both boxes. - Írd be ugyanazt a jelmondatot mindkét dobozban. + @tooltip + Írd be ugyanazt a jelmondatot mind a két szövegmezőbe. - Password must be a minimum of %1 characters - + Password must be a minimum of %1 characters. + @tooltip + A jelszónak legalább %1 karakterből kell állnia. @@ -1616,12 +1668,12 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Details: - + Részletek: Would you like to paste the install log to the web? - + Szeretnéd beilleszteni a telepítési naplót a webre? @@ -1629,57 +1681,68 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Set partition information + @title Partíció információk beállítása Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> - + @info + A(z) %1 telepítése az <strong>új</strong> %2 rendszerpartícióra <em>%3</em> funkcióval - - Install %1 on <strong>new</strong> %2 system partition. - %1 telepítése az <strong>új</strong> %2 partícióra. + + Install %1 on <strong>new</strong> %2 system partition + @info + A(z) %1 telepítése az <strong>új</strong> %2 rendszer partícióra - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Az <strong>új</strong> %2 partíció beállítása <strong>%1</strong> csatolási ponttal és <em>%3</em> funkcióval - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Az <strong>új</strong> %2 partíció beállítása <strong>%1</strong> csatolási ponttal %3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + A(z) %2 telepítése a(z) %3 rendszerpartícióra <strong>%1</strong> <em>%4</em> funkcióval - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - + + Install %2 on %3 system partition <strong>%1</strong> + @info + A(z) %2 telepítése a(z) %3-on, a(z) <strong>%1</strong> rendszer partícióra - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + A(z) %3 partíció <strong>%1</strong> beállítása a(z) <strong>%2</strong> csatolási ponttal és <em>%4</em> funkcióval - - Install %2 on %3 system partition <strong>%1</strong>. - %2 telepítése %3 <strong>%1</strong> rendszer partícióra. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + A(z) %3 partíció <strong>%1</strong> beállítása a(z) <strong>%2</strong> csatolási ponttal %4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Rendszerbetöltő telepítése ide <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + A rendszerbetöltő telepítése ide: <strong>%1</strong>... - - Setting up mount points. - Csatlakozási pontok létrehozása + + Setting up mount points… + @status + Csatolási pontok létrehozása... @@ -1693,13 +1756,13 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. @info - <h1>Minden kész.</h1><br/>%1 telepítve lett a számítógépére. <br/>Most már használhatja az új rendszert. + <h1>Minden kész.</h1><br/>A(z) %1 telepítve lett a számítógépedre. <br/>Most már használhatod az új rendszeredet. <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> @tooltip - <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span> gombra kattint vagy bezárja a telepítőt.</p></body></html> + <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span> gombra kattintasz, vagy bezárod a telepítőt.</p></body></html> @@ -1711,7 +1774,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> @tooltip - <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span>gombra kattint vagy bezárja a telepítőt.</p></body></html> + <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span>gombra kattintasz, vagy bezárod a telepítőt.</p></body></html> @@ -1748,24 +1811,27 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Partíció formázása %1 (fájlrendszer: %2, méret: %3 MiB) itt %4 + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + A(z) %1 partíció formázása (fájlrendszer: %2, méret: %3 MiB) itt %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MiB</strong> <strong>%1</strong> partíció formázása <strong>%2</strong> fájlrendszerrel. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + A(z) <strong>%3MiB</strong> méretű partíció <strong>%1</strong> formázása <strong>%2</strong> fájlrendszerrel - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 partíció formázása %2 fájlrendszerrel. + + Formatting partition %1 with file system %2… + @status + A(z) %1 partíció formázása %2 fájlrendszerrel. {1 ?} {2…?} @@ -1778,12 +1844,12 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Please ensure the system has at least %1 GiB available drive space. - + Kérjük, győződj meg arról, hogy a rendszerben legalább %1 GiB szabad meghajtóterület áll rendelkezésre. Available drive space is all of the hard disks and SSDs connected to the system. - + A rendelkezésre álló meghajtóterület a rendszerhez csatlakoztatott merevlemezek és SSD-k összessége. @@ -1823,7 +1889,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. is running the installer as an administrator (root) - + a telepítőprogramot rendszergazdaként (root) futtatja. @@ -1838,7 +1904,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. has a screen large enough to show the whole installer - + elég nagy képernyővel rendelkezik ahhoz, hogy a teljes telepítőprogramot megjeleníthesse @@ -1853,53 +1919,53 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. is always false - + mindig hamis The computer says no. - + A számítógép azt mondja, hogy nem. is always false (slowly) - + mindig hamis (lassan) The computer says no (slowly). - + A számítógép azt mondja, hogy nem (lassan). is always true - + mindig igaz The computer says yes. - + A számítógép azt mondja, hogy igen. is always true (slowly) - + mindig igaz (lassan) The computer says yes (slowly). - + A számítógép azt mondja, hogy igen (lassan). is checked three times. - + háromszor ellenőrízve. The snark has not been checked three times. The (some mythological beast) has not been checked three times. - + A snark nem lett háromszor ellenőrizve. @@ -1908,7 +1974,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Collecting information about your machine… @status - + Információ gyűjtése a gépről… @@ -1943,7 +2009,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Creating initramfs with mkinitcpio… @status - + Initramfs létrehozása az mkinitcpio segítségével… @@ -1952,7 +2018,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Creating initramfs… @status - + Initramfs létrehozása... @@ -1961,7 +2027,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Konsole not installed. @error - + A konzol nincs telepítve. @@ -2009,7 +2075,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. System Locale Setting @title - + Rendszer Területi Beállítása @@ -2040,17 +2106,17 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. No target system available. - + Nem áll rendelkezésre célrendszer. No rootMountPoint is set. - + Nincs beállítva root csatolási pont. No configFilePath is set. - + Nincs beállítva a konfigurációs fájl elérési útja. @@ -2070,31 +2136,31 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Please review the End User License Agreements (EULAs). @info - + Kérjük, tekintsd át a végfelhasználói licencszerződéseket (EULA). This setup procedure will install proprietary software that is subject to licensing terms. @info - + Ez a beállítási eljárás olyan védett szoftvert telepít, amelyre licencfeltételek vonatkoznak. If you do not agree with the terms, the setup procedure cannot continue. @info - + Ha nem értesz egyet a feltételekkel, a beállítási eljárás nem folytatódhat. This setup procedure can install proprietary software that is subject to licensing terms in order to provide additional features and enhance the user experience. @info - + Ezzel a beállítási eljárással szabadalmaztatott szoftverek telepíthetők, amelyek licencfeltételek hatálya alá tartoznak, hogy további szolgáltatásokat biztosítsanak és javítsák a felhasználói élményt. If you do not agree with the terms, proprietary software will not be installed, and open source alternatives will be used instead. @info - + Ha nem értesz egyet a feltételekkel, a védett szoftver nem kerül telepítésre, helyette nyílt forráskódú alternatívák lesznek használva @@ -2112,7 +2178,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. URL: %1 @label - + URL: %1 @@ -2156,25 +2222,25 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. File: %1 @label - + Fájl: %1 Hide the license text @tooltip - + A licenc szövegének elrejtése Show the license text @tooltip - + A licenc szövegének mutatása Open the license agreement in browser @tooltip - + A licenc-szerződés megnyitása a böngészőben @@ -2196,7 +2262,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. &Change… @button - + &Változás... @@ -2213,7 +2279,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Quit - + Kilépés @@ -2258,19 +2324,37 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. MachineIdJob - + Generate machine-id. Gépazonosító előállítása. - + Configuration Error Konfigurációs hiba - + No root mount point is set for MachineId. - + Nincs root csatolási pont beállítva a MachineId számára. + + + + + + + File not found + A fájl nem található + + + + Path <pre>%1</pre> must be an absolute path. + A(z) %1 elérési útnak abszolút elérési útnak kell lennie. + + + + Could not create new random file <pre>%1</pre>. + Nem sikerült új véletlenszerű fájlt létrehozni: <pre>%1</pre>. @@ -2279,7 +2363,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Timezone: %1 @label - + Időzóna: %1 @@ -2287,7 +2371,9 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. @info - + Kérjük, válaszd ki a térképen a kívánt helyszínt, hogy a telepítő javasolhassa a terület + és időzóna beállításait. A javasolt beállításokat lentebb finomhangolhatod. A térképen való kereséshez mozgasd a + térképet húzással, a nagyításhoz/kicsinyítéshez pedig használd a +/- gombokat, vagy az egérgőt. @@ -2296,7 +2382,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Timezone: %1 @label - + Időzóna: %1 @@ -2304,7 +2390,9 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. @label - + Kérjük, válaszd ki a térképen a kívánt helyszínt, hogy a telepítő javasolhassa a terület + és időzóna beállításait. A javasolt beállításokat lentebb finomhangolhatod. A térképen való kereséshez mozgasd a + térképet húzással, a nagyításhoz/kicsinyítéshez pedig használd a +/- gombokat, vagy az egérgőt. @@ -2317,22 +2405,22 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Office software - + Irodai szoftver Office package - + Irodai csomag Browser software - + Böngésző szoftver Browser package - + Böngésző csomag @@ -2367,49 +2455,49 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Communication label for netinstall module - + Kommunikáció Development label for netinstall module - + Fejlesztés Office label for netinstall module - + Iroda Multimedia label for netinstall module - + Multimédia Internet label for netinstall module - + Internet Theming label for netinstall module - + Kinézet Gaming label for netinstall module - + Játék Utilities label for netinstall module - + Segédprogramok @@ -2422,7 +2510,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Notes - + Jegyzetek @@ -2462,7 +2550,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Select your preferred region, or use the default settings @label - + Válaszd ki a kívánt régiót, vagy használd az alapértelmezett beállításokat. @@ -2470,25 +2558,25 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Timezone: %1 @label - + Időzóna: %1 Select your preferred zone within your region @label - + Válaszd ki a kívánt zónát a régiódban Zones @button - + Zónák You can fine-tune language and locale settings below @label - + Az alábbiakban finomhangolhatod a nyelvi és területi beállításokat @@ -2497,7 +2585,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Select your preferred region, or use the default settings @label - + Válaszd ki a kívánt régiót, vagy használd az alapértelmezett beállításokat. @@ -2505,25 +2593,25 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Timezone: %1 @label - + Időzóna: %1 Select your preferred zone within your region @label - + Válaszd ki a kívánt zónát a régiódban Zones @button - + Zónák You can fine-tune language and locale settings below @label - + Az alábbiakban finomhangolhatod a nyelvi és területi beállításokat @@ -2601,9 +2689,9 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. The password contains fewer than %n lowercase letters - - - + + A jelszó kevesebb mint %n kisbetűt tartalmaz + A jelszó kevesebb mint %n kisbetűt tartalmaz @@ -2639,70 +2727,70 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. The password contains fewer than %n digits - - - + + A jelszó kevesebb mint %n számjegyből áll + A jelszó kevesebb mint %n számjegyből áll The password contains fewer than %n uppercase letters - - - + + A jelszó kevesebb mint %n nagybetűt tartalmaz + A jelszó kevesebb mint %n nagybetűt tartalmaz The password contains fewer than %n non-alphanumeric characters - - - + + A jelszó kevesebb, mint %n nem alfanumerikus karaktert tartalmaz + A jelszó kevesebb, mint %n nem alfanumerikus karaktert tartalmaz The password is shorter than %n characters - - - + + A jelszó rövidebb, mint %n karakter + A jelszó rövidebb, mint %n karakter The password is a rotated version of the previous one - + A jelszó az előző jelszó elforgatott változata. The password contains fewer than %n character classes - - - + + A jelszó kevesebb mint %n karakterosztályt tartalmaz + A jelszó kevesebb mint %n karakterosztályt tartalmaz The password contains more than %n same characters consecutively - - - + + A jelszó több mint %n azonos karaktert tartalmaz egymás után + A jelszó több mint %n azonos karaktert tartalmaz egymás után The password contains more than %n characters of the same class consecutively - - - + + A jelszó egymás után több mint %n karaktert tartalmaz ugyanabból az osztályból + A jelszó egymás után több mint %n karaktert tartalmaz ugyanabból az osztályból The password contains monotonic sequence longer than %n characters - - - + + A jelszó %n karakternél hosszabb monoton sorozatot tartalmaz + A jelszó %n karakternél hosszabb monoton sorozatot tartalmaz @@ -2795,18 +2883,13 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Unknown error Ismeretlen hiba - - - Password is empty - - PackageChooserPage Product Name - + Termék Név @@ -2816,17 +2899,17 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Long Product Description - + Hosszú Termékleírás Package Selection - + Csomag Választás Please pick a product from the list. The selected product will be installed. - + Kérjük, válassz egy terméket a listából. A kiválasztott termék telepítésre fog kerülni. @@ -2847,7 +2930,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Keyboard model: - + Billentyűzet modell: @@ -2856,8 +2939,9 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. - Keyboard switch: - + Switch Keyboard: + shortcut for switching between keyboard layouts + Billentyűzet Váltása: @@ -2870,7 +2954,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Your Full Name - + A Teljes Neved @@ -2880,7 +2964,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. login - + bejelentkezés @@ -2895,7 +2979,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Computer Name - + Számítógép Neve @@ -2912,23 +2996,23 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Password - + Jelszó Repeat Password - + Jelszó Megerősítése When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + Ha ez a négyzet be van jelölve, a jelszó erősségének ellenőrzése megtörténik, és nem fogsz tudni gyenge jelszót használni. Require strong passwords. - + Erős jelszavak megkövetelése. @@ -2962,31 +3046,37 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Home + @label Home Boot + @label Boot EFI system + @label EFI rendszer Swap - Swap + @label + Cserehely New partition for %1 - Új partíció %1 -ra/ -re + @label + Új partíció a(z) %1 -ra/ -re New partition + @label Új partíció @@ -3002,37 +3092,44 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Free Space - Szabad terület + @title + Szabad Terület - New partition - Új partíció + New Partition + @title + Új Partíció Name + @title Név File System + @title Fájlrendszer File System Label - + @title + Fájlrendszer Címke Mount Point - Csatolási pont + @title + Csatolási Pont Size + @title Méret @@ -3111,55 +3208,35 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. PartitionViewStep - - - Gathering system information... - Rendszerinformációk gyűjtése... - - - - Partitions - Partíciók - Unsafe partition actions are enabled. - + A nem biztonságos partíciós műveletek engedélyezve vannak. Partitioning is configured to <b>always</b> fail. - + A particionálás úgy van beállítva, hogy <b>mindig</b> sikertelen legyen. No partitions will be changed. - - - - - Current: - Aktuális: - - - - After: - Utána: + A partíciók nem lesznek megváltoztatva. An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - + EFI rendszerpartíció szükséges a(z) %1 indításához.<br/><br/>Az EFI rendszerpartíció nem felel meg az ajánlásoknak. Javasoljuk, hogy menj vissza, és válassz ki, vagy hozz létre egy megfelelő fájlrendszert. The minimum recommended size for the filesystem is %1 MiB. - + A fájlrendszer minimális ajánlott mérete %1 MiB. You can continue with this EFI system partition configuration but your system may fail to start. - + Folytathatod ezzel az EFI rendszerpartíció konfigurációval, de előfordulhat, hogy a rendszer nem fog elindúlni. @@ -3169,53 +3246,77 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. EFI system partition configured incorrectly - + Az EFI rendszerpartíció helytelenül van konfigurálva An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - + EFI rendszerpartíció szükséges a(z) %1 indításához.<br/><br/>EFI rendszerpartíció beállításához lépj vissza, és válassz ki, vagy hozz létre egy megfelelő fájlrendszert. The filesystem must be mounted on <strong>%1</strong>. - + A fájlrendszert a(z) %1-ra kell felcsatolni. The filesystem must have type FAT32. - + A fájlrendszernek FAT32 típusúnak kell lennie. The filesystem must be at least %1 MiB in size. - + A fájlrendszernek legalább %1 MiB méretűnek kell lennie. The filesystem must have flag <strong>%1</strong> set. - + A fájlrendszernek %1 jelzővel kell rendelkeznie. + + + + Gathering system information… + @status + Információk gyűjtése a rendszerről... + + + + Partitions + @label + Partíciók + + + + Current: + @label + Aktuális: + + + + After: + @label + Utána: You can continue without setting up an EFI system partition but your system may fail to start. - + Folytathatod az EFI rendszerpartíció beállítása nélkül is, de előfordulhat, hogy a rendszer nem fog elindúlni. EFI system partition recommendation - + EFI rendszerpartíció ajánlás Option to use GPT on BIOS - + Lehetőség a GPT használatára a BIOS-ban A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + A GPTA GPT partíciós tábla használata a legjobb megoldás minden rendszer számára. Ez a telepítő támogatja ezt a beállítást BIOS-rendszerekhez is. <br/><br/>A GPT-partíciós tábla BIOS-ban való konfigurálásához (ha még nem tetted meg) menj vissza, és állítsd a partíciós táblát GPT-re, majd hozz létre egy 8 MB-os formázatlan partíciót a(z) <strong>%2</strong> jelzővel. <br/><br/>Formázatlan 8 MB-os partíció szükséges a(z) %1 elindításához GPT-vel rendelkező BIOS rendszeren. @@ -3235,15 +3336,16 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. There are no partitions to install on. - + Nincsenek partíciók a telepítéshez. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma kinézet feladat + Applying Plasma Look-and-Feel… + @status + A Plazma Kinézet Alkalmazása... @@ -3270,6 +3372,7 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Look-and-Feel + @label Kinézet @@ -3277,8 +3380,9 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. PreserveFiles - Saving files for later ... - Fájlok mentése későbbre … + Saving files for later… + @status + Fájlok mentése későbbre… @@ -3374,49 +3478,30 @@ Kimenet: Alapértelmezett - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - + A könyvtár nem található - - + Could not create new random file <pre>%1</pre>. - + Nem sikerült új véletlenszerű fájlt létrehozni: <pre>%1</pre>. No product - + Nincs termék No description provided. - + Nincs megadva leírás. (no mount point) (nincs csatolási pont) - - - Unpartitioned space or unknown partition table - Nem particionált, vagy ismeretlen partíció - unknown @@ -3441,6 +3526,12 @@ Kimenet: @partition info Swap + + + Unpartitioned space or unknown partition table + @info + Nem particionált, vagy ismeretlen partíció + Recommended @@ -3448,15 +3539,17 @@ Kimenet: <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>Ez a számítógép nem felel meg a(z) %1 beállításához ajánlott követelmények némelyikének.<br/> + A telepítés folytatódhat, de egyes funkciók letiltásra kerülhetnek.</p> RemoveUserJob - Remove live user from target system - Éles felhasználó eltávolítása a cél rendszerből + Removing live user from the target system… + @status + Élő felhasználó eltávolítása a célrendszerről… @@ -3464,13 +3557,15 @@ Kimenet: - Remove Volume Group named %1. - A kötetcsoport eltávolítása: %1. + Removing Volume Group named %1… + @status + A(z) %1 nevű kötetcsoport eltávolítása... - Remove Volume Group named <strong>%1</strong>. - Kötetcsoport eltávolítása: <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + A(z) <strong>%1</strong> nevű kötetcsoport eltávolítása... @@ -3484,13 +3579,15 @@ Kimenet: <p>This computer does not satisfy the minimum requirements for installing %1.<br/> Installation cannot continue.</p> - + <p>Ez a számítógép nem felel meg a(z) %1 telepítéséhez szükséges minimális követelményeknek.<br/> + A telepítés nem folytatódhat.</p> <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>Ez a számítógép nem felel meg a(z) %1 beállításához ajánlott követelmények némelyikének.<br/> + A telepítés folytatódhat, de egyes funkciók letiltásra kerülhetnek.</p> @@ -3499,7 +3596,7 @@ Kimenet: Performing file system resize… @status - + A fájlrendszer átméretezése... @@ -3517,19 +3614,19 @@ Kimenet: KPMCore not available @error - + A KPMCore nem érhető el Calamares cannot start KPMCore for the file system resize job. @error - + A Calamares nem tudja elindítani a KPMCore-t a fájlrendszer-átméretezési feladathoz. Resize failed. @error - + Az átméretezés nem sikerült. @@ -3570,7 +3667,7 @@ Kimenet: The file system %1 must be resized, but cannot. @info - + A(z) %1 fájlrendszert át kell méretezni, de nem lehet. @@ -3582,22 +3679,25 @@ Kimenet: ResizePartitionJob - - Resize partition %1. - A %1 partíció átméretezése. + + Resize partition %1 + @title + A(z) %1 partíció átméretezése - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong><strong>%1</strong> partíció átméretezése erre <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + A(z) <strong>%2MiB</strong><strong>%1</strong> partíció átméretezése <strong>%3MiB</strong> méretűre - - Resizing %2MiB partition %1 to %3MiB. - %1 partíción %2MiB átméretezése erre %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + A(z) %2MiB méretű partíció %1 átméretezése %3MiB méretűre... - + The installer failed to resize partition %1 on disk '%2'. A telepítő nem tudta átméretezni a(z) %1 partíciót a(z) '%2' lemezen. @@ -3607,6 +3707,7 @@ Kimenet: Resize Volume Group + @title Kötetcsoport átméretezése @@ -3614,17 +3715,24 @@ Kimenet: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - A(z) %1 kötet átméretezése ekkoráról: %2, ekkorára: %3. + Resize volume group named %1 from %2 to %3 + @title + A(z) %1 nevű kötetcsoport átméretezése %2 méretűről, %3 méretűre. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - A(z) <strong>%1</strong> kötet átméretezése ekkoráról: <strong>%2</strong>, ekkorára: <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + A(z) <strong>%1</strong> nevű kötetcsoport átméretezése <strong>%2 </strong>méretűről, <strong>%3</strong> - + + Resizing volume group named %1 from %2 to %3… + @status + A(z) %1 nevű kötetcsoport átméretezése %2 méretűről, %3 méretűre... + + + The installer failed to resize a volume group named '%1'. A telepítő nem tudta átméretezni a kötetcsoportot: „%1”. @@ -3634,20 +3742,22 @@ Kimenet: Checking requirements again in a few seconds ... - + A követelmények ismételt ellenőrzése néhány másodperc múlva ... ScanningDialog - Scanning storage devices... - Eszközök keresése... + Scanning storage devices… + @status + A tárolóeszközök átvizsgálása... - Partitioning - Partícionálás + Partitioning… + @status + Partícionálás... @@ -3664,8 +3774,9 @@ Kimenet: - Setting hostname %1. - Hálózati név beállítása a %1 -hez + Setting hostname %1… + @status + Számítógép nevének beállítása %1. {1…?} @@ -3686,7 +3797,7 @@ Kimenet: Setting keyboard model to %1, layout as %2-%3… @status, %1 model, %2 layout, %3 variant - + Billentyűzetmodell beállítása %1-re, elrendezés: %2-%3… @@ -3729,81 +3840,96 @@ Kimenet: SetPartFlagsJob - Set flags on partition %1. - Zászlók beállítása a partíción %1. + Set flags on partition %1 + @title + Jelölők beállítása a(z) %1 partíción - Set flags on %1MiB %2 partition. - flags beállítása a %1MiB %2 partíción. + Set flags on %1MiB %2 partition + @title + Jelölők beállítása a(z) %1MB %2 partíción. - Set flags on new partition. - Jelzők beállítása az új partíción. + Set flags on new partition + @title + Jelölők beállítása az új partíción - Clear flags on partition <strong>%1</strong>. - Zászlók törlése a partíción: <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Jelölők törlése a(z) <strong>%1</strong> partícióról - Clear flags on %1MiB <strong>%2</strong> partition. - flags eltávolítása a %1MiB <strong>%2</strong> partíción. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Jelölők törlése a(z) %1MiB <strong>1%</strong> partícióról - Clear flags on new partition. - Jelzők törlése az új partíción. + Clear flags on new partition + @info + Jelölők törlése az új partícióról - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Zászlók beállítása <strong>%1</strong> ,mint <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Jelölők beállítása a(z) <strong>%1</strong> partíción, mint <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Flag %1MiB <strong>%2</strong> partíción mint <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Jelölők beállítása a(z) %1MiB <strong>%2</strong> partíción, mint %3 - - Flag new partition as <strong>%1</strong>. - Jelző beállítása mint <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Jelölők beállítása az új partíción, mint <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Zászlók törlése a partíción: <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Jelölők törlése a(z) <strong>%1</strong> partícióról... - - Clearing flags on %1MiB <strong>%2</strong> partition. - Flag-ek eltávolítása a %1MiB <strong>%2</strong> partíción. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Jelölők törlése a(z) %1MiB <strong>%2</strong> partícióról... - - Clearing flags on new partition. - jelzők törlése az új partíción. + + Clearing flags on new partition… + @status + Jelölők törlése az új partícióról... - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Zászlók beállítása <strong>%2</strong> a <strong>%1</strong> partíción. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + A(z) <strong>%2</strong> jelölők beállítása a(z) <strong>%1</strong> partíción... - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Flag-ek beállítása <strong>%3</strong> a %1MiB <strong>%2</strong> partíción. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + A(z) <strong>%3</strong> jelölők beállítása a(z) <strong>%2</strong> partíción... - - Setting flags <strong>%1</strong> on new partition. - Jelzők beállítása az új <strong>%1</strong> partíción. + + Setting flags <strong>%1</strong> on new partition… + @status + A(z) <strong>%1</strong> jelölők beállítása az új partíción... - + The installer failed to set flags on partition %1. A telepítőnek nem sikerült a zászlók beállítása a partíción %1. @@ -3817,32 +3943,33 @@ Kimenet: - Setting password for user %1. - %1 felhasználói jelszó beállítása + Setting password for user %1… + @status + %1 nevű felhasználó jelszavának beállítása. {1…?} - + Bad destination system path. Rossz célrendszer elérési út - + rootMountPoint is %1 rootMountPoint is %1 - + Cannot disable root account. A root account- ot nem lehet inaktiválni. - + Cannot set password for user %1. Nem lehet a %1 felhasználó jelszavát beállítani. - - + + usermod terminated with error code %1. usermod megszakítva %1 hibakóddal. @@ -3853,7 +3980,7 @@ Kimenet: Setting timezone to %1/%2… @status - + Időzóna beállítása %1/%2… @@ -3891,27 +4018,29 @@ Kimenet: SetupGroupsJob - Preparing groups. - + Preparing groups… + @status + Csoportok előkészítése... Could not create groups in target system - + Nem sikerült csoportokat létrehozni a célrendszerben These groups are missing in the target system: %1 - + Ezek a csoportok hiányoznak a célrendszerből: %1 SetupSudoJob - Configure <pre>sudo</pre> users. - + Configuring <pre>sudo</pre> users… + @status + <pre>Sudo</pre> felhasználók konfigurálása... @@ -3928,8 +4057,9 @@ Kimenet: ShellProcessJob - Shell Processes Job - Parancssori folyamatok feladat + Running shell processes… + @status + Shell processzek futtatása… @@ -3978,8 +4108,9 @@ Kimenet: - Sending installation feedback. - Telepítési visszajelzés küldése. + Sending installation feedback… + @status + Telepítési visszajelzés küldése... @@ -3997,28 +4128,29 @@ Kimenet: KDE user feedback - + KDE felhasználói visszajelzések - Configuring KDE user feedback. - + Configuring KDE user feedback… + @status + KDE felhasználói visszajelzések konfigurálása... Error in KDE user feedback configuration. - + Hiba a KDE felhasználói visszajelzés konfigurációjában. Could not configure KDE user feedback correctly, script error %1. - + Nem sikerült helyesen konfigurálni a KDE felhasználói visszajelzést, script hiba %1. Could not configure KDE user feedback correctly, Calamares error %1. - + Nem sikerült helyesen konfigurálni a KDE felhasználói visszajelzést, Calamares hiba %1. @@ -4030,8 +4162,9 @@ Kimenet: - Configuring machine feedback. - Gépi visszajelzés konfigurálása. + Configuring machine feedback… + @status + Gépi visszajelzés konfigurálása... @@ -4061,7 +4194,7 @@ Calamares hiba %1. <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Kattints ide, ha <span style=" font-weight:600;">semmilyen információt</span> nem szeretnél elküldeni a telepítésről.</p></body></html> @@ -4071,22 +4204,22 @@ Calamares hiba %1. Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - + A nyomon követés segít %1-nek/nak látni, hogy milyen gyakran telepítik, milyen hardverre van telepítve, és milyen alkalmazásokat használ. Ha látni szeretnéd, hogy milyen adatok kerülnek elküldésre, kattints az egyes területek melletti súgó ikonra. By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - + Ha ezt választod, akkor információkat küld a telepítéséről és a hardverről. Ez az információ csak <b>egyszer</b> kerül elküldésre a telepítés befejezése után. By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - + Ha ezt választod, akkor rendszeresen információkat küld a <b>gép</b> telepítéséről, a hardverről és az alkalmazásokról a %1-nek/nak. By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - + Ha ezt választod, akkor rendszeresen küld információkat a <b>felhasználói</b> telepítésről, a hardverről, az alkalmazásokról és az alkalmazáshasználati szokásokról a %1-nek/nak. @@ -4094,6 +4227,7 @@ Calamares hiba %1. Feedback + @title Visszacsatolás @@ -4101,18 +4235,19 @@ Calamares hiba %1. UmountJob - Unmount file systems. - Fájlrendszerek leválasztása. + Unmounting file systems… + @status + Fájlrendszerek leválasztása... No target system available. - + Nem áll rendelkezésre célrendszer. No rootMountPoint is set. - + Nincs beállítva root csatolási pont. @@ -4150,7 +4285,7 @@ Calamares hiba %1. Key Column header for key/value - + Kulcs @@ -4218,22 +4353,22 @@ Calamares hiba %1. Select application and system language - + Válaszd ki az alkalmazás és a rendszer nyelvét Open donations website - + Az adományozás webhelyének megnyitása &Donate - + &Adományoz Open help and support website - + A súgó és támogatás weboldalának megnyitása @@ -4243,7 +4378,7 @@ Calamares hiba %1. Open issues and bug-tracking website - + Probléma és hibakövető weboldalának megnyitása @@ -4253,29 +4388,30 @@ Calamares hiba %1. Open release notes website - + A kiadási megjegyzések weboldalának megnyitása &Release notes &Kiadási megjegyzések - - - %1 support - %1 támogatás - About %1 Setup @title - + A(z) %1 Beállításról About %1 Installer @title - + A(z) %1 Telepítőről + + + + %1 Support + @action + %1 Támogatás @@ -4283,6 +4419,7 @@ Calamares hiba %1. Welcome + @title Üdvözlet @@ -4291,6 +4428,7 @@ Calamares hiba %1. Welcome + @title Üdvözlet @@ -4298,13 +4436,14 @@ Calamares hiba %1. ZfsJob - Create ZFS pools and datasets - + Creating ZFS pools and datasets… + @status + ZFS poolok és adathalmazok létrehozása... Failed to create zpool on - + Nem sikerült létrehozni a zpool-t ezen: @@ -4314,28 +4453,28 @@ Calamares hiba %1. No partitions are available for ZFS. - + A ZFS számára nem állnak rendelkezésre partíciók. Internal data missing - + Hiányoznak a belső adatok Failed to create zpool - + Nem sikerült létrehozni a zpool-t Failed to create dataset - + Nem sikerült létrehozni az adatállományt The output was: - + A kimenet a következő volt: @@ -4343,7 +4482,7 @@ Calamares hiba %1. About - + Névjegy @@ -4354,13 +4493,13 @@ Calamares hiba %1. About @button - + Névjegy Show information about Calamares @tooltip - + Információk megjelenítése a Calamares-ről @@ -4380,29 +4519,31 @@ Calamares hiba %1. Installation Completed - + A Telepítés Befejeződött %1 has been installed on your computer.<br/> You may now restart into your new system, or continue using the Live environment. - + A(z) %1 telepítésre került a számítógépedre.<br/> + Most újraindíthatod az új rendszert, vagy folytathatod a Live környezet használatát. Close Installer - + A Telepítő Bezárása Restart System - + A Rendszer Újraindítása <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> This log is copied to /var/log/installation.log of the target system.</p> - + <p>A telepítés teljes naplója install.log néven érhető el a Live felhasználó home könyvtárában.<br/> + Ez a napló a célrendszer /var/log/installation.log mappájába másolódik.</p> @@ -4411,33 +4552,35 @@ Calamares hiba %1. Installation Completed @title - + A Telepítés Befejeződött %1 has been installed on your computer.<br/> You may now restart into your new system, or continue using the Live environment. @info, %1 is the product name - + A(z) %1 telepítésre került a számítógépedre.<br/> + Most újraindíthatod az új rendszert, vagy folytathatod a Live környezet használatát. Close Installer @button - + A Telepítő Bezárása Restart System @button - + A Rendszer Újraindítása <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> This log is copied to /var/log/installation.log of the target system.</p> @info - + <p>A telepítés teljes naplója install.log néven érhető el a Live felhasználó home könyvtárában.<br/> + Ez a napló a célrendszer /var/log/installation.log mappájába másolódik.</p> @@ -4446,26 +4589,27 @@ Calamares hiba %1. Installation Completed @title - + A Telepítés Befejeződött %1 has been installed on your computer.<br/> You may now restart your device. @info, %1 is the product name - + A(z) %1 telepítésre került a számítógépedre.<br/> + Most már újraindíthatod a készüléket. Close @button - + Bezár Restart @button - + Újraindítás @@ -4474,31 +4618,31 @@ Calamares hiba %1. Select a layout to activate keyboard preview @label - + Válassz ki egy elrendezést a billentyűzet előnézetének aktiválásához <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Billentyűzet modell:&nbsp;&nbsp;</b> Layout @label - + Elrendezés Variant @label - + Változat Type here to test your keyboard… @label - + A billentyűzet teszteléséhez gépelj be ide... @@ -4507,31 +4651,31 @@ Calamares hiba %1. Select a layout to activate keyboard preview @label - + Válassz ki egy elrendezést a billentyűzet előnézetének aktiválásához <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Billentyűzet modell:&nbsp;&nbsp;</b> Layout @label - + Elrendezés Variant @label - + Változat Type here to test your keyboard… @label - + A billentyűzet teszteléséhez gépelj be ide... @@ -4541,21 +4685,23 @@ Calamares hiba %1. Change @button - + Változtatás <h3>Languages</h3> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. @info - + <h3>Nyelvek</h3></br> + A rendszer nyelvi beállításai befolyásolják a nyelvet és a karakterkészletet egyes parancssori felhasználói felület elemeinél. Az aktuális beállítás <strong>%1</strong>. <h3>Locales</h3> </br> The system locale setting affects the numbers and dates format. The current setting is <strong>%1</strong>. @info - + <h3>Helyi Beállítások</h3></br> + A rendszer helyi beállításai befolyásolják a számok és a dátumok formátumát. Az aktuális beállítás <strong>%1</strong>. @@ -4565,21 +4711,23 @@ Calamares hiba %1. Change @button - + Változtatás <h3>Languages</h3> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. @info - + <h3>Nyelvek </br> + A rendszer területi beállítása befolyásolja a nyelvet és a karakterkészletet egyes parancssori felhasználói felület elemeinél. Az aktuális beállítás </strong>%1</strong>. <h3>Locales</h3> </br> The system locale setting affects the numbers and dates format. The current setting is <strong>%1</strong>. @info - + <h3>Helyi Beállítások</h3></br> + A rendszer helyi beállításai befolyásolják a számok és a dátumok formátumát. Az aktuális beállítás <strong>%1</strong>. @@ -4588,7 +4736,8 @@ Calamares hiba %1. <h3>%1</h3> <p>These are example release notes.</p> - + <h3>%1</h3> + <p>Ezek példák a kiadási megjegyzésekre.</p> @@ -4597,37 +4746,38 @@ Calamares hiba %1. LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> Default option. - + A LibreOffice egy hatékony és ingyenes irodai csomag, amelyet emberek milliói használnak szerte a világon. Számos olyan alkalmazást tartalmaz, amelyek a piac legsokoldalúbb ingyenes és nyílt forráskódú irodai programcsomagjává teszik.<br/> + Alapértelmezett beállítás. LibreOffice - + LibreOffice If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. - + Ha nem szeretnél irodai programcsomagot telepíteni, válaszd a "Nem Kérek Irodai Programcsomagot" lehetőséget. Később bármikor hozzáadhatsz egyet (vagy többet) a telepített rendszerhez, ha szükséged lenne rá. No Office Suite - + Nem Kérek Irodai Programcsomagot Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. - + Hozzon létre egy minimális asztali telepítést, távolítsa el az összes extra alkalmazást, később döntöm el, hogy mit szeretnék hozzáadni a rendszeremhez. Példák arra, hogy mi nem lesz egy ilyen telepítésnél: nem lesz Irodai Programcsomag, médialejátszó, képnézegető vagy nyomtatási támogatás. Ez csak egy asztali számítógép, fájlböngésző, csomagkezelő, szövegszerkesztő és egyszerű webböngésző lesz. Minimal Install - + Minimális Telepítés Please select an option for your install, or use the default: LibreOffice included. - + Kérjük, válassz egy lehetőséget a telepítéshez, vagy használd az alapértelmezettet: tartalmazza a LibreOffice-t. @@ -4636,37 +4786,38 @@ Calamares hiba %1. LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> Default option. - + A LibreOffice egy hatékony és ingyenes irodai csomag, amelyet emberek milliói használnak szerte a világon. Számos olyan alkalmazást tartalmaz, amelyek a piac legsokoldalúbb ingyenes és nyílt forráskódú irodai programcsomagjává teszik.<br/> + Alapértelmezett beállítás. LibreOffice - + LibreOffice If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. - + Ha nem szeretnél irodai programcsomagot telepíteni, válaszd a "Nem Kérek Irodai Programcsomagot" lehetőséget. Később bármikor hozzáadhatsz egyet (vagy többet) a telepített rendszeredhez, ha szükséged lenne rá. No Office Suite - + Nem Kérek Irodai Programcsomagot Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. - + Hozzon létre egy minimális asztali telepítést, távolítsa el az összes extra alkalmazást, később döntöm el, hogy mit szeretnék hozzáadni a rendszeremhez. Példák arra, hogy mi nem lesz egy ilyen telepítésnél: nem lesz Irodai Programcsomag, médialejátszó, képnézegető vagy nyomtatási támogatás. Ez csak egy asztali számítógép, fájlböngésző, csomagkezelő, szövegszerkesztő és egyszerű webböngésző lesz. Minimal Install - + Minimális Telepítés Please select an option for your install, or use the default: LibreOffice included. - + Kérjük, válassz egy lehetőséget a telepítéshez, vagy használd az alapértelmezettet: tartalmazza a LibreOffice-t. @@ -4694,12 +4845,32 @@ Calamares hiba %1. </ul> <p>The vertical scrollbar is adjustable, current width set to 10.</p> - + <h3>%1</h3> + <p>Ez egy példa QML-fájl, amely a RichText opcióit mutatja be pörgethető tartalommal.</p> + + <p>QML a RichText-tel HTML címkéket használhat, a Pörgethető tartalom hasznos az érintőképernyőkhöz.</p> + + <p><b>Ez félkövér szöveg</b></p> + <p><i>Ez dőlt szöveg</i></p> + <p><u>Ez aláhúzott szöveg</u></p> + <p><center>Ez a szöveg középre lesz igazítva.</center></p> + <p><s>Ez áthúzott szöveg</s></p> + + <p>Kódpélda: + <code>ls -l /home</code></p> + + <p><b>Listák:</b></p> + <ul> + <li>Intel CPU rendszerek</li> + <li>AMD CPU rendszerek</li> + </ul> + + <p>A függőleges görgetősáv állítható, jelenlegi szélessége 10.</p> Back - + Vissza @@ -4707,62 +4878,47 @@ Calamares hiba %1. Pick your user name and credentials to login and perform admin tasks - + Válaszd ki felhasználónevedet és hitelesítő adataidat a bejelentkezéshez és az adminisztrátori feladatok elvégzéséhez. What is your name? Mi a neved? - - - Your Full Name - - What name do you want to use to log in? Milyen felhasználónévvel szeretnél bejelentkezni? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. - + Ha egynél több személy fogja használni ezt a számítógépet, a telepítés után több fiókot is létrehozhatsz. Only lowercase letters, numbers, underscore and hyphen are allowed. - + Csak kisbetűk, számok, aláhúzás és kötőjel megengedett. root is not allowed as username. - + root nem engedélyezett felhasználónévként. What is the name of this computer? Mi legyen a számítógép neve? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. - + Ezt a nevet használja a rendszer, ha a számítógépet láthatóvá teszi mások számára a hálózaton. localhost is not allowed as hostname. - + localhost nem engedélyezett állomásnévként. @@ -4772,42 +4928,67 @@ Calamares hiba %1. Password - - - - - Repeat Password - + Jelszó Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - + Írj be kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. A jó jelszó betűk, számok és írásjelek keverékét tartalmazza, legalább nyolc karakter hosszúságúnak kell lennie, és rendszeres időközönként módosítani kell. + + + + Root password + Root jelszó + + + + Repeat root password + Root jelszó megerősítése Validate passwords quality - + A jelszavak minőségének ellenőrzése When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + Ha ez a négyzet be van jelölve, a jelszó erősségének ellenőrzése megtörténik, és nem fogsz tudni gyenge jelszót használni. Log in automatically without asking for the password - + Automatikus bejelentkezés a jelszó megkérdezése nélkül + + + + Your full name + A teljes neved + + + + Login name + Bejelentkezési név + + + + Computer name + Számítógép neve Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - + Csak betűk, számok, aláhúzás és kötőjel engedélyezett, minimum két karakter. + + + + Repeat password + Jelszó megerősítése Reuse user password as root password - + Felhasználói jelszó újrafelhasználása root jelszóként @@ -4817,22 +4998,12 @@ Calamares hiba %1. Choose a root password to keep your account safe. - - - - - Root Password - - - - - Repeat Root Password - + Válassz root jelszót, hogy fiókod biztonságban legyen. Enter the same password twice, so that it can be checked for typing errors. - + Add meg kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. @@ -4840,67 +5011,67 @@ Calamares hiba %1. Pick your user name and credentials to login and perform admin tasks - + Válaszd ki a felhasználónevedet és hitelesítő adataidat a bejelentkezéshez és az adminisztrátori feladatok elvégzéséhez. What is your name? Mi a neved? - - - Your Full Name - - What name do you want to use to log in? Milyen felhasználónévvel szeretnél bejelentkezni? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. - + Ha egynél több személy fogja használni ezt a számítógépet, a telepítés után több fiókot is létrehozhatsz. Only lowercase letters, numbers, underscore and hyphen are allowed. - + Csak kisbetűk, számok, aláhúzás és kötőjel megengedett. root is not allowed as username. - + root nem engedélyezett felhasználónévként. What is the name of this computer? Mi legyen a számítógép neve? + + + Your full name + A teljes neved + + + + Login name + Bejelentkezési név + - Computer Name - + Computer name + Számítógép neve This name will be used if you make the computer visible to others on a network. - + Ezt a nevet használja a rendszer, ha a számítógépet láthatóvá teszi mások számára a hálózaton. Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - + Csak betűk, számok, aláhúzás és kötőjel engedélyezett, minimum két karakter. localhost is not allowed as hostname. - + localhost nem engedélyezett állomásnévként. @@ -4910,22 +5081,32 @@ Calamares hiba %1. Password - + Jelszó - Repeat Password - + Repeat password + Jelszó megerősítése + + + + Root password + Root jelszó + + + + Repeat root password + Root jelszó megerősítése Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - + Írd be kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. A jó jelszó betűk, számok és írásjelek keverékét tartalmazza, legalább nyolc karakter hosszúságúnak kell lennie, és rendszeres időközönként módosítani kell. Reuse user password as root password - + Felhasználói jelszó újrafelhasználása root jelszóként @@ -4935,37 +5116,27 @@ Calamares hiba %1. Choose a root password to keep your account safe. - - - - - Root Password - - - - - Repeat Root Password - + Válassz root jelszót, hogy fiókod biztonságban legyen. Enter the same password twice, so that it can be checked for typing errors. - + Add meg kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. Log in automatically without asking for the password - + Automatikus bejelentkezés a jelszó megkérdezése nélkül Validate passwords quality - + A jelszavak minőségének ellenőrzése When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + Ha ez a négyzet be van jelölve, a jelszó erősségének ellenőrzése megtörténik, és nem fogsz tudni gyenge jelszót használni. @@ -4974,27 +5145,28 @@ Calamares hiba %1. <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - + <h3>Üdvözlünk a(z) %1 <quote>%2</quote> telepítőben + <p>Ez a program feltesz néhány kérdést, és beállítja a(z) %1-t a számítógépén.</p> Support - + Támogatás - Known issues - + Known Issues + Ismert Hibák - Release notes - + Release Notes + Kiadási Megjegyzések Donate - + Adományozás @@ -5003,27 +5175,28 @@ Calamares hiba %1. <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - + <h3>Üdvözlünk a(z) %1 <quote>%2</quote> telepítőben + <p>Ez a program feltesz néhány kérdést, és beállítja a(z) %1-t a számítógépén.</p> Support - + Támogatás - Known issues - + Known Issues + Ismert Hibák - Release notes - + Release Notes + Kiadási Megjegyzések Donate - + Adományozás diff --git a/lang/calamares_id.ts b/lang/calamares_id.ts index c8bf0d10c5..9ae401456d 100644 --- a/lang/calamares_id.ts +++ b/lang/calamares_id.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Kelola pengaturan mount otomatis + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record %1 Boot Partition + @info Partisi Boot System Partition + @info Partisi Sistem Do not install a boot loader + @label Jangan instal boot loader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instal @@ -626,18 +631,27 @@ Instalasi akan ditutup dan semua perubahan akan hilang. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info Pemasang gagal memperbarui tabel partisi pada disk '%1'. @@ -651,9 +665,20 @@ Instalasi akan ditutup dan semua perubahan akan hilang. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Pemartisian manual</strong><br/>Anda bisa membuat atau mengubah ukuran partisi. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Pilih sebuah partisi untuk diiris, kemudian seret bilah di bawah untuk mengubah ukuran</strong> + Select storage de&vice: + @label Pilih perangkat penyimpanan: @@ -662,56 +687,49 @@ Instalasi akan ditutup dan semua perubahan akan hilang. Current: + @label Saat ini: After: - Setelah: - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Pemartisian manual</strong><br/>Anda bisa membuat atau mengubah ukuran partisi. + @label + Sesudah: - Reuse %1 as home partition for %2. - Gunakan kembali %1 sebagai partisi home untuk %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Pilih sebuah partisi untuk diiris, kemudian seret bilah di bawah untuk mengubah ukuran</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Lokasi Boot loader: - <strong>Select a partition to install on</strong> + @label <strong>Pilih sebuah partisi untuk memasang</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Sebuah partisi sistem EFI tidak ditemukan pada sistem ini. Silakan kembali dan gunakan pemartisian manual untuk mengeset %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Partisi sistem EFI di %1 akan digunakan untuk memulai %2. EFI system partition: + @label Partisi sistem EFI: @@ -766,38 +784,51 @@ Instalasi akan ditutup dan semua perubahan akan hilang. This storage device has one of its partitions <strong>mounted</strong>. + @info Perangkat penyimpanan ini terdapat partisi yang <strong>terpasang</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Perangkat penyimpanan ini merupakan bagian dari sebuah <strong>perangkat RAID yang tidak aktif</strong>. - No Swap - Tidak pakai SWAP + No swap + @label + - Reuse Swap - Gunakan kembali SWAP + Reuse swap + @label + Swap (no Hibernate) + @label Swap (tanpa hibernasi) Swap (with Hibernate) + @label Swap (dengan hibernasi) Swap to file + @label Swap ke file + + + Bootloader location: + @label + + ClearMountsJob @@ -829,12 +860,14 @@ Instalasi akan ditutup dan semua perubahan akan hilang. Clear mounts for partitioning operations on %1 + @title Lepaskan semua kaitan untuk operasi pemartisian pada %1 - Clearing mounts for partitioning operations on %1. - Melepas semua kaitan untuk operasi pemartisian pada %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -846,13 +879,10 @@ Instalasi akan ditutup dan semua perubahan akan hilang. ClearTempMountsJob - Clear all temporary mounts. - Lepaskan semua kaitan sementara. - - - Clearing all temporary mounts. - Melepaskan semua kaitan sementara. + Clearing all temporary mounts… + @status + @@ -1002,42 +1032,43 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Ikhtisar - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. Berikut adalah tinjauan mengenai yang akan terjadi setelah Anda memulai prosedur instalasi. @@ -1109,15 +1140,15 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - The system language will be set to %1 + The system language will be set to %1. @info - + Bahasa sistem akan disetel ke %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Nomor dan tanggal lokal akan disetel ke %1. @@ -1194,31 +1225,37 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. En&crypt + @action Enkripsi Logical + @label Logikal Primary + @label Utama GPT + @label GPT Mountpoint already in use. Please select another one. + @info Titik-kait sudah digunakan. Silakan pilih yang lainnya. Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Membuat partisi %1 baru di %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Installer gagal untuk membuat partisi di disk '%1'. @@ -1298,18 +1343,16 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.CreatePartitionTableJob - Create new %1 partition table on %2. - Membuat tabel partisi %1 baru di %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Membuat tabel partisi <strong>%1</strong> baru di <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Membuat tabel partisi %1 baru di %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1326,28 +1369,32 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - Create user <strong>%1</strong>. - Buat pengguna <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Create Volume Group + @title @@ -1363,18 +1411,16 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.CreateVolumeGroupJob - Create new volume group named %1. - Ciptakan grup volume baru bernama %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Ciptakan grup volume baru bernama <strong>%1</strong>. - - - - Creating new volume group named %1. - Menciptakan grup volume baru bernama %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1387,13 +1433,15 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - Deactivate volume group named %1. - Nonaktifkan grup volume bernama %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Nonaktifkan grup volume bernama <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1405,18 +1453,16 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.DeletePartitionJob - Delete partition %1. - Hapus partisi %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Hapus partisi <strong>%1</strong> - - - - Deleting partition %1. - Menghapus partisi %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1601,11 +1647,13 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Please enter the same passphrase in both boxes. + @tooltip Silakan masukkan kata sandi yang sama di kedua kotak. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,57 +1675,68 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Set partition information + @title Tetapkan informasi partisi Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instal %1 pada partisi sistem %2 <strong>baru</strong> + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Instal %2 pada sistem partisi %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instal boot loader di <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Menyetel tempat kait. + + Setting up mount points… + @status + @@ -1746,24 +1805,27 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Format partisi %1 (file system: %2, ukuran %3 MiB) pada %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Memformat partisi %1 dengan sistem berkas %2. + + Formatting partition %1 with file system %2… + @status + @@ -2256,20 +2318,38 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. MachineIdJob - + Generate machine-id. Menghasilkan machine-id. - + Configuration Error Kesalahan Konfigurasi - + No root mount point is set for MachineId. Tidak ada titik pemasangan root yang disetel untuk MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2784,11 +2864,6 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.Unknown error Ada kesalahan yang tidak diketahui - - - Password is empty - - PackageChooserPage @@ -2845,7 +2920,8 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2951,31 +3027,37 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Home + @label Beranda Boot + @label Boot EFI system + @label Sistem EFI Swap + @label Swap New partition for %1 + @label Partisi baru untuk %1 New partition + @label Partisi baru @@ -2991,37 +3073,44 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Free Space + @title Ruang Kosong - New partition - Partisi baru + New Partition + @title + Name + @title Nama File System + @title Berkas Sistem File System Label + @title Mount Point + @title Lokasi Mount Size + @title Ukuran @@ -3100,16 +3189,6 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. PartitionViewStep - - - Gathering system information... - Mengumpulkan informasi sistem... - - - - Partitions - Partisi - Unsafe partition actions are enabled. @@ -3125,16 +3204,6 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.No partitions will be changed. - - - Current: - Saat ini: - - - - After: - Sesudah: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3186,6 +3255,30 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partisi + + + + Current: + @label + Saat ini: + + + + After: + @label + Sesudah: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3231,8 +3324,9 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status + @@ -3259,6 +3353,7 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. Look-and-Feel + @label Lihat-dan-Rasakan @@ -3266,8 +3361,9 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.PreserveFiles - Saving files for later ... - Menyimpan file untuk kemudian... + Saving files for later… + @status + @@ -3363,26 +3459,12 @@ Keluaran: Standar - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3401,11 +3483,6 @@ Keluaran: (no mount point) - - - Unpartitioned space or unknown partition table - Ruang tidak terpartisi atau tidak diketahui tabel partisinya - unknown @@ -3430,6 +3507,12 @@ Keluaran: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Ruang tidak terpartisi atau tidak diketahui tabel partisinya + Recommended @@ -3444,7 +3527,8 @@ Keluaran: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3453,13 +3537,15 @@ Keluaran: - Remove Volume Group named %1. - Hapus Grup Volume bernama %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Hapus Grup Volume bernama <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3571,22 +3657,25 @@ Keluaran: ResizePartitionJob - - Resize partition %1. - Ubah ukuran partisi %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. Installer gagal untuk merubah ukuran partisi %1 pada disk '%2'. @@ -3596,6 +3685,7 @@ Keluaran: Resize Volume Group + @title Ubah-ukuran Grup Volume @@ -3603,17 +3693,24 @@ Keluaran: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ubah ukuran grup volume bernama %1 dari %2 ke %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Ubah ukuran grup volume bernama <strong>%1</strong> dari <strong>%2</strong> ke %3<strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Installer gagal mengubah ukuran sebuah grup volume bernama '%1'. @@ -3630,13 +3727,15 @@ Keluaran: ScanningDialog - Scanning storage devices... - Memeriksa media penyimpanan... + Scanning storage devices… + @status + - Partitioning - Mempartisi + Partitioning… + @status + @@ -3653,8 +3752,9 @@ Keluaran: - Setting hostname %1. - Mengatur hostname %1. + Setting hostname %1… + @status + @@ -3718,81 +3818,96 @@ Keluaran: SetPartFlagsJob - Set flags on partition %1. - Setel bendera pada partisi %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Setel bendera pada partisi baru. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Bersihkan bendera pada partisi <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Bersihkan bendera pada partisi baru. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Benderakan partisi <strong>%1</strong> sebagai <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Benderakan partisi baru sebagai <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Membersihkan bendera pada partisi <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Membersihkan bendera pada partisi baru. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Menyetel bendera <strong>%2</strong> pada partisi <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Menyetel bendera <strong>%1</strong> pada partisi baru. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Installer gagal menetapkan bendera pada partisi %1. @@ -3806,32 +3921,33 @@ Keluaran: - Setting password for user %1. - Mengatur sandi untuk pengguna %1. + Setting password for user %1… + @status + - + Bad destination system path. Jalur lokasi sistem tujuan buruk. - + rootMountPoint is %1 rootMountPoint adalah %1 - + Cannot disable root account. Tak bisa menonfungsikan akun root. - + Cannot set password for user %1. Tidak dapat menyetel sandi untuk pengguna %1. - - + + usermod terminated with error code %1. usermod dihentikan dengan kode kesalahan %1. @@ -3880,7 +3996,8 @@ Keluaran: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3899,7 +4016,8 @@ Keluaran: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3917,8 +4035,9 @@ Keluaran: ShellProcessJob - Shell Processes Job - Pekerjaan yang diselesaikan oleh shell + Running shell processes… + @status + @@ -3967,8 +4086,9 @@ Keluaran: - Sending installation feedback. - Mengirim umpan balik installasi. + Sending installation feedback… + @status + @@ -3990,7 +4110,8 @@ Keluaran: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4019,8 +4140,9 @@ Keluaran: - Configuring machine feedback. - Mengkonfigurasi mesin umpan balik. + Configuring machine feedback… + @status + @@ -4082,6 +4204,7 @@ Keluaran: Feedback + @title Umpan balik @@ -4089,8 +4212,9 @@ Keluaran: UmountJob - Unmount file systems. - Lepaskan sistem berkas. + Unmounting file systems… + @status + @@ -4248,11 +4372,6 @@ Keluaran: &Release notes &Catatan rilis - - - %1 support - Dukungan %1 - About %1 Setup @@ -4265,12 +4384,19 @@ Keluaran: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Selamat Datang @@ -4279,6 +4405,7 @@ Keluaran: Welcome + @title Selamat Datang @@ -4286,7 +4413,8 @@ Keluaran: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4702,21 +4830,11 @@ Keluaran: What is your name? Siapa nama Anda? - - - Your Full Name - - What name do you want to use to log in? Nama apa yang ingin Anda gunakan untuk log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4737,11 +4855,6 @@ Keluaran: What is the name of this computer? Apakah nama dari komputer ini? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4762,16 +4875,21 @@ Keluaran: Password - - - Repeat Password - Ulangi Kata Sandi - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4787,11 +4905,31 @@ Keluaran: Log in automatically without asking for the password Masuk ke dalam sesi secara otomatis tanpa menanyakan kata sandi + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Hanya huruf, angka, garis bawah, dan tanda hubung yang diperbolehkan, minimal dua karakter. + + + Repeat password + + Reuse user password as root password @@ -4807,16 +4945,6 @@ Keluaran: Choose a root password to keep your account safe. - - - Root Password - Kata Sandi Root - - - - Repeat Root Password - Ulangi Kata Sandi - Enter the same password twice, so that it can be checked for typing errors. @@ -4835,21 +4963,11 @@ Keluaran: What is your name? Siapa nama Anda? - - - Your Full Name - - What name do you want to use to log in? Nama apa yang ingin Anda gunakan untuk log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4870,9 +4988,19 @@ Keluaran: What is the name of this computer? Apakah nama dari komputer ini? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4902,8 +5030,18 @@ Keluaran: - Repeat Password - Ulangi Kata Sandi + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4925,16 +5063,6 @@ Keluaran: Choose a root password to keep your account safe. - - - Root Password - Kata Sandi Root - - - - Repeat Root Password - Ulangi Kata Sandi - Enter the same password twice, so that it can be checked for typing errors. @@ -4971,12 +5099,12 @@ Keluaran: - Known issues + Known Issues - Release notes + Release Notes @@ -5000,12 +5128,12 @@ Keluaran: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ie.ts b/lang/calamares_ie.ts index 134efb345f..7c322008f2 100644 --- a/lang/calamares_ie.ts +++ b/lang/calamares_ie.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info MBR del %1 Boot Partition + @info Partition de inicialisation System Partition + @info Partition del sistema Do not install a boot loader + @label Ne installar un bootloader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Installar @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label Actual: After: + @label Pos: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Localisation del bootloader: - <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label Partition de sistema EFI: @@ -767,38 +785,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - Sin swap + No swap + @label + - Reuse Swap - Reusar un swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (sin hivernation) Swap (with Hibernate) + @label Swap (con hivernation) Swap to file + @label Swap in un file + + + Bootloader location: + @label + + ClearMountsJob @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection Selection de paccages - + Please pick a product from the list. The selected product will be installed. - + Packages Paccages - + Install option: <strong>%1</strong> - + None - + Summary + @label Resume - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action &Ciffrar Logical + @label Logic Primary + @label Primari GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Creante un nov partition de %1 sur %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info @@ -1298,18 +1343,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Crear un nov tabelle de partitiones %1 sur %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Crear un nov tabelle de partitiones <strong>%1</strong> sur <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creante un nov tabelle de partitiones %1 sur %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Crear un gruppe de tomes @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Generar li machine-id. - + Configuration Error Errore de configuration - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error Ínconosset errore - - - Password is empty - Li contrasigne es vacui - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Hem Boot + @label Inicie EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label New partition + @label Nov partition @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title Líber spacie - New partition - Nov partition + New Partition + @title + Name + @title Nómine File System + @title Sistema de files File System Label + @title Mount Point + @title Monte-punctu Size + @title Grandore @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - Partitiones - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Actual: - - - - After: - Pos: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partitiones + + + + Current: + @label + Actual: + + + + After: + @label + Pos: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Aspecte e conduida @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: Predefinit - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Redimensionar li partition %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,24 +3691,32 @@ Output: Resize Volume Group - Redimensionar li gruppe de tomes + @title + Redimensionar li gruppe ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,13 +3733,15 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning - Gerer partitiones + Partitioning… + @status + @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title Response @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes &Notes del version - - - %1 support - Suporte de %1 - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Benevenit @@ -4285,6 +4411,7 @@ Output: Welcome + @title Benevenit @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,13 +5105,13 @@ Output: - Known issues - Conosset problemas + Known Issues + - Release notes - Notes del version + Release Notes + @@ -5006,13 +5134,13 @@ Output: - Known issues - Conosset problemas + Known Issues + - Release notes - Notes del version + Release Notes + diff --git a/lang/calamares_is.ts b/lang/calamares_is.ts index 74182b784c..b4ee865972 100644 --- a/lang/calamares_is.ts +++ b/lang/calamares_is.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Sýsla með sjálfvirkar tengistillingar + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Aðalræsifærsla (MBR) %1 Boot Partition + @info Ræsidisksneið System Partition + @info Kerfisdisksneið Do not install a boot loader + @label Ekki setja upp ræsistjóra @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Setja upp @@ -633,18 +638,27 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ChangeFilesystemLabelJob - Set filesystem label on %1. - Stilltu merkingu skráakerfis á %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Stilltu merkingu skráakerfis <strong>%1</strong> á disksneiðina <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Uppsetningarforritinu mistókst að uppfæra disksneiðatöflu á diski '%1'. @@ -658,9 +672,20 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Handvirk disksneiðing</strong><br/>Þú getur búið til eða breytt stærð disksneiða sjálf/ur. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Veldu disksneið til að minnka, dragðu síðan botnstikuna til að breyta stærðinni</strong> + Select storage de&vice: + @label Veldu geymslutæ&ki: @@ -669,56 +694,49 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Current: + @label Fyrirliggjandi: After: + @label Á eftir: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Handvirk disksneiðing</strong><br/>Þú getur búið til eða breytt stærð disksneiða sjálf/ur. - - Reuse %1 as home partition for %2. - Endurnýta %1 sem home-disksneið fyrir %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Veldu disksneið til að minnka, dragðu síðan botnstikuna til að breyta stærðinni</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 verður minnkuð í %2MiB og ný %3MiB disksneið verður útbúin fyrir %4. - - - Boot loader location: - Staðsetning ræsistjóra: - <strong>Select a partition to install on</strong> + @label <strong>Veldu disksneið til að setja upp á </strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI-kerfisdisksneið er hvergi að finna á þessu kerfi. Farðu til baka og notaðu handvirka disksneiðingu til að setja upp %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI-kerfisdisksneið á %1 mun verða notuð til að ræsa %2. EFI system partition: + @label EFI-kerfisdisksneið: @@ -773,38 +791,51 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. This storage device has one of its partitions <strong>mounted</strong>. + @info Þetta geymslutæki er með eina af disksneiðunum sínum <strong>tengda í skráakerfi</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Þetta geymslutæki er hluti af <strong>óvirku RAID-tæki</strong>. - No Swap - Ekkert swap-diskminni + No swap + @label + - Reuse Swap - Endurnýta diskminni + Reuse swap + @label + Swap (no Hibernate) + @label Diskminni (ekki hægt að leggja í dvala) Swap (with Hibernate) + @label Diskminni (hægt að leggja í dvala) Swap to file + @label Diskminni í skrá + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Clear mounts for partitioning operations on %1 + @title Hreinsa tengipunkta fyrir disksneiðingaraðgerðir á %1 - Clearing mounts for partitioning operations on %1. - Hreinsa tengipunkta fyrir disksneiðingaraðgerðir á %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ClearTempMountsJob - Clear all temporary mounts. - Hreinsa alla bráðabirgðatengipunkta. - - - Clearing all temporary mounts. - Hreinsa alla bráðabirgðatengipunkta. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Í lagi! - + Package Selection Val pakka - + Please pick a product from the list. The selected product will be installed. Veldu hugbúnað úr listanum. Viðkomandi hugbúnaður verður settur inn. - + Packages Pakkar - + Install option: <strong>%1</strong> Setja upp valkost: <strong>%1</strong> - + None Ekkert - + Summary + @label Yfirlit - + This is an overview of what will happen once you start the setup procedure. Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. - + This is an overview of what will happen once you start the install procedure. Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. @@ -1115,15 +1146,15 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. - The system language will be set to %1 + The system language will be set to %1. @info - + Tungumál kerfisins verður sett sem %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Staðfærsla talna og dagsetninga verður stillt á %1. @@ -1200,31 +1231,37 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. En&crypt + @action &Dulrita Logical + @label Rökleg Primary + @label Aðal GPT + @label GPT Mountpoint already in use. Please select another one. + @info Tengipunktur er þegar í notkun. Veldu einhvern annan. Mountpoint must start with a <tt>/</tt>. + @info Tengipunktur verður að byrja á <tt>/</tt>. @@ -1232,43 +1269,51 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Búa til nýja %1MiB disksneiðatöflu á %3 (%2) með færslunum %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Búa til nýja %1MiB disksneiðatöflu á %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Búa til nýja %2MiB disksneiðatöflu á %4 (%3) með %1 skráakerfi. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Búa til nýja <strong>%1MiB</strong> disksneiðatöflu á <strong>%3</strong> (%2) með færslunum <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Búa til nýja <strong>%1MiB</strong> disksneiðatöflu á <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Búa til nýja <strong>%2MiB</strong> disksneiðatöflu á <strong>%4</strong> (%3) með <strong>%1</strong> skráakerfi. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Bý til nýja %1 disksneiðatöflu á %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Uppsetningarforritinu mistókst að búa til disksneið á diski '%1'. @@ -1304,18 +1349,16 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CreatePartitionTableJob - Create new %1 partition table on %2. - Búa til nýja %1 disksneiðatöflu á %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Búa til nýja <strong>%1</strong> disksneiðatöflu á <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Bý til nýja %1 disksneiðatöflu á %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. - Create user <strong>%1</strong>. - Búa til notanda <strong>%1</strong>. - - - - Preserving home directory - Vernda heimamöppu + Create user <strong>%1</strong> + - Creating user %1 - Bý til notandann %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Stilli notandann %1 - Setting file permissions - Stilli skráaheimildir + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Create Volume Group + @title Búa til sýndardisk (volume group) @@ -1369,18 +1417,16 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CreateVolumeGroupJob - Create new volume group named %1. - Búa til sýndardisk (volume group) með heitinu %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Búa til sýndardisk (volume group) með heitinu <strong>%1</strong>. - - - - Creating new volume group named %1. - Bý til nýjan sýndardisk (volume group) með heitinu %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. - Deactivate volume group named %1. - Gera óvirkan sýndardisk (volume group) með heitinu %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Gera óvirkan sýndardisk (volume group) með heitinu <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. DeletePartitionJob - Delete partition %1. - Eyða disksneið %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Eyða disksneið <strong>%1</strong>. - - - - Deleting partition %1. - Eyði disksneið %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Please enter the same passphrase in both boxes. + @tooltip Vinsamlegast sláðu inn sama lykilorðið í báða kassana. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Set partition information + @title Setja upplýsingar um disksneið Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Setja upp %1 á <strong>nýja</strong> %2 kerfisdisksneið með eiginleikana <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Setja upp %1 á <strong>nýja</strong> %2 kerfisdisksneið. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Setja upp <strong>nýja</strong> %2 disksneið með tengipunktinn <strong>%1</strong> og eiginleika <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Setja upp <strong>nýja</strong> %2 disksneið með tengipunktinn <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Setja upp %2 á %3 kerfisdisksneið <strong>%1</strong> með eiginleikana <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Setja upp %3 disksneið <strong>%1</strong> með tengipunktinn <strong>%2</strong> og eiginleika <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Setja upp %3 disksneið <strong>%1</strong> með tengipunktinn <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Setja upp %2 á %3 kerfisdisksneið <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Setja ræsistjórann upp á <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Set upp tengipunkta. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Forsníða disksneiðina %1 (skráakerfi: %2, stærð: %3 MiB) á %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Forsníða <strong>%3MiB</strong> disksneiðina <strong>%1</strong> með <strong>%2</strong> skráakerfi. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Forsníða disksneið %1 með %2 skráakerfinu. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. MachineIdJob - + Generate machine-id. Útbý machine-id auðkenni vélar. - + Configuration Error Villa í stillingum - + No root mount point is set for MachineId. Enginn rótartengipunktur er stilltur fyrir machine-id auðkenni vélar. + + + + + + File not found + Skrá fannst ekki + + + + Path <pre>%1</pre> must be an absolute path. + Slóðin <pre>%1</pre> verður að vera algild slóð. + + + + Could not create new random file <pre>%1</pre>. + Ekki var hægt að búa til nýja slembiskrá <pre>%1</pre>. + Map @@ -2803,11 +2883,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Unknown error Óþekkt villa - - - Password is empty - Lykilorðið er tómt - PackageChooserPage @@ -2864,7 +2939,8 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Home + @label Heima Boot + @label Ræsisvæði EFI system + @label EFI-kerfi Swap + @label Swap-diskminni New partition for %1 + @label Ný disksneið fyrir %1 New partition + @label Ný disksneið @@ -3010,37 +3092,44 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Free Space + @title Laust pláss - New partition - Ný disksneið + New Partition + @title + Name + @title Heiti File System + @title Skráakerfi File System Label + @title Merking skráakerfis Mount Point + @title Tengipunktur Size + @title Stærð @@ -3119,16 +3208,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. PartitionViewStep - - - Gathering system information... - Sæki upplýsingar um kerfið... - - - - Partitions - Disksneiðar - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. No partitions will be changed. Engum disksneiðum verður breytt. - - - Current: - Fyrirliggjandi: - - - - After: - Á eftir: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. The filesystem must have flag <strong>%1</strong> set. Skráakerfið verður að hafa flaggið <strong>%1</strong> stillt. + + + Gathering system information… + @status + + + + + Partitions + @label + Disksneiðar + + + + Current: + @label + Fyrirliggjandi: + + + + After: + @label + Á eftir: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. PlasmaLnfJob - Plasma Look-and-Feel Job - Verk fyrir útlit og viðmót + Applying Plasma Look-and-Feel… + @status + @@ -3278,6 +3372,7 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Look-and-Feel + @label Útlit og viðmót @@ -3285,8 +3380,9 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. PreserveFiles - Saving files for later ... - Vista skrár til síðari tíma ... + Saving files for later… + @status + @@ -3382,26 +3478,12 @@ Frálag: Sjálfgefið - - - - - File not found - Skrá fannst ekki - - - - Path <pre>%1</pre> must be an absolute path. - Slóðin <pre>%1</pre> verður að vera algild slóð. - - - + Directory not found Mappa fannst ekki - - + Could not create new random file <pre>%1</pre>. Ekki var hægt að búa til nýja slembiskrá <pre>%1</pre>. @@ -3420,11 +3502,6 @@ Frálag: (no mount point) (enginn tengipunktur) - - - Unpartitioned space or unknown partition table - Ósneitt rými eða óþekkt disksneiðatafla - unknown @@ -3449,6 +3526,12 @@ Frálag: @partition info swap-diskminni + + + Unpartitioned space or unknown partition table + @info + Ósneitt rými eða óþekkt disksneiðatafla + Recommended @@ -3464,8 +3547,9 @@ Frálag: RemoveUserJob - Remove live user from target system - Fjarlægja notanda Live-keyrsluumhverfis úr markkerfi + Removing live user from the target system… + @status + @@ -3473,13 +3557,15 @@ Frálag: - Remove Volume Group named %1. - Fjarlægja sýndardisk (volume group) með heitinu '%1'. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Fjarlægja sýndardisk (volume group) með heitinu '<strong>%1'</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3593,22 +3679,25 @@ Frálag: ResizePartitionJob - - Resize partition %1. - Breyta stærð disksneiðar %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Breyti stærð <strong>%2MiB</strong> disksneiðar <strong>%1</strong> í <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Breyti stærð %2MiB disksneiðar %1 í %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Uppsetningarforritinu mistókst að breyta stærð disksneiðar %1 á diski '%2'. @@ -3618,6 +3707,7 @@ Frálag: Resize Volume Group + @title Breyta stærð sýndardisks (volume group) @@ -3625,17 +3715,24 @@ Frálag: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Breyta stærð sýndardisks (volume group) með heitinu %1 úr %2 í %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Breyta stærð sýndardisks (volume group) með heitinu <strong>%1</strong> úr <strong>%2</strong> í <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Uppsetningarforritinu mistókst að breyta stærð sýndardisks (volume group) með heitinu '%1'. @@ -3652,13 +3749,15 @@ Frálag: ScanningDialog - Scanning storage devices... - Skanna geymslutæki... + Scanning storage devices… + @status + - Partitioning - Disksneiðing + Partitioning… + @status + @@ -3675,8 +3774,9 @@ Frálag: - Setting hostname %1. - Stilli vélarheiti %1. + Setting hostname %1… + @status + @@ -3740,81 +3840,96 @@ Frálag: SetPartFlagsJob - Set flags on partition %1. - Setja flögg á disksneið %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Setja flögg á %1MiB %2 disksneið . + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Setja flögg á nýja disksneið . + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Hreinsa flögg af disksneið <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Hreinsa flögg af %1MiB <strong>%2</strong> disksneið. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Hreinsa flögg af nýrri disksneið . + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Flagga disksneið <strong>%1</strong> sem <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Flagga %1MiB <strong>%2</strong> disksneið sem <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Flagga nýja disksneið sem <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Hreinsa flögg af disksneið <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Hreinsa flögg af %1MiB <strong>%2</strong> disksneið . + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Hreinsa flögg af nýrri disksneið . + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Set flöggin <strong>%2</strong> á disksneið <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Set flöggin <strong>%3</strong> á %1MiB <strong>%2</strong> disksneið. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Set flöggin <strong>%1</strong> á nýja disksneið. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Uppsetningarforritinu mistókst að setja flögg á disksneið %1. @@ -3828,32 +3943,33 @@ Frálag: - Setting password for user %1. - Set lykilorð fyrir notandann %1. + Setting password for user %1… + @status + - + Bad destination system path. Gölluð úttaksslóð kerfis. - + rootMountPoint is %1 rootMountPoint er %1 - + Cannot disable root account. Ekki er hægt að aftengja aðgang kerfisstjóra. - + Cannot set password for user %1. Get ekki sett lykilorð fyrir notanda %1. - - + + usermod terminated with error code %1. usermod endaði með villu kóðann %1. @@ -3902,8 +4018,9 @@ Frálag: SetupGroupsJob - Preparing groups. - Undirbý hópa. + Preparing groups… + @status + @@ -3921,8 +4038,9 @@ Frálag: SetupSudoJob - Configure <pre>sudo</pre> users. - Stilla <pre>sudo</pre>-notendur. + Configuring <pre>sudo</pre> users… + @status + @@ -3939,8 +4057,9 @@ Frálag: ShellProcessJob - Shell Processes Job - Verk fyrir skeljarferli + Running shell processes… + @status + @@ -3989,8 +4108,9 @@ Frálag: - Sending installation feedback. - Sendi svörun um uppsetningu. + Sending installation feedback… + @status + @@ -4012,8 +4132,9 @@ Frálag: - Configuring KDE user feedback. - Stilli svörun frá notendum KDE. + Configuring KDE user feedback… + @status + @@ -4041,8 +4162,9 @@ Frálag: - Configuring machine feedback. - Stilli svörun frá tölvu. + Configuring machine feedback… + @status + @@ -4104,6 +4226,7 @@ Frálag: Feedback + @title Svörun @@ -4111,8 +4234,9 @@ Frálag: UmountJob - Unmount file systems. - Aftengja skráarkerfi. + Unmounting file systems… + @status + @@ -4270,11 +4394,6 @@ Frálag: &Release notes Út&gáfuupplýsingar - - - %1 support - %1 stuðningur - About %1 Setup @@ -4287,12 +4406,19 @@ Frálag: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Velkomin @@ -4301,6 +4427,7 @@ Frálag: Welcome + @title Velkomin @@ -4308,8 +4435,9 @@ Frálag: ZfsJob - Create ZFS pools and datasets - Búa til ZFS-vöndla (pools) og gagnasett + Creating ZFS pools and datasets… + @status + @@ -4752,21 +4880,11 @@ Frálag: What is your name? Hvað heitir þú? - - - Your Full Name - Fullt nafn þitt - What name do you want to use to log in? Hvaða nafn vilt þú vilt nota til að skrá þig inn? - - - Login Name - Notandanafn innskráningar - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4787,11 +4905,6 @@ Frálag: What is the name of this computer? Hvert er heitið á þessari tölvu? - - - Computer Name - Tölvuheiti - This name will be used if you make the computer visible to others on a network. @@ -4812,16 +4925,21 @@ Frálag: Password Lykilorð - - - Repeat Password - Endurtaka lykilorð - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Settu inn sama lykilorðið tvisvar, þannig að hægt sé að yfirfara innsláttarvillur. Gott lykilorð inniheldur blöndu af bókstöfum, tölustöfum og greinamerkjum, ætti að vera að minnsta kosti átta stafa langt og því ætti að breyta með reglulegu millibili. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4837,11 +4955,31 @@ Frálag: Log in automatically without asking for the password Skrá inn sjálfkrafa án þess að biðja um lykilorð + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Má einungis innihalda bókstafi, tölustafi, undirstrik og bandstrik, að lágmarki tveir stafir. + + + Repeat password + + Reuse user password as root password @@ -4857,16 +4995,6 @@ Frálag: Choose a root password to keep your account safe. Veldu rótarlykilorð til að halda aðgangnum þínum öruggum. - - - Root Password - Lykilorð rótarnotanda - - - - Repeat Root Password - Endurtaktu lykilorð rótarnotanda - Enter the same password twice, so that it can be checked for typing errors. @@ -4885,21 +5013,11 @@ Frálag: What is your name? Hvað heitir þú? - - - Your Full Name - Fullt nafn þitt - What name do you want to use to log in? Hvaða nafn viltu nota til að skrá þig inn? - - - Login Name - Notandanafn innskráningar - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,10 +5038,20 @@ Frálag: What is the name of this computer? Hvert er heitið á þessari tölvu? + + + Your full name + + + + + Login name + + - Computer Name - Tölvuheiti + Computer name + @@ -4952,8 +5080,18 @@ Frálag: - Repeat Password - Endurtaktu lykilorð + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4975,16 +5113,6 @@ Frálag: Choose a root password to keep your account safe. Veldu rótarlykilorð til að halda aðgangnum þínum öruggum. - - - Root Password - Lykilorð rótarnotanda - - - - Repeat Root Password - Endurtaktu lykilorð rótarnotanda - Enter the same password twice, so that it can be checked for typing errors. @@ -5022,13 +5150,13 @@ Frálag: - Known issues - Þekkt vandamál + Known Issues + - Release notes - Útgáfuupplýsingar + Release Notes + @@ -5052,13 +5180,13 @@ Frálag: - Known issues - Þekkt vandamál + Known Issues + - Release notes - Útgáfuupplýsingar + Release Notes + diff --git a/lang/calamares_it_IT.ts b/lang/calamares_it_IT.ts index ecb73dbeb6..b47fa7e978 100644 --- a/lang/calamares_it_IT.ts +++ b/lang/calamares_it_IT.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gestisci le impostazioni di montaggio automatico + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 - Master Boot Record di %1 + @info + Boot Partition + @info Partizione di avvio System Partition + @info Partizione di sistema Do not install a boot loader + @label Non installare un boot loader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Installa @@ -634,18 +639,27 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ChangeFilesystemLabelJob - Set filesystem label on %1. - Imposta l'etichetta del file system a %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Imposta l'etichetta del file system <strong>%1</strong> alla partizione <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Il programma di installazione non è riuscito ad aggiornare la tabella delle partizioni sul disco '%1'. @@ -659,9 +673,20 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partizionamento manuale</strong><br/>Puoi creare o ridimensionare manualmente le partizioni. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selezionare una partizione da ridurre, trascina la barra inferiore per ridimensionare</strong> + Select storage de&vice: + @label Selezionare un dispositivo di me&moria: @@ -670,56 +695,49 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Current: + @label Corrente: After: + @label Dopo: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partizionamento manuale</strong><br/>Puoi creare o ridimensionare manualmente le partizioni. - - Reuse %1 as home partition for %2. - Riutilizzare %1 come partizione home per &2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selezionare una partizione da ridurre, trascina la barra inferiore per ridimensionare</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 sarà ridotta a %2MiB ed una nuova partizione di %3MiB sarà creata per %4 - - - Boot loader location: - Posizionamento del boot loader: - <strong>Select a partition to install on</strong> + @label <strong>Selezionare la partizione sulla quale si vuole installare</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Impossibile trovare una partizione EFI di sistema. Si prega di tornare indietro ed effettuare un partizionamento manuale per configurare %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name La partizione EFI di sistema su %1 sarà usata per avviare %2. EFI system partition: + @label Partizione EFI di sistema: @@ -774,38 +792,51 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse This storage device has one of its partitions <strong>mounted</strong>. + @info Questo dispositivo di memorizzazione ha una delle sue partizioni <strong>montata</strong> This storage device is a part of an <strong>inactive RAID</strong> device. + @info Questo dispositivo di memoria è una parte di un dispositivo di <strong>RAID inattivo</strong> - No Swap - No Swap + No swap + @label + - Reuse Swap - Riutilizza Swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (senza ibernazione) Swap (with Hibernate) + @label Swap (con ibernazione) Swap to file + @label Swap su file + + + Bootloader location: + @label + + ClearMountsJob @@ -837,12 +868,14 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Clear mounts for partitioning operations on %1 + @title Rimuovere i punti di mount per operazioni di partizionamento su %1 - Clearing mounts for partitioning operations on %1. - Rimozione dei punti di mount per le operazioni di partizionamento su %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -854,13 +887,10 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ClearTempMountsJob - Clear all temporary mounts. - Rimuovere tutti i punti di mount temporanei. - - - Clearing all temporary mounts. - Rimozione di tutti i punti di mount temporanei. + Clearing all temporary mounts… + @status + @@ -1009,42 +1039,43 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse OK! - + Package Selection Selezione del pacchetto - + Please pick a product from the list. The selected product will be installed. Si prega di scegliere un prodotto dalla lista. Il prodotto selezionato verrà installato. - + Packages Pacchetti - + Install option: <strong>%1</strong> Opzione di installazione: <strong>%1</strong> - + None Nessuno - + Summary + @label Riepilogo - + This is an overview of what will happen once you start the setup procedure. Questa è una panoramica di quello che succederà una volta avviata la procedura di configurazione. - + This is an overview of what will happen once you start the install procedure. Una panoramica delle modifiche che saranno effettuate una volta avviata la procedura di installazione. @@ -1116,15 +1147,15 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse - The system language will be set to %1 + The system language will be set to %1. @info - + La lingua di sistema sarà impostata a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + I numeri e le date locali saranno impostati a %1. @@ -1201,31 +1232,37 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse En&crypt + @action Cr&iptare Logical + @label Logica Primary + @label Primaria GPT + @label GPT Mountpoint already in use. Please select another one. + @info Il punto di mount è già in uso. Sceglierne un altro. Mountpoint must start with a <tt>/</tt>. + @info Il punto di mount deve iniziare con un <tt>/</tt>. @@ -1233,43 +1270,51 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Crea nuova partizione di %1MiB su %3 (%2) con voci %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Crea nuova partizione di %1MiB su %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Crea una nuova partizione da %2MiB su %4 (%3) con file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Crea nuova partizione di <strong>%1MiB</strong> su <strong>%3</strong> (%2) con voci <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Creare nuova partizione di <strong>%1MiB</strong> su <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Crea una nuova partizione di <strong>%2MiB</strong> su <strong>%4</strong> (%3) con file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Creazione della nuova partizione %1 su %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Il programma di installazione non è riuscito a creare la partizione sul disco '%1'. @@ -1305,18 +1350,16 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CreatePartitionTableJob - Create new %1 partition table on %2. - Creare una nuova tabella delle partizioni %1 su %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Creare una nuova tabella delle partizioni <strong>%1</strong> su <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Creazione della nuova tabella delle partizioni %1 su %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1333,29 +1376,33 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse - Create user <strong>%1</strong>. - Creare l'utente <strong>%1</strong> - - - - Preserving home directory - Preservare la cartella Home + Create user <strong>%1</strong> + - Creating user %1 - Creazione dell'utente %1. + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Configurazione dell'utente %1 - Setting file permissions - Impostazione dei permessi sui file + Setting file permissions… + @status + @@ -1363,6 +1410,7 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Create Volume Group + @title Crea Gruppo di Volumi @@ -1370,18 +1418,16 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CreateVolumeGroupJob - Create new volume group named %1. - Crea un nuovo gruppo di volumi denominato %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Crea un nuovo gruppo di volumi denominato <strong>%1</strong>. - - - - Creating new volume group named %1. - Creazione del nuovo gruppo di volumi denominato %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1394,13 +1440,15 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse - Deactivate volume group named %1. - Disattiva il gruppo di volumi denominato %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Disattiva gruppo di volumi denominato <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1412,18 +1460,16 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse DeletePartitionJob - Delete partition %1. - Cancellare la partizione %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Cancellare la partizione <strong>%1</strong>. - - - - Deleting partition %1. - Cancellazione partizione %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1609,12 +1655,14 @@ Passphrase per la partizione esistente Please enter the same passphrase in both boxes. + @tooltip Si prega di immettere la stessa frase di accesso in entrambi i riquadri. - Password must be a minimum of %1 characters - La password deve avere almeno %1 caratteri + Password must be a minimum of %1 characters. + @tooltip + @@ -1635,57 +1683,68 @@ Passphrase per la partizione esistente Set partition information + @title Impostare informazioni partizione Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Installa %1 su un<strong>nuovo</strong> sistema di partizioni la %2 con le caratteristiche <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Installare %1 sulla <strong>nuova</strong> partizione di sistema %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Crea una<strong>nuova </strong>partizione %2 con un punto di montaggio<strong>%1</strong> e le caratteristiche <em>% 3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Crea una<strong>nuova</strong>partizione %2 con un punto di montaggio<strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Installa %2 sul sistema di partizioni %3 <strong>%1</strong> con le caratteristiche <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Crea la partizione %3 <strong>%1</strong> con un punto di montaggio <strong>%2</strong> e caratteristiche <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Crea la partizione %3 <strong>%1</strong> con un punto di montaggio <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Installare %2 sulla partizione di sistema %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Installare il boot loader su <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Impostazione dei punti di mount. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ Passphrase per la partizione esistente FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatta la partizione %1 (file system: %2, dimensione: %3 MiB) su %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatta la partizione <strong>%1</strong> di dimensione <strong>%3MiB </strong> con il file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formattazione della partizione %1 con file system %2. + + Formatting partition %1 with file system %2… + @status + @@ -2264,20 +2326,38 @@ Passphrase per la partizione esistente MachineIdJob - + Generate machine-id. Genera machine-id. - + Configuration Error Errore di configurazione - + No root mount point is set for MachineId. Non è stato impostato alcun punto di montaggio root per MachineId + + + + + + File not found + File non trovato + + + + Path <pre>%1</pre> must be an absolute path. + Il percorso <pre>%1</pre> deve essere assoluto. + + + + Could not create new random file <pre>%1</pre>. + Impossibile creare un nuovo file random <pre>%1</pre>. + Map @@ -2810,11 +2890,6 @@ Passphrase per la partizione esistente Unknown error Errore sconosciuto - - - Password is empty - Password vuota - PackageChooserPage @@ -2871,7 +2946,8 @@ Passphrase per la partizione esistente - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2977,31 +3053,37 @@ Passphrase per la partizione esistente Home + @label Home Boot + @label Boot EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label Nuova partizione per %1 New partition + @label Nuova partizione @@ -3017,37 +3099,44 @@ Passphrase per la partizione esistente Free Space + @title Spazio disponibile - New partition - Nuova partizione + New Partition + @title + Name + @title Nome File System + @title File System File System Label + @title Etichetta File System Mount Point + @title Punto di mount Size + @title Dimensione @@ -3126,16 +3215,6 @@ Passphrase per la partizione esistente PartitionViewStep - - - Gathering system information... - Raccolta delle informazioni di sistema... - - - - Partitions - Partizioni - Unsafe partition actions are enabled. @@ -3151,16 +3230,6 @@ Passphrase per la partizione esistente No partitions will be changed. Nessuna partizione verrà modificata. - - - Current: - Corrente: - - - - After: - Dopo: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3212,6 +3281,30 @@ Passphrase per la partizione esistente The filesystem must have flag <strong>%1</strong> set. Il file system deve avere impostato il flag <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Partizioni + + + + Current: + @label + Corrente: + + + + After: + @label + Dopo: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3257,8 +3350,9 @@ Passphrase per la partizione esistente PlasmaLnfJob - Plasma Look-and-Feel Job - Job di Plasma Look-and-Feel + Applying Plasma Look-and-Feel… + @status + @@ -3285,6 +3379,7 @@ Passphrase per la partizione esistente Look-and-Feel + @label Look-and-Feel @@ -3292,8 +3387,9 @@ Passphrase per la partizione esistente PreserveFiles - Saving files for later ... - Salvataggio dei file per dopo ... + Saving files for later… + @status + @@ -3389,26 +3485,12 @@ Output: Default - - - - - File not found - File non trovato - - - - Path <pre>%1</pre> must be an absolute path. - Il percorso <pre>%1</pre> deve essere assoluto. - - - + Directory not found Cartella non trovata - - + Could not create new random file <pre>%1</pre>. Impossibile creare un nuovo file random <pre>%1</pre>. @@ -3427,11 +3509,6 @@ Output: (no mount point) (nessun punto di montaggio) - - - Unpartitioned space or unknown partition table - Spazio non partizionato o tabella delle partizioni sconosciuta - unknown @@ -3456,6 +3533,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Spazio non partizionato o tabella delle partizioni sconosciuta + Recommended @@ -3471,8 +3554,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab RemoveUserJob - Remove live user from target system - Rimuovi l'utente live dal sistema di destinazione + Removing live user from the target system… + @status + @@ -3480,13 +3564,15 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Remove Volume Group named %1. - Rimuovi Gruppo di Volumi denominato %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Rimuovi gruppo di volumi denominato <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3599,22 +3685,25 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab ResizePartitionJob - - Resize partition %1. - Ridimensionare la partizione %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Ridimensionare la partizione <strong>%1</strong> da <strong>%2MiB</strong> a <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Sto ridimensionando la partizione %1 di dimensione %2MiB a %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Il programma di installazione non è riuscito a ridimensionare la partizione %1 sul disco '%2'. @@ -3624,6 +3713,7 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab Resize Volume Group + @title RIdimensiona Gruppo di Volumi @@ -3631,17 +3721,24 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ridimensiona il gruppo di volumi con nome %1 da %2 a %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Ridimensiona il gruppo di volumi con nome <strong>%1</strong> da <strong>%2</strong> a <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Il programma di installazione non è riuscito a ridimensionare un volume di gruppo di nome '%1' @@ -3658,13 +3755,15 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab ScanningDialog - Scanning storage devices... - Rilevamento dei dispositivi di memoria... + Scanning storage devices… + @status + - Partitioning - Partizionamento + Partitioning… + @status + @@ -3681,8 +3780,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Setting hostname %1. - Impostare hostname %1. + Setting hostname %1… + @status + @@ -3746,81 +3846,96 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab SetPartFlagsJob - Set flags on partition %1. - Impostare i flag sulla partizione: %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Impostare le flag sulla partizione %2 da %1MiB. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Impostare i flag sulla nuova partizione. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Rimuovere i flag sulla partizione <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Rimuovere le flag dalla partizione <strong>%2</strong> da %1MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Rimuovere i flag dalla nuova partizione. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Flag di partizione <strong>%1</strong> come <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Flag della partizione <strong>%2</strong> da %1MiB impostate come <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Flag della nuova partizione come <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Rimozione dei flag sulla partizione <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Rimozione delle flag sulla partizione <strong>%2</strong> da %1MiB in corso. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Rimozione dei flag dalla nuova partizione. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Impostazione dei flag <strong>%2</strong> sulla partizione <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Impostazione delle flag <strong>%3</strong> sulla partizione <strong>%2</strong> da %1MiB in corso. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Impostazione dei flag <strong>%1</strong> sulla nuova partizione. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Impossibile impostare i flag sulla partizione %1. @@ -3834,32 +3949,33 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Setting password for user %1. - Impostare la password per l'utente %1. + Setting password for user %1… + @status + - + Bad destination system path. Percorso di destinazione del sistema errato. - + rootMountPoint is %1 punto di mount per root è %1 - + Cannot disable root account. Impossibile disabilitare l'account di root. - + Cannot set password for user %1. Impossibile impostare la password per l'utente %1. - - + + usermod terminated with error code %1. usermod si è chiuso con codice di errore %1. @@ -3908,8 +4024,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab SetupGroupsJob - Preparing groups. - Preparazione gruppi. + Preparing groups… + @status + @@ -3927,8 +4044,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab SetupSudoJob - Configure <pre>sudo</pre> users. - Configura un utente <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3945,8 +4063,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab ShellProcessJob - Shell Processes Job - Job dei processi della shell + Running shell processes… + @status + @@ -3995,8 +4114,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Sending installation feedback. - Invio della valutazione dell'installazione. + Sending installation feedback… + @status + @@ -4018,8 +4138,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Configuring KDE user feedback. - Sto configurando le segnalazioni degli utenti di KDE + Configuring KDE user feedback… + @status + @@ -4047,8 +4168,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab - Configuring machine feedback. - Configurazione in corso della valutazione automatica. + Configuring machine feedback… + @status + @@ -4110,6 +4232,7 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab Feedback + @title Valutazione @@ -4117,8 +4240,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab UmountJob - Unmount file systems. - Smonta i file system. + Unmounting file systems… + @status + @@ -4276,11 +4400,6 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab &Release notes &Note di rilascio - - - %1 support - supporto %1 - About %1 Setup @@ -4293,12 +4412,19 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Benvenuti @@ -4307,6 +4433,7 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab Welcome + @title Benvenuti @@ -4314,8 +4441,9 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab ZfsJob - Create ZFS pools and datasets - Crea pool ZFS e set di dati + Creating ZFS pools and datasets… + @status + @@ -4762,21 +4890,11 @@ Ozione di Default. What is your name? Qual è il tuo nome? - - - Your Full Name - Nome completo - What name do you want to use to log in? Quale nome usare per l'autenticazione? - - - Login Name - Nome Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4797,11 +4915,6 @@ Ozione di Default. What is the name of this computer? Qual è il nome di questo computer? - - - Computer Name - Nome del computer - This name will be used if you make the computer visible to others on a network. @@ -4822,16 +4935,21 @@ Ozione di Default. Password Password - - - Repeat Password - Ripeti la password - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Immettere la stessa password due volte, in modo che possa essere verificata la presenza di errori di battitura. Una buona password che conterrà una combinazione di lettere, numeri e segni di punteggiatura, dovrebbe essere lunga almeno otto caratteri e dovrebbe essere cambiata a intervalli regolari. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4847,11 +4965,31 @@ Ozione di Default. Log in automatically without asking for the password Accedi automaticamente senza chiedere la password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Sono permesse solo lettere, numeri, trattini e trattini bassi. + + + Repeat password + + Reuse user password as root password @@ -4867,16 +5005,6 @@ Ozione di Default. Choose a root password to keep your account safe. Scegli una password di root per tenere il tuo account al sicuro. - - - Root Password - Password di Root - - - - Repeat Root Password - Ripeti la Password di Root - Enter the same password twice, so that it can be checked for typing errors. @@ -4895,21 +5023,11 @@ Ozione di Default. What is your name? Qual è il tuo nome? - - - Your Full Name - Nome completo - What name do you want to use to log in? Quale nome usare per l'autenticazione? - - - Login Name - Nome Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4930,10 +5048,20 @@ Ozione di Default. What is the name of this computer? Qual è il nome di questo computer? + + + Your full name + + + + + Login name + + - Computer Name - Nome del computer + Computer name + @@ -4962,8 +5090,18 @@ Ozione di Default. - Repeat Password - Ripeti la password + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4985,16 +5123,6 @@ Ozione di Default. Choose a root password to keep your account safe. Scegli una password di root per tenere il tuo account al sicuro. - - - Root Password - Password di Root - - - - Repeat Root Password - Ripeti la Password di Root - Enter the same password twice, so that it can be checked for typing errors. @@ -5032,13 +5160,13 @@ Ozione di Default. - Known issues - Problemi conosciuti + Known Issues + - Release notes - Note di rilascio + Release Notes + @@ -5062,13 +5190,13 @@ Ozione di Default. - Known issues - Problemi conosciuti + Known Issues + - Release notes - Note di rilascio + Release Notes + diff --git a/lang/calamares_ja-Hira.ts b/lang/calamares_ja-Hira.ts index 96df4bd7a5..dd68a53fb3 100644 --- a/lang/calamares_ja-Hira.ts +++ b/lang/calamares_ja-Hira.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -625,18 +630,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -650,9 +664,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -661,56 +686,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -765,36 +783,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -828,11 +859,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -845,12 +878,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1000,42 +1030,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1107,13 +1138,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1192,31 +1223,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1224,43 +1261,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1296,17 +1341,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1324,28 +1367,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1354,6 +1401,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1361,17 +1409,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1385,12 +1431,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1403,17 +1451,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1599,11 +1645,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1625,56 +1673,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1744,23 +1803,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2254,20 +2316,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2782,11 +2862,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2843,7 +2918,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2949,31 +3025,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -2989,37 +3071,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3098,16 +3187,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3123,16 +3202,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3184,6 +3253,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3229,7 +3322,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3257,6 +3351,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3264,7 +3359,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3358,26 +3454,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3396,11 +3478,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3425,6 +3502,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3439,7 +3522,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3448,12 +3532,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3566,22 +3652,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3591,6 +3680,7 @@ Output: Resize Volume Group + @title @@ -3598,17 +3688,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3625,12 +3722,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3648,7 +3747,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3713,81 +3813,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3801,32 +3916,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3875,7 +3991,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3894,7 +4011,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3912,7 +4030,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3962,7 +4081,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3985,7 +4105,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4014,7 +4135,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4077,6 +4199,7 @@ Output: Feedback + @title @@ -4084,7 +4207,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4243,11 +4367,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4260,12 +4379,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4274,6 +4400,7 @@ Output: Welcome + @title @@ -4281,7 +4408,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4697,21 +4825,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4732,11 +4850,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4758,13 +4871,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4782,11 +4900,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4802,16 +4940,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4830,21 +4958,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,9 +4983,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4897,7 +5025,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4920,16 +5058,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4966,12 +5094,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4995,12 +5123,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ja.ts b/lang/calamares_ja.ts index bc127f62de..5de79da172 100644 --- a/lang/calamares_ja.ts +++ b/lang/calamares_ja.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - 自動マウント設定を管理する + Managing auto-mount settings… + @status + 自動マウント設定を管理しています… @@ -56,22 +57,26 @@ Master Boot Record of %1 - %1 のマスターブートレコード + @info + %1 のマスター ブート レコード Boot Partition + @info ブートパーティション System Partition + @info システムパーティション Do not install a boot loader - ブートローダーをインストールしません + @label + ブートローダーをインストールしない @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label セットアップ - + Install @label インストール @@ -631,18 +636,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - ファイルシステムのラベルを %1 に設定する。 + Set filesystem label on %1 + @title + %1 にファイルシステムのラベルを設定 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - ファイルシステムのラベル <strong>%1</strong> をパーティション <strong>%2</strong> に設定する。 + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + ファイルシステム ラベル <strong>%1</strong> をパーティション <strong>%2</strong> に設定 - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + ファイルシステム ラベル <strong>%1</strong> をパーティション <strong>%2</strong> に設定しています... + + + + The installer failed to update partition table on disk '%1'. + @info インストーラーはディスク '%1' 上のパーティションテーブルのアップデートに失敗しました。 @@ -656,9 +670,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手動パーティション</strong><br/>パーティションを自分で作成またはサイズ変更することができます。 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>縮小するパーティションを選択し、下のバーをドラッグしてサイズを変更して下さい</strong> + Select storage de&vice: + @label ストレージデバイスを選択 (&V): @@ -667,56 +692,49 @@ The installer will quit and all changes will be lost. Current: + @label 現在: After: - 後: - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手動パーティション</strong><br/>パーティションを自分で作成またはサイズ変更することができます。 + @label + 変更後: - Reuse %1 as home partition for %2. - %1 を %2 のホームパーティションとして再利用する - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>縮小するパーティションを選択し、下のバーをドラッグしてサイズを変更して下さい</strong> + Reuse %1 as home partition for %2 + @label + %1 を %2 のホーム パーティションとして再利用する。{1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 は %2MiB に縮小され、%4 に新しい %3MiB のパーティションが作成されます。 - - - Boot loader location: - ブートローダーの場所: - <strong>Select a partition to install on</strong> + @label <strong>インストールするパーティションの選択</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name システムにEFIシステムパーティションが存在しません。%1 のセットアップのため、元に戻り、手動パーティショニングを使用してください。 The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 の EFI システム パーティションは、%2 の起動に使用されます。 EFI system partition: + @label EFI システムパーティション: @@ -771,38 +789,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info このストレージデバイスにはパーティションの1つが<strong>マウントされています</strong>。 This storage device is a part of an <strong>inactive RAID</strong> device. + @info このストレージデバイスは<strong>非アクティブなRAID</strong>デバイスの一部です。 - No Swap - スワップを使用しない + No swap + @label + スワップなし - Reuse Swap + Reuse swap + @label スワップを再利用 Swap (no Hibernate) + @label スワップ(ハイバーネートなし) Swap (with Hibernate) + @label スワップ(ハイバーネート) Swap to file + @label ファイルにスワップ + + + Bootloader location: + @label + ブートローダーの場所: + ClearMountsJob @@ -834,12 +865,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title %1 のパーティション操作のため、マウントを解除する - Clearing mounts for partitioning operations on %1. - %1 のパーティション操作のため、マウントを解除しています。 + Clearing mounts for partitioning operations on %1… + @status + %1 のパーティション操作のためにマウントをクリアしています。{1…?} @@ -851,13 +884,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - すべての一時的なマウントをクリアする - - - Clearing all temporary mounts. - すべての一時的なマウントをクリアしています。 + Clearing all temporary mounts… + @status + すべての一時的なマウントをクリアしています... @@ -1006,42 +1036,43 @@ The installer will quit and all changes will be lost. OK! - + Package Selection パッケージの選択 - + Please pick a product from the list. The selected product will be installed. リストから製品を選んでください。選択した製品がインストールされます。 - + Packages パッケージ - + Install option: <strong>%1</strong> インストールオプション: <strong>%1</strong> - + None なし - + Summary + @label 要約 - + This is an overview of what will happen once you start the setup procedure. これは、セットアップ開始後に行うことの概要です。 - + This is an overview of what will happen once you start the install procedure. これは、インストール開始後に行うことの概要です。 @@ -1114,15 +1145,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - システム言語は %1 に設定されます。{1?} + システムの言語を %1 に設定する。 - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - 数値と日付のロケールは %1 に設定されます。{1?} + 数値と日付のロケールを %1 に設定する。 @@ -1199,31 +1230,37 @@ The installer will quit and all changes will be lost. En&crypt + @action 暗号化 (&C) Logical - 論理 + @label + 論理パーティション Primary - プライマリ + @label + 基本パーティション GPT + @label GPT Mountpoint already in use. Please select another one. + @info マウントポイントは既に使用されています。他を選択してください。 Mountpoint must start with a <tt>/</tt>. + @info マウントポイントは <tt>/</tt> で開始する必要があります。 @@ -1231,43 +1268,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - %3 (%2) にエントリ %4 の新しい %1MiB パーティションを作成する。 + Create new %1MiB partition on %3 (%2) with entries %4 + @title + %3 (%2) にエントリー %4 の新しい %1MiB パーティションを作成する。{1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - %3 (%2) に新しい %1MiB パーティションを作成する。 + Create new %1MiB partition on %3 (%2) + @title + %3 (%2) に新しい %1MiB パーティションを作成 - Create new %2MiB partition on %4 (%3) with file system %1. - %4 (%3) にファイルシステム %1 の新しい %2MiB パーティションを作成する。 + Create new %2MiB partition on %4 (%3) with file system %1 + @title + ファイル システム %1 で %4 (%3) に新しい %2MiB パーティションを作成 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - <strong>%3</strong> (%2) にエントリ <em>%4</em> の新しい <strong>%1MiB</strong> パーティションを作成する。 + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + <strong>%3</strong> (%2) に、エントリー <em>%4</em> の新しい <strong>%1MiB</strong> パーティションを作成 - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - <strong>%3</strong> (%2) に新しい <strong>%1MiB</strong> パーティションを作成する。 + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + <strong>%3</strong> (%2) に新しい <strong>%1MiB</strong> パーティションを作成 - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%4</strong> (%3) にファイルシステム <strong>%1</strong> の新しい <strong>%2MiB</strong> パーティションを作成する。 + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + ファイルシステム <strong>%1</strong> で、<strong>%4</strong> (%3) に新しい <strong>%2MiB</strong> パーティションを作成 - - - Creating new %1 partition on %2. - %2 に新しい %1 パーティションを作成しています。 + + + Creating new %1 partition on %2… + @status + %2 に新しい %1 パーティションを作成しています。{1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info インストーラーはディスク '%1' にパーティションを作成できませんでした。 @@ -1303,18 +1348,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2 に新しい %1 パーティションテーブルを作成する。 + + Creating new %1 partition table on %2… + @status + %2 に新しい %1 パーティションテーブルを作成しています。{1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3) に新しい <strong>%1</strong> パーティションテーブルを作成する。 - - - - Creating new %1 partition table on %2. - %2 に新しい %1 パーティションテーブルを作成しています。 + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + <strong>%2</strong> に新しい <strong>%1</strong> パーティションテーブルを作成しています (%3)… @@ -1331,29 +1374,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - ユーザー <strong>%1</strong> を作成する。 - - - - Preserving home directory - ホームディレクトリを保持する + Create user <strong>%1</strong> + ユーザー <strong>%1</strong> を作成 - Creating user %1 - ユーザー %1 を作成しています + Creating user %1… + @status + ユーザー %1 を作成しています… + + + + Preserving home directory… + @status + ホームディレクトリを保存しています… Configuring user %1 + @status ユーザー %1 を設定しています - Setting file permissions - ファイルのアクセス権限を設定しています + Setting file permissions… + @status + ファイル権限を設定しています… @@ -1361,6 +1408,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title ボリュームグループの作成 @@ -1368,18 +1416,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - 新しいボリュームグループ %1 を作成する。 + + Creating new volume group named %1… + @status + 新しいボリュームグループ %1 を作成しています。{1…?} - Create new volume group named <strong>%1</strong>. - 新しいボリュームグループ <strong>%1</strong> を作成する。 - - - - Creating new volume group named %1. - 新しいボリュームグループ %1 を作成しています。 + Creating new volume group named <strong>%1</strong>… + @status + ボリュームグループ <strong>%1</strong> を作成しています… @@ -1392,13 +1438,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - ボリュームグループ %1 を無効化 + Deactivating volume group named %1… + @status + ボリューム グループ %1 を非アクティブ化しています… - Deactivate volume group named <strong>%1</strong>. - ボリュームグループ <strong>%1</strong> を無効化。 + Deactivating volume group named <strong>%1</strong>… + @status + ボリューム グループ <strong>%1</strong> を非アクティブ化しています… @@ -1410,18 +1458,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - パーティション %1 の削除 + + Deleting partition %1… + @status + パーティション %1 を削除しています。{1…?} - Delete partition <strong>%1</strong>. - パーティション <strong>%1</strong> の削除 - - - - Deleting partition %1. - パーティション %1 を削除しています。 + Deleting partition <strong>%1</strong>… + @status + パーティション <strong>%1</strong> を削除しています… @@ -1606,12 +1652,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip 両方のボックスに同じパスフレーズを入力してください。 - Password must be a minimum of %1 characters - パスワードは %1 文字以上である必要があります + Password must be a minimum of %1 characters. + @tooltip + パスワードは %1 文字以上にする必要があります。 @@ -1632,57 +1680,68 @@ The installer will quit and all changes will be lost. Set partition information + @title パーティション情報の設定 Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <strong>新規の</strong> %2 システムパーティション (機能 <em>%3</em>) に %1 をインストールする - - Install %1 on <strong>new</strong> %2 system partition. - <strong>新規の</strong> %2 システムパーティションに %1 をインストールする。 + + Install %1 on <strong>new</strong> %2 system partition + @info + 新しい %2 システムパーティションに <strong>%1</strong> をインストール - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>新規の</strong> %2 パーティション (マウントポイント <strong>%1</strong>、機能 <em>%3</em>) をセットアップする。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + マウントポイント <strong>%1</strong> と機能 <em>%3</em> の、<strong>新しい</strong> %2 パーティションをセットアップ - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>新規の</strong> %2 パーティション (マウントポイント <strong>%1</strong> %3) をセットアップする。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + マウントポイント <strong>%1</strong>%3 で、<strong>新しい</strong> %2 パーティションをセットアップ。{2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - %3 システムパーティション <strong>%1</strong> (機能 <em>%4</em>) に %2 をインストールする。 + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + %2 を %3 システムパーティション <strong>%1</strong> に、<em>%4</em> 機能付きでインストール - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - パーティション %3 <strong>%1</strong> (マウントポイント <strong>%2</strong>、機能 <em>%4</em>) をセットアップする。 + + Install %2 on %3 system partition <strong>%1</strong> + @info + %3 の %2 をシステムパーティション <strong>%1</strong> にインストール - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - %3 パーティション <strong>%1</strong> (マウントポイント <strong>%2</strong> %4) をセットアップする。 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + %3 パーティション <strong>%1</strong> を、マウントポイント <strong>%2</strong> と機能 <em>%4</em> でセットアップ - - Install %2 on %3 system partition <strong>%1</strong>. - %3 システムパーティション <strong>%1</strong> に%2 をインストールする。 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + %3 パーティション <strong>%1</strong> をマウントポイント <strong>%2</strong>%4 でセットアップ。{3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - <strong>%1</strong> にブートローダーをインストールする。 + + Install boot loader on <strong>%1</strong>… + @info + <strong>%1</strong> にブートローダーをインストール… - - Setting up mount points. - マウントポイントを設定する。 + + Setting up mount points… + @status + マウントポイントを設定… @@ -1751,24 +1810,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 のパーティション %1 (ファイルシステム: %2、サイズ: %3 MiB) をフォーマットする。 + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + %4 のパーティション %1 (ファイルシステム: %2、サイズ: %3 MiB) をフォーマット。{1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MiB</strong> のパーティション <strong>%1</strong> をファイルシステム <strong>%2</strong> でフォーマットする。 + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + <strong>%3MiB</strong> パーティション <strong>%1</strong> をファイルシステム <strong>%2</strong> でフォーマット - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - ファイルシステム %2 でパーティション %1 をフォーマットしています。 + + Formatting partition %1 with file system %2… + @status + パーティション %1 をファイルシステム %2 でフォーマットしています。{1 ?} {2…?} @@ -2261,20 +2323,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. machine-id の生成 - + Configuration Error コンフィグレーションエラー - + No root mount point is set for MachineId. マシンIDにルートマウントポイントが設定されていません。 + + + + + + File not found + ファイルが見つかりません + + + + Path <pre>%1</pre> must be an absolute path. + パス <pre>%1</pre> は絶対パスにしてください。 + + + + Could not create new random file <pre>%1</pre>. + 新しいランダムファイル <pre>%1</pre> を作成できませんでした。 + Map @@ -2795,11 +2875,6 @@ The installer will quit and all changes will be lost. Unknown error 未知のエラー - - - Password is empty - パスワードが空です - PackageChooserPage @@ -2856,8 +2931,9 @@ The installer will quit and all changes will be lost. - Keyboard switch: - キーボードスイッチ: + Switch Keyboard: + shortcut for switching between keyboard layouts + キーボードの切り替え: @@ -2962,31 +3038,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Boot EFI system + @label EFI システム Swap + @label スワップ New partition for %1 + @label 新しいパーティション %1 New partition + @label 新しいパーティション @@ -3002,37 +3084,44 @@ The installer will quit and all changes will be lost. Free Space + @title 空き領域 - New partition + New Partition + @title 新しいパーティション Name + @title 名前 File System + @title ファイルシステム File System Label + @title ファイルシステムのラベル Mount Point + @title マウントポイント Size + @title サイズ @@ -3111,16 +3200,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - システム情報を取得しています... - - - - Partitions - パーティション - Unsafe partition actions are enabled. @@ -3136,16 +3215,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. パーティションは変更されません。 - - - Current: - 現在: - - - - After: - 変更後: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3197,6 +3266,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. ファイルシステムにはフラグ <strong>%1</strong> を設定する必要があります。 + + + Gathering system information… + @status + システム情報を収集しています… + + + + Partitions + @label + パーティション + + + + Current: + @label + 現在: + + + + After: + @label + 変更後: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3242,8 +3335,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status + Plasma ルック アンド フィールを適用しています… @@ -3270,6 +3364,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Look-and-Feel @@ -3277,8 +3372,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - 後でファイルを保存する... + Saving files for later… + @status + 後のためにファイルを保存... @@ -3374,26 +3470,12 @@ Output: デフォルト - - - - - File not found - ファイルが見つかりません - - - - Path <pre>%1</pre> must be an absolute path. - パス <pre>%1</pre> は絶対パスにしてください。 - - - + Directory not found ディレクトリが見つかりません - - + Could not create new random file <pre>%1</pre>. 新しいランダムファイル <pre>%1</pre> を作成できませんでした。 @@ -3412,11 +3494,6 @@ Output: (no mount point) (マウントポイントなし) - - - Unpartitioned space or unknown partition table - パーティションされていない領域または未知のパーティションテーブル - unknown @@ -3441,6 +3518,12 @@ Output: @partition info スワップ + + + Unpartitioned space or unknown partition table + @info + パーティションされていない領域または未知のパーティションテーブル + Recommended @@ -3456,8 +3539,9 @@ Output: RemoveUserJob - Remove live user from target system - ターゲットシステムからliveユーザーを消去 + Removing live user from the target system… + @status + ターゲットシステムからライブユーザーを削除しています… @@ -3465,13 +3549,15 @@ Output: - Remove Volume Group named %1. - ボリュームグループ %1 の消去。 + Removing Volume Group named %1… + @status + ボリュームグループ %1 を削除しています… - Remove Volume Group named <strong>%1</strong>. - ボリュームグループ <strong>%1</strong> の消去。 + Removing Volume Group named <strong>%1</strong>… + @status + ボリュームグループ <strong>%1</strong> を削除しています… @@ -3585,22 +3671,25 @@ Output: ResizePartitionJob - - Resize partition %1. - パーティション %1 のサイズを変更する。 + + Resize partition %1 + @title + パーティション %1 のサイズを変更 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong> のパーティション <strong>%1</strong> を <strong>%3MiB</strong>にサイズ変更。 + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + <strong>%2MiB</strong> パーティション <strong>%1</strong> のサイズを <strong>%3MiB</strong> に変更 - - Resizing %2MiB partition %1 to %3MiB. - %2MiB のパーティション %1 を %3MiB にサイズ変更しています。 + + Resizing %2MiB partition %1 to %3MiB… + @status + %2MiB パーティション %1 のサイズを %3MiB に変更… - + The installer failed to resize partition %1 on disk '%2'. インストーラが、ディスク '%2' でのパーティション %1 のリサイズに失敗しました。 @@ -3610,6 +3699,7 @@ Output: Resize Volume Group + @title ボリュームグループのサイズ変更 @@ -3617,17 +3707,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - ボリュームグループ %1 を %2 から %3 にサイズ変更。 + Resize volume group named %1 from %2 to %3 + @title + ボリュームグループ %1 のサイズを %2 から %3 に変更。{1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - ボリュームグループ <strong>%1</strong> を <strong>%2</strong> から <strong>%3</strong> にサイズ変更。 + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + ボリュームグループ <strong>%1</strong> のサイズを <strong>%2</strong> から <strong>%3</strong> に変更 + + + + Resizing volume group named %1 from %2 to %3… + @status + ボリュームグループ %1 のサイズを %2 から %3 に変更しています… - + The installer failed to resize a volume group named '%1'. インストーラーはボリュームグループ '%1' のサイズ変更に失敗しました。 @@ -3644,13 +3741,15 @@ Output: ScanningDialog - Scanning storage devices... - ストレージデバイスをスキャンしています... + Scanning storage devices… + @status + ストレージデバイスをスキャンしています… - Partitioning - パーティショニング + Partitioning… + @status + パーティションを作成… @@ -3667,8 +3766,9 @@ Output: - Setting hostname %1. - ホスト名 %1 を設定しています。 + Setting hostname %1… + @status + ホスト名 %1 を設定しています。{1…?} @@ -3732,81 +3832,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - パーティション %1 にフラグを設定する。 + Set flags on partition %1 + @title + パーティション %1 にフラグを設定 - Set flags on %1MiB %2 partition. - %1MiB %2 パーティションにフラグを設定する。 + Set flags on %1MiB %2 partition + @title + %1MiB %2 パーティションにフラグを設定 - Set flags on new partition. - 新しいパーティションにフラグを設定する。 + Set flags on new partition + @title + 新しいパーティションにフラグを設定 - Clear flags on partition <strong>%1</strong>. - パーティション <strong>%1</strong> 上のフラグを消去。 + Clear flags on partition <strong>%1</strong> + @info + パーティション <strong>%1</strong> のフラグをクリア - Clear flags on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> パーティション上のフラグを消去。 + Clear flags on %1MiB <strong>%2</strong> partition + @info + %1MiB <strong>%2</strong> パーティションのフラグをクリア - Clear flags on new partition. - 新しいパーティション上のフラグを消去。 + Clear flags on new partition + @info + 新しいパーティションのフラグをクリア - Flag partition <strong>%1</strong> as <strong>%2</strong>. - パーティション <strong>%1</strong> に <strong>%2</strong>フラグを設定する。 + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + パーティション <strong>%1</strong> のフラグを <strong>%2</strong> に設定 - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiB <strong>%2</strong> パーティションに <strong>%3</strong> フラグを設定する。 + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + %1MiB <strong>%2</strong> パーティションのフラグを <strong>%3</strong> に設定 - - Flag new partition as <strong>%1</strong>. - 新しいパーティションに <strong>%1</strong> フラグを設定する。 + + Set flags on new partition to <strong>%1</strong> + @info + 新しいパーティションのフラグを <strong>%1</strong> に設定 - - Clearing flags on partition <strong>%1</strong>. - パーティション <strong>%1</strong> のフラグを消去しています。 + + Clearing flags on partition <strong>%1</strong>… + @status + パーティション <strong>%1</strong> のフラグをクリアしています… - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> パーティション上のフラグを消去しています。 + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + %1MiB <strong>%2</strong> パーティションのフラグをクリアしています… - - Clearing flags on new partition. - 新しいパーティション上のフラグを消去しています。 + + Clearing flags on new partition… + @status + 新しいパーティションのフラグをクリアしています… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - パーティション <strong>%1</strong> に <strong>%2</strong> フラグを設定する。 + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + パーティション <strong>%1</strong> にフラグ <strong>%2</strong> を設定しています… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> パーティションに <strong>%3</strong> フラグを設定しています。 + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + %1MiB <strong>%2</strong> パーティションにフラグ <strong>%3</strong> を設定… - - Setting flags <strong>%1</strong> on new partition. - 新しいパーティションに <strong>%1</strong> フラグを設定しています。 + + Setting flags <strong>%1</strong> on new partition… + @status + 新しいパーティションにフラグ <strong>%1</strong> を設定しています… - + The installer failed to set flags on partition %1. インストーラーはパーティション %1 上のフラグの設定に失敗しました。 @@ -3820,32 +3935,33 @@ Output: - Setting password for user %1. - ユーザ %1 のパスワードを設定しています。 + Setting password for user %1… + @status + ユーザー %1 のパスワードを設定しています。{1…?} - + Bad destination system path. 不正なシステムパス。 - + rootMountPoint is %1 root のマウントポイントは %1 。 - + Cannot disable root account. rootアカウントを使用することができません。 - + Cannot set password for user %1. ユーザ %1 のパスワードは設定できませんでした。 - - + + usermod terminated with error code %1. エラーコード %1 によりusermodが停止しました。 @@ -3894,8 +4010,9 @@ Output: SetupGroupsJob - Preparing groups. - グループを準備しています。 + Preparing groups… + @status + グループを準備しています... @@ -3913,8 +4030,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> ユーザーを設定する。 + Configuring <pre>sudo</pre> users… + @status + <pre>sudo</pre> ユーザーを設定… @@ -3931,8 +4049,9 @@ Output: ShellProcessJob - Shell Processes Job - シェルプロセスジョブ + Running shell processes… + @status + シェルプロセスを実行しています... @@ -3981,8 +4100,9 @@ Output: - Sending installation feedback. - インストールのフィードバックを送信 + Sending installation feedback… + @status + インストールに関するフィードバックを送信しています… @@ -4004,8 +4124,9 @@ Output: - Configuring KDE user feedback. - KDEのユーザーフィードバックを設定しています。 + Configuring KDE user feedback… + @status + KDE ユーザー フィードバックを設定しています… @@ -4033,8 +4154,9 @@ Output: - Configuring machine feedback. - マシンフィードバックの設定 + Configuring machine feedback… + @status + マシンフィードバックを設定しています… @@ -4096,6 +4218,7 @@ Output: Feedback + @title フィードバック @@ -4103,8 +4226,9 @@ Output: UmountJob - Unmount file systems. - ファイルシステムをアンマウント。 + Unmounting file systems… + @status + ファイル システムをアンマウント… @@ -4262,11 +4386,6 @@ Output: &Release notes リリースノート (&R) - - - %1 support - %1 サポート - About %1 Setup @@ -4279,12 +4398,19 @@ Output: @title %1 インストーラーについて + + + %1 Support + @action + %1 サポート + WelcomeQmlViewStep Welcome + @title ようこそ @@ -4293,6 +4419,7 @@ Output: Welcome + @title ようこそ @@ -4300,8 +4427,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS プールとデータセットを作成 + Creating ZFS pools and datasets… + @status + ZFS プールとデータセットを作成しています… @@ -4748,21 +4876,11 @@ Output: What is your name? あなたの名前は何ですか? - - - Your Full Name - あなたのフルネーム - What name do you want to use to log in? ログイン時に使用する名前は何ですか? - - - Login Name - ログイン名 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4783,11 +4901,6 @@ Output: What is the name of this computer? このコンピューターの名前は何ですか? - - - Computer Name - コンピューターの名前 - This name will be used if you make the computer visible to others on a network. @@ -4808,16 +4921,21 @@ Output: Password パスワード - - - Repeat Password - パスワードを再度入力 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 同じパスワードを2回入力して、入力エラーをチェックできるようにします。適切なパスワードは文字、数字、句読点が混在する8文字以上のもので、定期的に変更する必要があります。 + + + Root password + root パスワード + + + + Repeat root password + root パスワードを再入力 + Validate passwords quality @@ -4833,11 +4951,31 @@ Output: Log in automatically without asking for the password パスワードを要求せずに自動的にログインする + + + Your full name + あなたのフルネーム + + + + Login name + ログイン名 + + + + Computer name + コンピューター名 + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. 使用できるのはアルファベットと数字と _ と - で、2文字以上必要です。 + + + Repeat password + パスワードを再入力 + Reuse user password as root password @@ -4853,16 +4991,6 @@ Output: Choose a root password to keep your account safe. アカウントを安全に保つために、rootパスワードを選択してください。 - - - Root Password - rootパスワード - - - - Repeat Root Password - rootパスワードを再入力 - Enter the same password twice, so that it can be checked for typing errors. @@ -4881,21 +5009,11 @@ Output: What is your name? あなたの名前は何ですか? - - - Your Full Name - あなたのフルネーム - What name do you want to use to log in? ログイン時に使用する名前は何ですか? - - - Login Name - ログイン名 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4916,10 +5034,20 @@ Output: What is the name of this computer? このコンピューターの名前は何ですか? + + + Your full name + あなたのフルネーム + + + + Login name + ログイン名 + - Computer Name - コンピューターの名前 + Computer name + コンピューター名 @@ -4948,8 +5076,18 @@ Output: - Repeat Password - パスワードを再度入力 + Repeat password + パスワードを再入力 + + + + Root password + root パスワード + + + + Repeat root password + root パスワードを再入力 @@ -4971,16 +5109,6 @@ Output: Choose a root password to keep your account safe. アカウントを安全に保つために、rootパスワードを選択してください。 - - - Root Password - rootパスワード - - - - Repeat Root Password - rootパスワードを再入力 - Enter the same password twice, so that it can be checked for typing errors. @@ -5018,12 +5146,12 @@ Output: - Known issues + Known Issues 既知の問題点 - Release notes + Release Notes リリースノート @@ -5048,12 +5176,12 @@ Output: - Known issues + Known Issues 既知の問題点 - Release notes + Release Notes リリースノート diff --git a/lang/calamares_ka.ts b/lang/calamares_ka.ts index 779626fdb5..e34836dc4e 100644 --- a/lang/calamares_ka.ts +++ b/lang/calamares_ka.ts @@ -6,30 +6,31 @@ <h1>%1</h1><br/><strong>%2<br/> for %3</strong><br/><br/> - + <h1>%1</h1><br/><strong>%2<br/> %3-სთვის</strong><br/><br/> Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://app.transifex.com/calamares/calamares/">Calamares translators team</a>. - + მადლობა <a href="https://calamares.io/team/">Calamares-ის გუნდს</a> და <a href="https://app.transifex.com/calamares/calamares/">Calamares-ის მთარგმნელების გუნდს</a>. <a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + <a href="https://calamares.io/">Calamares</a>-ის დაწერის ხარჯები დაფინანსებულია კომპანია <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software-ის მიერ. Copyright %1-%2 %3 &lt;%4&gt;<br/> Copyright year-year Name <email-address> - + საავტორო უფლებები %1-%2 %3 &lt;%4&gt;<br/> AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -38,7 +39,7 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - + ამ სისტემის <strong>ჩატვირთვის გარემო</strong>.<br><br>ძველ x86 სისტემებს,მხოლოდ, <strong>BIOS</strong>.<br>თანამედროვე სისტემები, ჩვეულებრივ, <strong>EFI</strong>-ის იყენებენ, მაგრამ შეიძლება, ასევე გამოჩნდნენ, როგორც BIOS, თავსებადობის მიზნით. @@ -56,27 +57,31 @@ Master Boot Record of %1 - + @info + %1-ის მთავარი ჩატვირთვის ჩანაწერი Boot Partition - + @info + ჩამტვირთავი დანაყოფები System Partition - + @info + სისტემური დანაყოფი Do not install a boot loader - + @label + არ დააყენო ჩამტვირთავი %1 (%2) - + %1 (%2) @@ -84,7 +89,7 @@ Blank Page - + სუფთა გვერდი @@ -92,33 +97,33 @@ GlobalStorage - + გლობალურისაცავი JobQueue - + დავალებებისრიგი Modules - + მოდულები Type: - + ტიპი: none - + არა Interface: - + ინტერფეისი: @@ -133,12 +138,12 @@ Send Session Log - + სესიის ჟურნალის გაგზავნა Reload Stylesheet - + სტილების ცხრილის თავიდან ჩატვირთვა @@ -153,34 +158,34 @@ Widget Tree - + ვიჯეტების ხე Debug Information @title - + გამართვის ინფორმაცია Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + %p% - + Set Up @label - + მორგება - + Install @label - + დაყენება @@ -188,7 +193,7 @@ Job failed (%1) - + დავალება ჩავარდა (%1) @@ -201,7 +206,7 @@ Done - + დასრულდა @@ -209,7 +214,7 @@ Example job (%1) - + მაგალითი დავალება (%1) @@ -218,13 +223,13 @@ Running command %1 in target system… @status - + სრულდება ბრძანება %1 სამიზნე სისტემაში… Running command %1… @status - + სრულდება ბრძანება %1… @@ -232,12 +237,12 @@ Running %1 operation. - + სრულდება %1 ოპერაცია. Bad working directory path - + არასწორი სამუშაო საქაღალდის ბილიკი @@ -252,7 +257,7 @@ Bad main script file - + არასწორი მთავარი სკრიპტის ფაილი @@ -262,7 +267,7 @@ Bad internal script - + არასწორი შიდა სკრიპტი @@ -297,13 +302,13 @@ Running %1 operation… @status - + სრულდება %1 ოპერაცია… Bad working directory path @error - + არასწორი სამუშაო საქაღალდის ბილიკი @@ -315,7 +320,7 @@ Bad main script file @error - + არასწორი მთავარი სკრიპტის ფაილი @@ -327,7 +332,7 @@ Boost.Python error in job "%1" @error - + Boost.Python-ის შეცდომა დავალებაში "%1" @@ -336,19 +341,19 @@ Loading… @status - + ჩატვირთვა… QML step <i>%1</i>. @label - + QML-ის ბიჯი <i>%1</i>. Loading failed. @info - + ჩატვირთვის შეცდომა. @@ -357,31 +362,31 @@ Requirements checking for module '%1' is complete. @info - + მოთხოვნების შემოწმება მოდულისთვის '%1' დასრულდა. Waiting for %n module(s)… @status - - - + + ველოდები %n მოდულს… + ველოდები %n მოდულს… (%n second(s)) @status - - - + + (%n წამი) + (%n წამი) System-requirements checking is complete. @info - + სისტემური მოთხოვნების შემოწმება დასრულდა. @@ -389,41 +394,41 @@ &Yes - + &დიახ &No - + &არა &Close - + &დახურვა Setup Failed @title - + მორგება ჩავარდა Installation Failed @title - + დაყენების შეცდომა Error @title - + შეცდომა Calamares Initialization Failed @title - + Calamares-ის ინიციალიზაცია ჩავარდა @@ -435,19 +440,19 @@ <br/>The following modules could not be loaded: @info - + <br/>შეუძლებელია შემდეგი მოდულების ჩატვირთვა: Continue with Setup? @title - + გავაგრძელო დაყენება? Continue with Installation? @title - + გავაგრძელო დაყენება? @@ -465,101 +470,101 @@ &Set Up Now @button - + &დაყენება ახლავე &Install Now @button - + &ახლა დაყენება Go &Back @button - + უკან &დაბრუნება &Set Up @button - + &მორგება &Install @button - + &დაყენება Setup is complete. Close the setup program. @tooltip - + მორგება დასრულდა. დახურეთ მორგების პროგრამა. The installation is complete. Close the installer. @tooltip - + დაყენება დასრულდა. დახურეთ დაყენების პროგრამა. Cancel the setup process without changing the system. @tooltip - + მორგების პროცესის გაუქმება სისტემის ცვლილების გარეშე. Cancel the installation process without changing the system. @tooltip - + დაყენების პროცესის გაუქმება სისტემის ცვლილების გარეშე. &Next @button - + &შემდეგი &Back @button - + &უკან &Done @button - + &შესრულებულია &Cancel @button - + გაუ&ქმება Cancel Setup? @title - + გავაუქმო მორგება? Cancel Installation? @title - + გავაუქმო დაყენება? Install Log Paste URL - + დაყენების ჟურნალი ჩასვით ბმული The upload was unsuccessful. No web-paste was done. - + ატვირთვა წარუმატებელია. ვებ-ჩასმა არ განხორციელებულა. @@ -568,19 +573,25 @@ %1 Link copied to clipboard - + დაყენების ჟურნალი აიტვირთვა + +%1 + +მისი ბმული დაკოპირდა ბუფერში Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + მართლა გნებავთ მიმდინარე მორგების პროცესის გაუქმება? +მორგების პროგრამა მუშაობას დაასრულებს და ყველა ცვლილება გაუქმდება. Do you really want to cancel the current install process? The installer will quit and all changes will be lost. - + მართლა გნებავთ მიმდინარე დაყენების პროცესის გაუქმება? +დაყენების პროგრამა მუშაობას დაასრულებს და ყველა ცვლილება გაუქმდება. @@ -589,25 +600,25 @@ The installer will quit and all changes will be lost. Unknown exception type @error - + უცნობი გამონაკლისის ტიპი Unparseable Python error @error - + არადამუშავებადი Python-ის შეცდომა Unparseable Python traceback @error - + არადამუშავებადი Python-ის უკუტრეისი Unfetchable Python error @error - + გამოუთხოვადი Python-ის შეცდომა @@ -615,47 +626,67 @@ The installer will quit and all changes will be lost. %1 Setup Program - + %1-ის მორგების პროგრამა %1 Installer - + %1-ის დაყენების პროგრამა ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - - The installer failed to update partition table on disk '%1'. + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + The installer failed to update partition table on disk '%1'. + @info + ჩავარდა დაყენების პროგრამის მცდელობა, განეახლებინა დანაყოფების ცხრილი დისკზე '%1'. + CheckerContainer Gathering system information... - + სისტემის ინფორმაციის მოგროვება... ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: - + @label + აირჩიეთ საცავის &მოწყობილობა: @@ -663,57 +694,50 @@ The installer will quit and all changes will be lost. Current: - + @label + მიმდინარე: After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - + @label + შემდეგ: - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: - + @label + EFI-ის სისტემური დანაყოფი: @@ -767,36 +791,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) - + @label + სვოპი (პროგრამული ძილის გარეშე) Swap (with Hibernate) - + @label + სვოპი (პროგრამული ძილი) Swap to file + @label + სვოპ-ფაილი + + + + Bootloader location: + @label @@ -805,60 +842,59 @@ The installer will quit and all changes will be lost. Successfully unmounted %1. - + %1-ის მოხსნა წარმატებულია. Successfully disabled swap %1. - + სვოპი %1 წარმატებით გაითიშა. Successfully cleared swap %1. - + სვოპი %1 წარმატებით გასუფთავდა. Successfully closed mapper device %1. - + წარმატებით დახურა ასახვის მოწყობილობა %1. Successfully disabled volume group %1. - + წარმატებით გაითიშა ტომების ჯგუფი %1. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status Cleared all mounts for %1 - + %1-სთვის ყველა მიმაგრება გასუფთავდა ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status Cleared all temporary mounts. - + ყველა დროებითი მიმაგრება გასუფთავდა. @@ -866,7 +902,7 @@ The installer will quit and all changes will be lost. Could not run command. - + ბრძანების გაშვება შეუძლებელია. @@ -899,7 +935,7 @@ The installer will quit and all changes will be lost. Package selection - + პაკეტების არჩევანი @@ -954,12 +990,12 @@ The installer will quit and all changes will be lost. Your username is too long. - + თქვენი მომხმარებლის სახელი ძალიან გრძელია. '%1' is not allowed as username. - + '%1' მომხმარებლის სახელად დაშვებული არაა. @@ -974,70 +1010,71 @@ The installer will quit and all changes will be lost. Your hostname is too short. - + თქვენი ჰოსტის სახელი ძალიან მოკლეა. Your hostname is too long. - + თქვენი ჰოსტის სახელი ძალიან გრძელია. '%1' is not allowed as hostname. - + '%1' ჰოსტის სახელად დაშვებული არაა. Only letters, numbers, underscore and hyphen are allowed. - + დაშვებულია მხოლოდ ლათინური სიმბოლოები, ციფრები, ქვედახაზი და ტირე. Your passwords do not match! - + თქვები პაროლები არ ემთხვეავ! OK! - + დიახ! - + Package Selection - + პაკეტების არჩევანი - + Please pick a product from the list. The selected product will be installed. - + Packages - + პაკეტები - + Install option: <strong>%1</strong> - + დაყენების პარამეტრი: <strong>%1</strong> - + None - + არაფერი - + Summary - + @label + შეჯამება - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1045,49 +1082,49 @@ The installer will quit and all changes will be lost. Setup Failed @title - + მორგება ჩავარდა Installation Failed @title - + დაყენების შეცდომა The setup of %1 did not complete successfully. @info - + %1-ის მორგება წარმატებით არ დასრულებულა. The installation of %1 did not complete successfully. @info - + %1-ის დაყენება წარმატებით არ დასრულებულა. Setup Complete @title - + მორგება დასრულებულია Installation Complete @title - + დაყენება დასრულებულია The setup of %1 is complete. @info - + %1-ის მორგება დასრულდა. The installation of %1 is complete. @info - + %1-ის დაყენება დასრულდა. @@ -1109,13 +1146,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1134,91 +1171,97 @@ The installer will quit and all changes will be lost. Create a Partition - + დანაყოფის შექმნა Si&ze: - + &ზომა: MiB - + მიბ Partition &Type: - + დანაყოფის &ტიპი: Primar&y - + &ძირითადი E&xtended - + &გაფართოებული Fi&le System: - + &ფაილური სისტემა: LVM LV name - + LVM LV სახელი &Mount Point: - + &მიმაგრების წერტილი: Flags: - + ალმები: Label for the filesystem - + ფაილური სისტემის ჭდე FS Label: - + ფაილური სისტემის ჭდე: En&crypt - + @action + &დაშიფვრა Logical - + @label + ლოგიკური Primary - + @label + ძირითადი GPT - + @label + GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1269,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1271,7 +1322,7 @@ The installer will quit and all changes will be lost. Create Partition Table - + დანაყოფების ცხრილის შექმნა @@ -1298,17 +1349,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1322,32 +1371,36 @@ The installer will quit and all changes will be lost. Create user %1 - + %1 მომხმარებლის შექმნა - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 - + @status + მიმდინარეობს მორგება მომხმარებლისთვის %1 - Setting file permissions + Setting file permissions… + @status @@ -1356,24 +1409,23 @@ The installer will quit and all changes will be lost. Create Volume Group - + @title + ტომების ჯგუფის შექმნა CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1439,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,23 +1459,21 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status The installer failed to delete partition %1. - + ჩავარდა დაყენების პროგრამის მცდელობა, წაეშალა დანაყოფი %1. @@ -1429,7 +1481,7 @@ The installer will quit and all changes will be lost. This device has a <strong>%1</strong> partition table. - + ამ მოწყობილობის დანაყოფის ცხრილის ტიპია <strong>%1</strong>. @@ -1463,13 +1515,13 @@ The installer will quit and all changes will be lost. %1 - %2 (%3) device[name] - size[number] (device-node[name]) - + %1 - %2 (%3) %1 - (%2) device[name] - (device-node[name]) - + %1 - (%2) @@ -1490,7 +1542,7 @@ The installer will quit and all changes will be lost. Failed to open %1 @error - + %1-ის გახსნის შეცდომა @@ -1507,22 +1559,22 @@ The installer will quit and all changes will be lost. Edit Existing Partition - + არსებული დანაყოფის ჩასწორება Con&tent: - + შ&ემცველობა: &Keep - + &შენარჩუნება Format - + დაფორმატება @@ -1532,37 +1584,37 @@ The installer will quit and all changes will be lost. &Mount Point: - + &მიმაგრების წერტილი: Si&ze: - + &ზომა: MiB - + მიბ Fi&le System: - + &ფაილური სისტემა: Flags: - + ალმები: Label for the filesystem - + ფაილური სისტემის ჭდე FS Label: - + ფაილური სისტემის ჭდე: @@ -1580,7 +1632,7 @@ The installer will quit and all changes will be lost. En&crypt system - + &ფაილური სისტემის დაშიფვრა @@ -1590,22 +1642,24 @@ The installer will quit and all changes will be lost. Passphrase - + კოდური ფრაზა Confirm passphrase - + დაადასტურეთ საკვანძო ფრაზა Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1614,7 +1668,7 @@ The installer will quit and all changes will be lost. Details: - + დეტალები: @@ -1627,56 +1681,67 @@ The installer will quit and all changes will be lost. Set partition information - + @title + დააყენეთ დანაყოფის ინფორმაცია Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1685,7 +1750,7 @@ The installer will quit and all changes will be lost. &Restart now - + &გადატვირთვა ახლავე @@ -1730,7 +1795,7 @@ The installer will quit and all changes will be lost. Finish @label - + დასრულება @@ -1739,36 +1804,39 @@ The installer will quit and all changes will be lost. Finish @label - + დასრულება FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - + %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status The installer failed to format partition %1 on disk '%2'. - + ჩავარდა დაყენების პროგრამის მცდელობა, დაეფორმატებინა დანაყოფი %1 დისკზე '%2'. @@ -1791,32 +1859,32 @@ The installer will quit and all changes will be lost. has at least %1 GiB working memory - + აქვს %1 გიბ მუშა მეხსიერება მაინც The system does not have enough working memory. At least %1 GiB is required. - + სისტემას არ აქვს საკმარისი მუშა მეხსიერება. აუცილებელია, სულ ცოტა, %1 გბ. is plugged in to a power source - + მიერთებულია კვების წყაროსთან The system is not plugged in to a power source. - + მოწყობილობა კვების წყაროსთან მიერთებული არაა. is connected to the Internet - + მიერთებულია ინტერნეტთან The system is not connected to the Internet. - + ეს მოწყობილობა ინტერნეტთან მიერთებული არაა. @@ -1851,47 +1919,47 @@ The installer will quit and all changes will be lost. is always false - + ყოველთვის ცრუა The computer says no. - + კომპიუტერი იძახის, არაო. is always false (slowly) - + ყოველთვის ცრუა (ნელა) The computer says no (slowly). - + კომპიუტერი იძახის, არაო (ნელა). is always true - + ყოველთვის ჭეშმარიტია The computer says yes. - + კომპიუტერი იძახის, კიო. is always true (slowly) - + ყოველთვის ჭეშმარიტია (ნელა) The computer says yes (slowly). - + კომპიუტერი იძახის, კიო (ნელა). is checked three times. - + სამჯერ მოწმდება. @@ -1950,7 +2018,7 @@ The installer will quit and all changes will be lost. Creating initramfs… @status - + Initramfs-ის შექმნა… @@ -1959,19 +2027,19 @@ The installer will quit and all changes will be lost. Konsole not installed. @error - + Konsole დაყენებული არაა. Please install KDE Konsole and try again! @info - + დააყენეთ KDE Konsole და თავიდან სცადეთ! Executing script: &nbsp;<code>%1</code> @info - + სრულდება სკრიპტი: &nbsp;<code>%1</code> @@ -1980,7 +2048,7 @@ The installer will quit and all changes will be lost. Script @label - + სკრიპტი @@ -1989,7 +2057,7 @@ The installer will quit and all changes will be lost. Keyboard @label - + კლავიატურა @@ -1998,7 +2066,7 @@ The installer will quit and all changes will be lost. Keyboard @label - + კლავიატურა @@ -2007,7 +2075,7 @@ The installer will quit and all changes will be lost. System Locale Setting @title - + სისტემური ენის პარამეტრი @@ -2019,13 +2087,13 @@ The installer will quit and all changes will be lost. &Cancel @button - + გაუ&ქმება &OK @button - + &OK @@ -2033,22 +2101,22 @@ The installer will quit and all changes will be lost. Configuring encrypted swap. - + დაშიფრული სვოპის მორგება. No target system available. - + სამიზნე სისტემა ხელმისაწვდომი არაა. No rootMountPoint is set. - + ძირითადი დანაყოფის მიმაგრების წერტილი დაყენებული არაა. No configFilePath is set. - + კონფიგურაციის ფაილის ბილიკი დაყენებული არაა. @@ -2056,13 +2124,13 @@ The installer will quit and all changes will be lost. <h1>License Agreement</h1> - + <h1>სალიცენზიო შეთანხმება</h1> I accept the terms and conditions above. @info - + მე ვეთანხმები ზემორე წესებსა და პირობებს. @@ -2101,7 +2169,7 @@ The installer will quit and all changes will be lost. License @label - + ლიცენზია @@ -2110,69 +2178,69 @@ The installer will quit and all changes will be lost. URL: %1 @label - + მისამართი: %1 <strong>%1 driver</strong><br/>by %2 @label, %1 is product name, %2 is product vendor %1 is an untranslatable product name, example: Creative Audigy driver - + <strong>დრაივერი %1</strong><br/>ავტორი %2 <strong>%1 graphics driver</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor %1 is usually a vendor name, example: Nvidia graphics driver - + <strong>გრაფიკული დრაივერი %1</strong><br/><font color="Grey">ავტორი %2</font> <strong>%1 browser plugin</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - + <strong>ბრაუზერის დამატება %1</strong><br/><font color="Grey">ავტორი %2</font> <strong>%1 codec</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - + <strong>კოდეკი %1</strong><br/><font color="Grey">ავტორი %2</font> <strong>%1 package</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - + <strong>პაკეტი %1</strong><br/><font color="Grey">ავტორი %2</font> <strong>%1</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - + <strong>%1</strong><br/><font color="Grey">ავტორი %2</font> File: %1 @label - + ფაილი: %1 Hide the license text @tooltip - + ლიცენზიის ტექსტის დამალვა Show the license text @tooltip - + ლიცენზიის ტექსტის ჩვენება Open the license agreement in browser @tooltip - + სალიცენზიო შეთანხმების ბრაუზერში გახსნა @@ -2181,20 +2249,20 @@ The installer will quit and all changes will be lost. Region: @label - + რეგიონი: Zone: @label - + ზონა: &Change… @button - + შ&ეცვლა… @@ -2203,7 +2271,7 @@ The installer will quit and all changes will be lost. Location @label - + მდებარეობა @@ -2211,7 +2279,7 @@ The installer will quit and all changes will be lost. Quit - + გასვლა @@ -2220,7 +2288,7 @@ The installer will quit and all changes will be lost. Location @label - + მდებარეობა @@ -2228,19 +2296,19 @@ The installer will quit and all changes will be lost. Configuring LUKS key file. - + LUKS-ის გასაღების ფაილის მორგება. No partitions are defined. - + დანაყოფები აღწერილი არაა. Encrypted rootfs setup error - + დაშიფრული ძირითადი დანაყოფის მორგების შეცდომა @@ -2256,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error კონფიგურაციის შეცდომა - + No root mount point is set for MachineId. + + + + + + File not found + ფაილი ვერ მოიძებნა + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2277,7 +2363,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - + დროის სარტყელი: %1 @@ -2294,7 +2380,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - + დროის სარტყელი: %1 @@ -2310,109 +2396,109 @@ The installer will quit and all changes will be lost. Package selection - + პაკეტების არჩევანი Office software - + საოფისე პროგრამები Office package - + ოფისის პაკეტი Browser software - + ბრაუზერი Browser package - + ბრაუზერის პაკეტი Web browser - + ვებ-ბრაუზერი Kernel label for netinstall module, Linux kernel - + ბირთვი Services label for netinstall module, system services - + სერვისები Login label for netinstall module, choose login manager - + შესვლა Desktop label for netinstall module, choose desktop environment - + სამუშაო მაგიდა Communication label for netinstall module - + ურთიერთობა Development label for netinstall module - + შემუშავება Office label for netinstall module - + ოფისი Multimedia label for netinstall module - + მულტიმედია Internet label for netinstall module - + ინტერნეტი Theming label for netinstall module - + თემები Gaming label for netinstall module - + თამაშები Utilities label for netinstall module - + ხელსაწყოები Applications - + აპლიკაციები @@ -2420,7 +2506,7 @@ The installer will quit and all changes will be lost. Notes - + შენიშვნები @@ -2428,7 +2514,7 @@ The installer will quit and all changes will be lost. Ba&tch: - + &პაკეტი: @@ -2446,7 +2532,7 @@ The installer will quit and all changes will be lost. OEM Configuration - + OEM კონფიგურაცია @@ -2468,7 +2554,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - + დროის სარტყელი: %1 @@ -2480,7 +2566,7 @@ The installer will quit and all changes will be lost. Zones @button - + ზონები @@ -2503,7 +2589,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - + დროის სარტყელი: %1 @@ -2515,7 +2601,7 @@ The installer will quit and all changes will be lost. Zones @button - + ზონები @@ -2529,17 +2615,17 @@ The installer will quit and all changes will be lost. Password is too short - + პაროლი ძალიან მოკლეა Password is too long - + პაროლი მეტისმეტად გრძელია Password is too weak - + პაროლი ძალიან სუსტია @@ -2549,52 +2635,52 @@ The installer will quit and all changes will be lost. Memory allocation error - + მეხსიერების გამოყოფის შეცდომა The password is the same as the old one - + პაროლი იგივეა, რაც მანამდე იყო The password is a palindrome - + პაროლი პალინდრომია The password differs with case changes only - + პაროლი მხოლოდ სიმბოლოების ზომით განსხვავდება The password is too similar to the old one - + ახალი პაროლი ძალიან ჰგავს ძველს The password contains the user name in some form - + პაროლი რაღაც ფორმით მომხმარებლის სახელს შეიცავს The password contains words from the real name of the user in some form - + პაროლი რაღაც შეიცავს სიტყვებს მომხმარებლის ნამდვილი სახელიდან The password contains forbidden words in some form - + პაროლი რაღაც ფორმით შეიცავს აკრძალულ სიტყვებს The password contains too few digits - + პაროლი ძალიან ცოტა ციფრს შეიცავს The password contains too few uppercase letters - + პაროლი ძალიან ცოტა დიდ სიმბოლოს შეიცავს @@ -2607,32 +2693,32 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - + პაროლი ძალიან ცოტა პატარა სიმბოლოს შეიცავს The password contains too few non-alphanumeric characters - + პაროლი მეტისმეტად ცოტა ალფარიცხვულ სიმბოლოს შეიცავს The password is too short - + პაროლი მეტისმეტად მოკლეა The password does not contain enough character classes - + პაროლი არ შეიცავს საკმარის სიმბოლოების კლასს The password contains too many same characters consecutively - + პაროლი შეიცავს ძალიან ბევრ იგივე სიმბოლოს თანმიმდევრულად The password contains too many characters of the same class consecutively - + პაროლი შეიცავს იმავე კლასის ძალიან ბევრ სიმბოლოს თანმიმდევრულად @@ -2706,22 +2792,22 @@ The installer will quit and all changes will be lost. The password contains too long of a monotonic character sequence - + პაროლი მეტისმეტად გრძელ მონოტონურ სიმბოლოების თანამიმდევრობას შეიცავს No password supplied - + პაროლი შეყვანილი არაა Cannot obtain random numbers from the RNG device - + RNG მოწყობილობიდან შემთხვევითი რიცხვების მიღება შეუძლებელია Password generation failed - required entropy too low for settings - + პაროლის გენერაციის შეცდომა - მოთხოვნილი ენტროპია პარამეტრებისთვის მეტისმეტად დაბალია @@ -2731,72 +2817,67 @@ The installer will quit and all changes will be lost. The password fails the dictionary check - + პაროლი ვერ აკმაყოფილებს ლექსიკონის მიხედვით შემოწმების პირობებს Unknown setting - %1 - + უცნობი პარამეტრი - %1 Unknown setting - + უცნობი პარამეტრი Bad integer value of setting - %1 - + არასწორი მთელი მნიშვნელობა პარამეტრისთვის - %1 Bad integer value - + არასწორი მთელი მნიშვნელობა Setting %1 is not of integer type - + პარამეტრი %1 მთელი რიცხვის ტიპი არაა Setting is not of integer type - + პარამეტრი არ წარმოადგენს მთელ რიცხვს Setting %1 is not of string type - + პარამეტრი %1 სტრიქონის ტიპის არაა Setting is not of string type - + პარამეტრი არ წარმოადგენს სტრიქონს Opening the configuration file failed - + კონფიგურაციის ფაილის გახსნის შეცდომა The configuration file is malformed - + კონფიგურაციის ფაილში შეცდომებია Fatal failure - + ფატალური შეცდომა Unknown error - - - - - Password is empty - + უცნობი შეცდომა @@ -2804,12 +2885,12 @@ The installer will quit and all changes will be lost. Product Name - + პროდუქტის სახელი TextLabel - + ტექსტური ჭდე @@ -2819,7 +2900,7 @@ The installer will quit and all changes will be lost. Package Selection - + პაკეტების არჩევანი @@ -2832,12 +2913,12 @@ The installer will quit and all changes will be lost. Name - + სახელი Description - + აღწერა @@ -2845,16 +2926,17 @@ The installer will quit and all changes will be lost. Keyboard model: - + კლავიატურის მოდელი: Type here to test your keyboard - + კლავიატურის შესამოწმებლად აკრიფეთ აქ - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2863,12 +2945,12 @@ The installer will quit and all changes will be lost. What is your name? - + რა გქვიათ? Your Full Name - + თქვენი სრული სახელი @@ -2878,12 +2960,12 @@ The installer will quit and all changes will be lost. login - + შესვლა What is the name of this computer? - + რა ჰქვია ამ კომპიუტერს? @@ -2893,7 +2975,7 @@ The installer will quit and all changes will be lost. Computer Name - + კომპიუტერის სახელი @@ -2910,13 +2992,13 @@ The installer will quit and all changes will be lost. Password - + პაროლი Repeat Password - + გაიმეორე პაროლი @@ -2926,7 +3008,7 @@ The installer will quit and all changes will be lost. Require strong passwords. - + ძლიერი პაროლების მოთხოვნა. @@ -2955,43 +3037,49 @@ The installer will quit and all changes will be lost. Root - + Root Home - + @label + საწყისი Boot - + @label + ჩატვირთვადი EFI system - + @label + EFI სისტემა Swap - + @label + სვაპი New partition for %1 - + @label + ახალი დანაყოფი %1-სთვის New partition - + @label + ახალი დანაყოფი %1 %2 size[number] filesystem[name] - + %1 %2 @@ -3000,38 +3088,45 @@ The installer will quit and all changes will be lost. Free Space - + @title + თავისუფალი ადგილი - New partition + New Partition + @title Name - + @title + სახელი File System - + @title + ფაილური სისტემა File System Label - + @title + ფაილური სისტემის ჭდე Mount Point - + @title + მიმაგრების წერტილი Size - + @title + ზომა @@ -3039,52 +3134,52 @@ The installer will quit and all changes will be lost. Storage de&vice: - + საცავის &მოწყობილობა: &Revert All Changes - + &ყველა ცვლილების დაბრუნება New Partition &Table - + ახალი დანაყოფების &ცხრილი Cre&ate - + &შექმნა &Edit - + &ჩასწორება &Delete - + &წაშლა New Volume Group - + ტომების ახალი ჯგუფი Resize Volume Group - + ტომების ჯგუფის ზომის შეცვლა Deactivate Volume Group - + ტომების ჯგფის დეაქტივაცია Remove Volume Group - + ტომების ჯგუფის წაშლა @@ -3099,7 +3194,7 @@ The installer will quit and all changes will be lost. Can not create new partition - + ახალი დანაყოფის შექმნა შეუძლებელია @@ -3109,16 +3204,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3132,17 +3217,7 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - - - Current: - - - - - After: - + დანაყოფები არ შეიცვლება. @@ -3195,6 +3270,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + დანაყოფები + + + + Current: + @label + მიმდინარე: + + + + After: + @label + შემდეგ: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3339,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3368,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3376,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3302,7 +3404,9 @@ There was no output from the command. Output: - + +გამოტანა: + @@ -3360,80 +3464,67 @@ Output: %1 (%2) - + %1 (%2) Default - - - - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - + ნაგულისხმევი - + Directory not found - + დირექტორია ვერ მოიძებნა - - + Could not create new random file <pre>%1</pre>. No product - + პროდუქტების გარეშე No description provided. - + აღწერის გარეშე. (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @partition info - + უცნობი extended @partition info - + გაფართოებული თვისებები unformatted @partition info - + დაუფორმატებელი swap @partition info + swap + + + + Unpartitioned space or unknown partition table + @info @@ -3450,7 +3541,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3551,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3500,7 +3594,7 @@ Output: Invalid configuration @error - + არასწორი კონფიგურაცია @@ -3524,7 +3618,7 @@ Output: Resize failed. @error - + ზომის შეცვლა ჩავარდა. @@ -3545,7 +3639,7 @@ Output: Resize Failed @error - + ზომის შეცვლა ჩავარდა @@ -3577,22 +3671,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,24 +3699,32 @@ Output: Resize Volume Group - + @title + ტომების ჯგუფის ზომის შეცვლა ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3741,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,14 +3766,15 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status Internal Error - + შიდა შეცდომა @@ -3724,81 +3832,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3935,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4010,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4030,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4049,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3933,7 +4060,7 @@ Output: %L1 / %L2 slide counter, %1 of %2 (numeric) - + %L1 / %L2 @@ -3941,27 +4068,27 @@ Output: &OK - + &OK &Yes - + &დიახ &No - + &არა &Cancel - + გაუ&ქმება &Close - + &დახურვა @@ -3969,11 +4096,12 @@ Output: Installation feedback - + დაყენების უკუკავშირი - Sending installation feedback. + Sending installation feedback… + @status @@ -3984,7 +4112,7 @@ Output: HTTP request timed out. - + HTTP მოთხოვნის მოლოდინის ვადა ამოიწურა. @@ -3996,7 +4124,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4154,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4050,7 +4180,7 @@ Output: Placeholder - + შემავსებელი @@ -4088,25 +4218,27 @@ Output: Feedback - + @title + უკუკავშირი UmountJob - Unmount file systems. + Unmounting file systems… + @status No target system available. - + სამიზნე სისტემა ხელმისაწვდომი არაა. No rootMountPoint is set. - + ძირითადი დანაყოფის მიმაგრების წერტილი დაყენებული არაა. @@ -4127,7 +4259,7 @@ Output: Users - + მომხმარებლები @@ -4135,7 +4267,7 @@ Output: Users - + მომხმარებლები @@ -4158,7 +4290,7 @@ Output: Create Volume Group - + ტომების ჯგუფის შექმნა @@ -4183,22 +4315,22 @@ Output: MiB - + მიბ Total Size: - + ჯამური ზომა: Used Size: - + გამოყენებული ზომა: Total Sectors: - + სექტორები სულ: @@ -4222,7 +4354,7 @@ Output: &Donate - + &შეწირვა @@ -4232,7 +4364,7 @@ Output: &Support - + &მხარდაჭერა @@ -4242,7 +4374,7 @@ Output: &Known issues - + &ცნობილი პრობლემები @@ -4254,11 +4386,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,13 +4398,20 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome - + @title + მოგესლამებათ @@ -4285,14 +4419,16 @@ Output: Welcome - + @title + მოგესლამებათ ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4337,18 +4473,18 @@ Output: About - + პროგრამის შესახებ Debug - + გამართვა About @button - + პროგრამის შესახებ @@ -4360,7 +4496,7 @@ Output: Debug @button - + გამართვა @@ -4374,7 +4510,7 @@ Output: Installation Completed - + დაყენება დასრულდა @@ -4385,12 +4521,12 @@ Output: Close Installer - + დაყენების პროგრამის დახურვა Restart System - + სისტემის გადატვირთვა @@ -4405,7 +4541,7 @@ Output: Installation Completed @title - + დაყენება დასრულდა @@ -4418,13 +4554,13 @@ Output: Close Installer @button - + დაყენების პროგრამის დახურვა Restart System @button - + სისტემის გადატვირთვა @@ -4440,7 +4576,7 @@ Output: Installation Completed @title - + დაყენება დასრულდა @@ -4453,13 +4589,13 @@ Output: Close @button - + დახურვა Restart @button - + გადატვირთვა @@ -4480,13 +4616,13 @@ Output: Layout @label - + განლაგება Variant @label - + ვარიანტი @@ -4513,13 +4649,13 @@ Output: Layout @label - + განლაგება Variant @label - + ვარიანტი @@ -4535,7 +4671,7 @@ Output: Change @button - + შეცვლა @@ -4559,7 +4695,7 @@ Output: Change @button - + შეცვლა @@ -4596,7 +4732,7 @@ Output: LibreOffice - + LibreOffice @@ -4635,7 +4771,7 @@ Output: LibreOffice - + LibreOffice @@ -4693,7 +4829,7 @@ Output: Back - + უკან @@ -4706,23 +4842,13 @@ Output: What is your name? - - - - - Your Full Name - + რა გქვიათ? What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4741,12 +4867,7 @@ Output: What is the name of this computer? - - - - - Computer Name - + რა ჰქვია ამ კომპიუტერს? @@ -4766,16 +4887,21 @@ Output: Password + პაროლი + + + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Repeat Password + + Root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Repeat root password @@ -4793,11 +4919,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4959,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4839,23 +4975,13 @@ Output: What is your name? - - - - - Your Full Name - + რა გქვიათ? What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4874,11 +5000,21 @@ Output: What is the name of this computer? + რა ჰქვია ამ კომპიუტერს? + + + + Your full name + + + + + Login name - Computer Name + Computer name @@ -4904,11 +5040,21 @@ Output: Password - + პაროლი - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5077,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4973,22 +5109,22 @@ Output: Support - + მხარდაჭერა - Known issues + Known Issues - Release notes + Release Notes Donate - + შემოწირულობა @@ -5002,22 +5138,22 @@ Output: Support - + მხარდაჭერა - Known issues + Known Issues - Release notes + Release Notes Donate - + შემოწირულობა diff --git a/lang/calamares_kk.ts b/lang/calamares_kk.ts index d09a24fc1e..7302884c0b 100644 --- a/lang/calamares_kk.ts +++ b/lang/calamares_kk.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Орнату @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label EFI жүйелік бөлімі: @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - %1 қолдауы - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Қош келдіңіз @@ -4285,6 +4411,7 @@ Output: Welcome + @title Қош келдіңіз @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_kn.ts b/lang/calamares_kn.ts index 87c28f0587..9c6e711066 100644 --- a/lang/calamares_kn.ts +++ b/lang/calamares_kn.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ಸ್ಥಾಪಿಸು @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label ಪ್ರಸಕ್ತ: After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - ಪ್ರಸಕ್ತ: - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + ಪ್ರಸಕ್ತ: + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ko.ts b/lang/calamares_ko.ts index 46fcfe22a6..0b3888d48b 100644 --- a/lang/calamares_ko.ts +++ b/lang/calamares_ko.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - 자동 마운트 설정 관리 + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1의 마스터 부트 레코드 Boot Partition + @info 부트 파티션 System Partition + @info 시스템 파티션 Do not install a boot loader + @label 부트로더를 설치하지 않습니다 @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label 설치 @@ -631,18 +636,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - 파일시스템 레이블을 %1로 지정합니다. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - <strong>%1</strong> 파일시스템 레이블을 <strong>%2</strong> 파티션으로 설정하십시오. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info 설치 관리자가 디스크 '%1'의 파티션 테이블을 업데이트하지 못했습니다. @@ -656,9 +670,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>수동 파티션 작업</strong><br/>직접 파티션을 만들거나 크기를 조정할 수 있습니다. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>축소할 파티션을 선택한 다음 하단 막대를 끌어 크기를 조정합니다.</strong> + Select storage de&vice: + @label 저장 장치 선택 (&v) @@ -667,56 +692,49 @@ The installer will quit and all changes will be lost. Current: + @label 현재: After: + @label 이후: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>수동 파티션 작업</strong><br/>직접 파티션을 만들거나 크기를 조정할 수 있습니다. - - Reuse %1 as home partition for %2. - %2의 홈 파티션으로 %1을 재사용합니다. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>축소할 파티션을 선택한 다음 하단 막대를 끌어 크기를 조정합니다.</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1이 %2MiB로 축소되고 %4에 대해 새 %3MiB 파티션이 생성됩니다. - - - Boot loader location: - 부트 로더 위치 : - <strong>Select a partition to install on</strong> + @label <strong>설치할 파티션을 선택합니다.</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name 이 시스템에서는 EFI 시스템 파티션을 찾을 수 없습니다. 돌아가서 수동 파티션 작업을 사용하여 %1을 설정하세요. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1의 EFI 시스템 파티션은 %2의 시작으로 사용될 것입니다. EFI system partition: + @label EFI 시스템 파티션: @@ -771,38 +789,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info 이 스토리지 장치는 하나 이상의 <strong>마운트된</strong> 파티션을 갖고 있습니다. This storage device is a part of an <strong>inactive RAID</strong> device. + @info 이 스토리지 장치는 <strong>비활성화된 RAID</strong> 장치의 일부입니다. - No Swap - 스왑 없음 + No swap + @label + - Reuse Swap - 스왑 재사용 + Reuse swap + @label + Swap (no Hibernate) + @label 스왑 (최대 절전모드 아님) Swap (with Hibernate) + @label 스왑 (최대 절전모드 사용) Swap to file + @label 파일로 스왑 + + + Bootloader location: + @label + + ClearMountsJob @@ -834,12 +865,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title 파티셔닝 작업을 위해 %1의 마운트를 모두 해제합니다 - Clearing mounts for partitioning operations on %1. - 파티셔닝 작업을 위해 %1의 마운트를 모두 해제하는 중입니다. + Clearing mounts for partitioning operations on %1… + @status + @@ -851,13 +884,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - 모든 임시 마운트들을 해제합니다 - - - Clearing all temporary mounts. - 모든 임시 마운트들이 해제하는 중입니다. + Clearing all temporary mounts… + @status + @@ -1006,42 +1036,43 @@ The installer will quit and all changes will be lost. 확인! - + Package Selection 패키지 선택 - + Please pick a product from the list. The selected product will be installed. 목록에서 제품을 선택하십시오. 선택한 제품이 설치됩니다. - + Packages 패키지 - + Install option: <strong>%1</strong> 설치 옵션: <strong>%1</strong> - + None 없음 - + Summary + @label 요약 - + This is an overview of what will happen once you start the setup procedure. 설정 절차를 시작하면 어떻게 되는지 간략히 설명합니다. - + This is an overview of what will happen once you start the install procedure. 설치 절차를 시작하면 어떻게 되는지 간략히 설명합니다. @@ -1113,15 +1144,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + 시스템 언어가 %1로 설정됩니다. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + 숫자와 날짜 로케일이 %1로 설정됩니다. @@ -1198,31 +1229,37 @@ The installer will quit and all changes will be lost. En&crypt + @action 암호화 (&c) Logical + @label 논리 파티션 Primary + @label 파티션 GPT + @label GPT Mountpoint already in use. Please select another one. + @info 마운트 위치가 이미 사용 중입니다. 다른 위치를 선택해주세요. Mountpoint must start with a <tt>/</tt>. + @info 마운트 위치는 <tt>/</tt>로 시작해야 합니다. @@ -1230,43 +1267,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - %4 항목이 있는 %3(%2)에 %1MiB 크기의 새 파티션을 만듭니다. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - %3(%2)에 %1MiB 크기의 새 파티션을 만듭니다. + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - %1 파일 시스템으로 %4(%3)에 새 %2MiB 파티션을 만듭니다. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - <em>%4</em> 항목이 있는 <strong>%3</strong>(%2)에 <strong>%1MiB</strong> 크기의 새 파티션을 만듭니다. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - <strong>%3</strong>(%2)에 <strong>%1MiB</strong> 크기의 새 파티션을 만듭니다. + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%1</strong> 파일 시스템으로 <strong>%4</strong> (%3)에 새 <strong>%2MiB</strong> 파티션을 만듭니다. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2에 새로운 %1 파티션 테이블을 만드는 중입니다. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info 설치 관리자가 디스크 '%1'에 파티션을 생성하지 못했습니다. @@ -1302,18 +1347,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2에 %1 파티션 테이블을 만듭니다. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong>에 새로운 <strong>%1</strong> 파티션 테이블을 만듭니다 (%3). - - - - Creating new %1 partition table on %2. - %2에 새로운 %1 파티션 테이블을 만드는 중입니다. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1330,29 +1373,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - <strong>%1</strong>사용자를 만듭니다 . - - - - Preserving home directory - 홈 디렉터리 보존 + Create user <strong>%1</strong> + - Creating user %1 - %1 사용자 생성 중 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status %1 사용자 설정 중 - Setting file permissions - 파일 권한 설정 + Setting file permissions… + @status + @@ -1360,6 +1407,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title 볼륨 그룹 생성 @@ -1367,18 +1415,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - %1로 이름 지정된 새 볼륨 그룹을 생성합니다. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong>로 이름 지정된 새 볼륨 그룹을 생성중입니다. - - - - Creating new volume group named %1. - %1로 이름 지정된 새 볼륨 그룹을 생성중입니다. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1391,13 +1437,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - %1로 이름 지정된 볼륨 그룹을 비활성화합니다. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong>로 이름 지정된 볼륨 그룹을 비활성화합니다. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1409,18 +1457,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - %1 파티션을 지웁니다. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> 파티션을 지웁니다. - - - - Deleting partition %1. - %1 파티션을 지우는 중입니다. + Deleting partition <strong>%1</strong>… + @status + @@ -1605,12 +1651,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip 암호와 암호 확인 상자에 동일한 값을 입력해주세요. - Password must be a minimum of %1 characters - 비밀번호는 %1자 이상이어야 합니다 + Password must be a minimum of %1 characters. + @tooltip + @@ -1631,57 +1679,68 @@ The installer will quit and all changes will be lost. Set partition information + @title 파티션 정보 설정 Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <em>%3</em> 기능이 있는 <strong>새</strong> %2 시스템 파티션에 %1을(를) 설치합니다. - - Install %1 on <strong>new</strong> %2 system partition. - <strong>새</strong> %2 시스템 파티션에 %1를설치합니다. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - 마운트 위치 <strong>%1</strong> 및 기능 <em>%3</em>(으)로 <strong>새</strong> %2 파티션을 설정합니다. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - 마운트 위치 <strong>%1</strong>%3(으)로 <strong>새</strong> %2 파티션을 지정합니다. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - <em>%4</em> 기능이 있는 %3 시스템 파티션 <strong>%1</strong>에 %2을(를) 설치합니다. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - 마운트 위치 <strong>%2</strong> 및 기능 <em>%4</em>(으)로 %3 파티션 <strong>%1</strong>을(를) 지정합니다. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - 마운트 위치 <strong>%2</strong>%4으로 %3 파티션 <strong>%1</strong>을(를) 지정합니다. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - 시스템 파티션 <strong>%1</strong>의 %3에 %2를 설치합니다. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - <strong>%1</strong>에 부트 로더를 설치합니다. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - 마운트 위치를 설정 중입니다. + + Setting up mount points… + @status + @@ -1750,24 +1809,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4의 %1 포맷 파티션(파일 시스템: %2, 크기: %3 MiB) + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MiB</strong> 파티션 <strong>%1</strong>을 파일 시스템 <strong>%2</strong>로 포맷합니다. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 파티션을 %2 파일 시스템으로 포맷하는 중입니다. + + Formatting partition %1 with file system %2… + @status + @@ -2260,20 +2322,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. machine-id를 생성합니다. - + Configuration Error 구성 오류 - + No root mount point is set for MachineId. MachineId에 대해 설정된 루트 마운트 지점이 없습니다. + + + + + + File not found + 파일을 찾을 수 없음 + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> 경로는 절대 경로여야 합니다. + + + + Could not create new random file <pre>%1</pre>. + 새 임의 파일 <pre>%1</pre>을(를) 만들 수 없습니다. + Map @@ -2792,11 +2872,6 @@ The installer will quit and all changes will be lost. Unknown error 알 수 없는 오류 - - - Password is empty - 비밀번호가 비어 있습니다 - PackageChooserPage @@ -2853,7 +2928,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2959,31 +3035,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label 부트 EFI system + @label EFI 시스템 Swap + @label 스왑 New partition for %1 + @label %1에 대한 새로운 파티션 New partition + @label 새로운 파티션 @@ -2999,37 +3081,44 @@ The installer will quit and all changes will be lost. Free Space + @title 여유 공간 - New partition - 새로운 파티션 + New Partition + @title + Name + @title 이름 File System + @title 파일 시스템 File System Label + @title 파일 시스템 레이블 Mount Point + @title 마운트 위치 Size + @title 크기 @@ -3108,16 +3197,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - 시스템 정보 수집 중... - - - - Partitions - 파티션 - Unsafe partition actions are enabled. @@ -3133,16 +3212,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. 파티션 없음은 변경될 것입니다. - - - Current: - 현재: - - - - After: - 이후: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3194,6 +3263,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. 파일 시스템에 플래그 <strong>%1</strong> 세트가 있어야 합니다. + + + Gathering system information… + @status + + + + + Partitions + @label + 파티션 + + + + Current: + @label + 현재: + + + + After: + @label + 이후: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3239,8 +3332,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - 플라즈마 모양과 느낌 작업 + Applying Plasma Look-and-Feel… + @status + @@ -3267,6 +3361,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Look-and-Feel @@ -3274,8 +3369,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - 나중을 위해 파일들을 저장하는 중... + Saving files for later… + @status + @@ -3371,26 +3467,12 @@ Output: 기본 - - - - - File not found - 파일을 찾을 수 없음 - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> 경로는 절대 경로여야 합니다. - - - + Directory not found 디렉터리를 찾을 수 없습니다 - - + Could not create new random file <pre>%1</pre>. 새 임의 파일 <pre>%1</pre>을(를) 만들 수 없습니다. @@ -3409,11 +3491,6 @@ Output: (no mount point) (마운트 위치 없음) - - - Unpartitioned space or unknown partition table - 분할되지 않은 공간 또는 알 수 없는 파티션 테이블입니다. - unknown @@ -3438,6 +3515,12 @@ Output: @partition info 스왑 + + + Unpartitioned space or unknown partition table + @info + 분할되지 않은 공간 또는 알 수 없는 파티션 테이블입니다. + Recommended @@ -3453,8 +3536,9 @@ Output: RemoveUserJob - Remove live user from target system - 대상 시스템에서 라이브 사용자 제거 + Removing live user from the target system… + @status + @@ -3462,13 +3546,15 @@ Output: - Remove Volume Group named %1. - %1로 이름 지정된 볼륨 그룹을 제거합니다. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong>로 이름 지정된 볼륨 그룹을 제거합니다. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3582,22 +3668,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 파티션 크기조정 + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong> 파티션 <strong>%1</strong>의 크기를 <strong>%3MiB</strong>로 조정합니다. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2MiB 파티션 %1의 크기를 %3MiB로 조정합니다. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. 설치 관리자가 '%2' 디스크에 있는 %1 파티션의 크기를 조정하지 못했습니다. @@ -3607,6 +3696,7 @@ Output: Resize Volume Group + @title 볼륨 그룹 크기조정 @@ -3614,17 +3704,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 볼륨 그룹의 크기를 %2에서 %3으로 조정합니다 + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong>로 이름 지정된 볼륨 그룹의 크기를 <strong>%2</strong>에서 <strong>%3</strong>로 조정합니다. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. 설치 관리자가 '%1' 볼륨 그룹의 크기를 조정하지 못했습니다. @@ -3641,13 +3738,15 @@ Output: ScanningDialog - Scanning storage devices... - 저장 장치 검색 중... + Scanning storage devices… + @status + - Partitioning - 파티션 작업 + Partitioning… + @status + @@ -3664,8 +3763,9 @@ Output: - Setting hostname %1. - 호스트 이름을 %1로 설정하는 중입니다. + Setting hostname %1… + @status + @@ -3729,81 +3829,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - 파티션 %1에 플래그를 설정합니다. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1MiB %2 파티션에 플래그 설정. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - 새 파티션에 플래그를 설정합니다. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - 파티션 <strong>%1</strong>에서 플래그를 지웁니다. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> 파티션에서 플래그를 지웁니다. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - 새 파티션에서 플래그를 지웁니다. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - 파티션 <strong>%1</strong>을 <strong>%2</strong>로 플래그 지정합니다. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiB <strong>%2</strong> 파티션을 <strong>%3</strong>으로 플래그합니다. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - 파티션을 <strong>%1</strong>로 플래그 지정합니다 + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - 파티션 <strong>%1</strong>에서 플래그를 지우는 중입니다. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> 파티션에서 플래그를 지우는 중입니다. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - 새 파티션에서 플래그를 지우는 중입니다. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - 파티션 <strong>%1</strong>에 플래그를 .<strong>%2</strong>로 설정합니다. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> 파티션에서 플래그 <strong>%3</strong>을 설정합니다. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - 새 파티션에서 플래그를 <strong>%1</strong>으로 설정합니다. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. 설치 관리자가 %1 파티션의 플래그를 설정하지 못했습니다. @@ -3817,32 +3932,33 @@ Output: - Setting password for user %1. - %1 사용자의 암호를 설정하는 중입니다 + Setting password for user %1… + @status + - + Bad destination system path. 잘못된 대상 시스템 경로입니다. - + rootMountPoint is %1 루트마운트위치는 %1입니다. - + Cannot disable root account. root 계정을 비활성화 할 수 없습니다. - + Cannot set password for user %1. %1 사용자에 대한 암호를 설정할 수 없습니다. - - + + usermod terminated with error code %1. usermod가 %1 오류 코드로 종료되었습니다 @@ -3891,8 +4007,9 @@ Output: SetupGroupsJob - Preparing groups. - 그룹 준비 중. + Preparing groups… + @status + @@ -3910,8 +4027,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> 사용자를 구성하십시오. + Configuring <pre>sudo</pre> users… + @status + @@ -3928,8 +4046,9 @@ Output: ShellProcessJob - Shell Processes Job - 셸 처리 작업 + Running shell processes… + @status + @@ -3978,8 +4097,9 @@ Output: - Sending installation feedback. - 설치 피드백을 보내는 중입니다. + Sending installation feedback… + @status + @@ -4001,8 +4121,9 @@ Output: - Configuring KDE user feedback. - KDE 사용자 의견을 설정하는 중입니다. + Configuring KDE user feedback… + @status + @@ -4030,8 +4151,9 @@ Output: - Configuring machine feedback. - 시스템 피드백을 설정하는 중입니다. + Configuring machine feedback… + @status + @@ -4093,6 +4215,7 @@ Output: Feedback + @title 피드백 @@ -4100,8 +4223,9 @@ Output: UmountJob - Unmount file systems. - 파일시스템을 마운트 해제합니다. + Unmounting file systems… + @status + @@ -4259,11 +4383,6 @@ Output: &Release notes 출시 정보 (&R) - - - %1 support - %1 지원 - About %1 Setup @@ -4276,12 +4395,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title 환영합니다 @@ -4290,6 +4416,7 @@ Output: Welcome + @title 환영합니다 @@ -4297,8 +4424,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS pool 및 데이터세트 만들기 + Creating ZFS pools and datasets… + @status + @@ -4745,21 +4873,11 @@ Output: What is your name? 이름이 무엇인가요? - - - Your Full Name - 전체 이름 - What name do you want to use to log in? 로그인할 때 사용할 이름은 무엇인가요? - - - Login Name - 로그인 이름 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4780,11 +4898,6 @@ Output: What is the name of this computer? 이 컴퓨터의 이름은 무엇인가요? - - - Computer Name - 컴퓨터 이름 - This name will be used if you make the computer visible to others on a network. @@ -4805,16 +4918,21 @@ Output: Password 비밀번호 - - - Repeat Password - 비밀번호 반복 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 입력 오류를 확인할 수 있도록 동일한 암호를 두 번 입력합니다. 올바른 암호에는 문자, 숫자 및 구두점이 혼합되어 있으며 길이는 8자 이상이어야 하며 정기적으로 변경해야 합니다. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4830,11 +4948,31 @@ Output: Log in automatically without asking for the password 암호를 묻지 않고 자동으로 로그인합니다 + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. 문자, 숫자, 밑줄 및 하이픈만 허용되며, 최소 2자 이상이어야 합니다. + + + Repeat password + + Reuse user password as root password @@ -4850,16 +4988,6 @@ Output: Choose a root password to keep your account safe. 당신의 계정을 안전하게 보호하기 위해서 루트 암호를 선택하세요. - - - Root Password - 루트 암호 - - - - Repeat Root Password - 루트 암호 확인 - Enter the same password twice, so that it can be checked for typing errors. @@ -4878,21 +5006,11 @@ Output: What is your name? 이름이 무엇인가요? - - - Your Full Name - 전체 이름 - What name do you want to use to log in? 로그인할 때 사용할 이름은 무엇인가요? - - - Login Name - 로그인 이름 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4913,10 +5031,20 @@ Output: What is the name of this computer? 이 컴퓨터의 이름은 무엇인가요? + + + Your full name + + + + + Login name + + - Computer Name - 컴퓨터 이름 + Computer name + @@ -4945,8 +5073,18 @@ Output: - Repeat Password - 비밀번호 반복 + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4968,16 +5106,6 @@ Output: Choose a root password to keep your account safe. 당신의 계정을 안전하게 보호하기 위해서 루트 암호를 선택하세요. - - - Root Password - 루트 암호 - - - - Repeat Root Password - 루트 암호 확인 - Enter the same password twice, so that it can be checked for typing errors. @@ -5015,13 +5143,13 @@ Output: - Known issues - 알려진 이슈들 + Known Issues + - Release notes - 릴리즈 노트 + Release Notes + @@ -5045,13 +5173,13 @@ Output: - Known issues - 알려진 이슈들 + Known Issues + - Release notes - 릴리즈 노트 + Release Notes + diff --git a/lang/calamares_lo.ts b/lang/calamares_lo.ts index 13bb66274e..54b9dfdef6 100644 --- a/lang/calamares_lo.ts +++ b/lang/calamares_lo.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -625,18 +630,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -650,9 +664,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -661,56 +686,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -765,36 +783,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -828,11 +859,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -845,12 +878,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1000,42 +1030,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1107,13 +1138,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1192,31 +1223,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1224,43 +1261,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1296,17 +1341,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1324,28 +1367,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1354,6 +1401,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1361,17 +1409,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1385,12 +1431,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1403,17 +1451,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1599,11 +1645,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1625,56 +1673,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1744,23 +1803,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2254,20 +2316,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2782,11 +2862,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2843,7 +2918,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2949,31 +3025,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -2989,37 +3071,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3098,16 +3187,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3123,16 +3202,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3184,6 +3253,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3229,7 +3322,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3257,6 +3351,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3264,7 +3359,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3358,26 +3454,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3396,11 +3478,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3425,6 +3502,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3439,7 +3522,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3448,12 +3532,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3566,22 +3652,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3591,6 +3680,7 @@ Output: Resize Volume Group + @title @@ -3598,17 +3688,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3625,12 +3722,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3648,7 +3747,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3713,81 +3813,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3801,32 +3916,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3875,7 +3991,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3894,7 +4011,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3912,7 +4030,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3962,7 +4081,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3985,7 +4105,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4014,7 +4135,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4077,6 +4199,7 @@ Output: Feedback + @title @@ -4084,7 +4207,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4243,11 +4367,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4260,12 +4379,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4274,6 +4400,7 @@ Output: Welcome + @title @@ -4281,7 +4408,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4697,21 +4825,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4732,11 +4850,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4758,13 +4871,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4782,11 +4900,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4802,16 +4940,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4830,21 +4958,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,9 +4983,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4897,7 +5025,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4920,16 +5058,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4966,12 +5094,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4995,12 +5123,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_lt.ts b/lang/calamares_lt.ts index b4a1841086..22cf7fa73d 100644 --- a/lang/calamares_lt.ts +++ b/lang/calamares_lt.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Tvarkyti automatinio prijungimo nustatymus + Managing auto-mount settings… + @status + Tvarkomi automatinio prijungimo nustatymai… @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 paleidimo įrašas (MBR) Boot Partition + @info Paleidimo skaidinys System Partition + @info Sistemos skaidinys Do not install a boot loader + @label Nediegti paleidyklės @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Nustatyti - + Install @label Diegimas @@ -637,18 +642,27 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ChangeFilesystemLabelJob - Set filesystem label on %1. - Nustatyti failų sistemos etiketę ties %1. + Set filesystem label on %1 + @title + Nustatyti failų sistemos etiketę ties %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Nustatyti failų sistemos etiketę <strong>%1</strong> skaidiniui <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Nustatyti failų sistemos etiketę <strong>%1</strong> skaidiniui <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Nustatoma failų sistemos etiketė <strong>%1</strong> skaidiniui <strong>%2</strong>… + + + + The installer failed to update partition table on disk '%1'. + @info Diegimo programai nepavyko atnaujinti skaidinių lentelės diske '%1'. @@ -662,9 +676,20 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Rankinis skaidymas</strong><br/>Galite patys kurti ar keisti skaidinių dydžius. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Pasirinkite, kurį skaidinį sumažinti, o tuomet vilkite juostą, kad pakeistumėte skaidinio dydį</strong> + Select storage de&vice: + @label Pasirinkite atminties įr&enginį: @@ -673,56 +698,49 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Current: + @label Dabartinis: After: + @label Po: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Rankinis skaidymas</strong><br/>Galite patys kurti ar keisti skaidinių dydžius. - - Reuse %1 as home partition for %2. - Pakartotinai naudoti %1 kaip namų skaidinį, skirtą %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Pasirinkite, kurį skaidinį sumažinti, o tuomet vilkite juostą, kad pakeistumėte skaidinio dydį</strong> + Reuse %1 as home partition for %2 + @label + Pakartotinai naudoti %1 kaip namų skaidinį, skirtą %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 bus sumažintas iki %2MiB ir naujas %3MiB skaidinys bus sukurtas sistemai %4. - - - Boot loader location: - Paleidyklės vieta: - <strong>Select a partition to install on</strong> + @label <strong>Pasirinkite kuriame skaidinyje įdiegti</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Šioje sistemoje niekur nepavyko rasti EFI skaidinio. Prašome grįžti ir naudoti rankinį skaidymą, kad nustatytumėte %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %2 paleidimui bus naudojamas EFI sistemos skaidinys, esantis ties %1. EFI system partition: + @label EFI sistemos skaidinys: @@ -777,38 +795,51 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. This storage device has one of its partitions <strong>mounted</strong>. + @info Vienas iš šio atminties įrenginio skaidinių yra <strong>prijungtas</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Šis atminties įrenginys yra <strong>neaktyvaus RAID</strong> įrenginio dalis. - No Swap + No swap + @label Be sukeitimų skaidinio - Reuse Swap + Reuse swap + @label Iš naujo naudoti sukeitimų skaidinį Swap (no Hibernate) + @label Sukeitimų skaidinys (be užmigdymo) Swap (with Hibernate) + @label Sukeitimų skaidinys (su užmigdymu) Swap to file + @label Sukeitimų failas + + + Bootloader location: + @label + Paleidyklės vieta: + ClearMountsJob @@ -840,12 +871,14 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Clear mounts for partitioning operations on %1 + @title Išvalyti prijungimus, siekiant atlikti skaidymo operacijas skaidiniuose %1 - Clearing mounts for partitioning operations on %1. - Išvalomi prijungimai, siekiant atlikti skaidymo operacijas skaidiniuose %1. + Clearing mounts for partitioning operations on %1… + @status + Išvalomi prijungimai, siekiant atlikti skaidymo operacijas skaidiniuose %1. {1…?} @@ -857,13 +890,10 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ClearTempMountsJob - Clear all temporary mounts. - Išvalyti visus laikinuosius prijungimus. - - - Clearing all temporary mounts. - Išvalomi visi laikinieji prijungimai. + Clearing all temporary mounts… + @status + Išvalomi visi laikinieji prijungimai… @@ -1012,42 +1042,43 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Gerai! - + Package Selection Paketų pasirinkimas - + Please pick a product from the list. The selected product will be installed. Pasirinkite iš sąrašo produktą. Pasirinktas produktas bus įdiegtas. - + Packages Paketai - + Install option: <strong>%1</strong> Diegimo parinktis: <strong>%1</strong> - + None Nėra - + Summary + @label Suvestinė - + This is an overview of what will happen once you start the setup procedure. Tai yra apžvalga to, kas įvyks, prasidėjus sąrankos procedūrai. - + This is an overview of what will happen once you start the install procedure. Tai yra apžvalga to, kas įvyks, prasidėjus diegimo procedūrai. @@ -1119,15 +1150,15 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. - The system language will be set to %1 + The system language will be set to %1. @info - Sistemos kalba bus nustatyta į %1. {1?} + Sistemos kalba bus nustatyta į %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Skaitmenų ir datų lokalė bus nustatyta į %1. {1?} + Skaičių ir datų lokalė bus nustatyta į %1. @@ -1204,31 +1235,37 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. En&crypt + @action Užši&fruoti Logical + @label Loginis Primary + @label Pirminis GPT + @label GPT Mountpoint already in use. Please select another one. + @info Prijungimo taškas jau yra naudojamas. Prašome pasirinkti kitą. Mountpoint must start with a <tt>/</tt>. + @info Prijungimo taškas privalo prasidėti simboliu <tt>/</tt>. @@ -1236,43 +1273,51 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Sukurti naują %1MiB skaidinį ties %3 (%2) su įrašais %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Sukurti naują %1MiB skaidinį ties %3 (%2) su įrašais %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Sukurti naują %1MiB skaidinį ties %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Sukurti naują %1MiB skaidinį ties %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Sukurti naują %2MiB skaidinį diske %4 (%3) su %1 failų sistema. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Sukurti naują %2MiB skaidinį diske %4 (%3) su %1 failų sistema - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Sukurti naują <strong>%1MiB</strong> skaidinį ties <strong>%3</strong> (%2) su įrašais <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Sukurti naują <strong>%1MiB</strong> skaidinį ties <strong>%3</strong> (%2) su įrašais <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Sukurti naują <strong>%1MiB</strong> skaidinį ties <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Sukurti naują <strong>%1MiB</strong> skaidinį ties <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Sukurti naują <strong>%2MiB</strong> skaidinį diske <strong>%4</strong> (%3) su <strong>%1</strong> failų sistema. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Sukurti naują <strong>%2MiB</strong> skaidinį diske <strong>%4</strong> (%3) su <strong>%1</strong> failų sistema - - - Creating new %1 partition on %2. - Kuriamas naujas %1 skaidinys ties %2. + + + Creating new %1 partition on %2… + @status + Kuriamas naujas %1 skaidinys ties %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Diegimo programai nepavyko sukurti skaidinio diske '%1'. @@ -1308,18 +1353,16 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CreatePartitionTableJob - Create new %1 partition table on %2. - Sukurti naują %1 skaidinių lentelę ties %2. + + Creating new %1 partition table on %2… + @status + Kuriama nauja %1 skaidinių lentelė ties %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Sukurti naują <strong>%1</strong> skaidinių lentelę diske <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Kuriama nauja %1 skaidinių lentelė ties %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Kuriama nauja <strong>%1</strong> skaidinių lentelė ties <strong>%2</strong> (%3)… @@ -1336,29 +1379,33 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. - Create user <strong>%1</strong>. - Sukurti naudotoją <strong>%1</strong>. - - - - Preserving home directory - Išsaugomas namų katalogas + Create user <strong>%1</strong> + Sukurti naudotoją <strong>%1</strong> - Creating user %1 - Kuriamas naudotojas %1 + Creating user %1… + @status + Kuriamas naudotojas %1… + + + + Preserving home directory… + @status + Išsaugomas namų katalogas… Configuring user %1 + @status Konfigūruojamas naudotojas %1 - Setting file permissions - Nustatomi failų leidimai + Setting file permissions… + @status + Nustatomi failų leidimai… @@ -1366,6 +1413,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Create Volume Group + @title Sukurti tomų grupę @@ -1373,18 +1421,16 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CreateVolumeGroupJob - Create new volume group named %1. - Sukurti naują tomų grupę, pavadinimu %1. + + Creating new volume group named %1… + @status + Kuriama nauja tomų grupė, pavadinimu %1. {1…?} - Create new volume group named <strong>%1</strong>. - Sukurti naują tomų grupę, pavadinimu <strong>%1</strong>. - - - - Creating new volume group named %1. - Kuriama nauja tomų grupė, pavadinimu %1. + Creating new volume group named <strong>%1</strong>… + @status + Kuriama nauja tomų grupė, pavadinimu <strong>%1</strong>… @@ -1397,13 +1443,15 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. - Deactivate volume group named %1. - Pasyvinti tomų grupę, pavadinimu %1. + Deactivating volume group named %1… + @status + Pasyvinama tomų grupė, pavadinimu %1… - Deactivate volume group named <strong>%1</strong>. - Pasyvinti tomų grupę, pavadinimu <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Pasyvinama tomų grupė, pavadinimu <strong>%1</strong>… @@ -1415,18 +1463,16 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. DeletePartitionJob - Delete partition %1. - Ištrinti skaidinį %1. + + Deleting partition %1… + @status + Ištrinamas skaidinys %1. {1…?} - Delete partition <strong>%1</strong>. - Ištrinti skaidinį <strong>%1</strong>. - - - - Deleting partition %1. - Ištrinamas skaidinys %1. + Deleting partition <strong>%1</strong>… + @status + Ištrinamas skaidinys <strong>%1</strong>… @@ -1611,12 +1657,14 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Please enter the same passphrase in both boxes. + @tooltip Prašome abiejuose langeliuose įrašyti tą pačią slaptafrazę. - Password must be a minimum of %1 characters - Slaptažodis privalo būti sudarytas mažiausiausiai iš %1 simbolių + Password must be a minimum of %1 characters. + @tooltip + Slaptažodis privalo būti sudarytas mažiausiausiai iš %1 simbolių. @@ -1637,57 +1685,68 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Set partition information + @title Nustatyti skaidinio informaciją Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Įdiegti %1 <strong>naujame</strong> %2 sistemos skaidinyje su ypatybėmis <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Įdiegti %1 <strong>naujame</strong> %2 sistemos skaidinyje. + + Install %1 on <strong>new</strong> %2 system partition + @info + Įdiegti %1 <strong>naujame</strong> %2 sistemos skaidinyje - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong> ir ypatybėmis <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong> ir <em>%3</em> ypatybėmis - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong>%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Įdiegti %2 sistemą %3 sistemos skaidinyje <strong>%1</strong> su ypatybėmis <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Įdiegti %2 sistemą %3 sistemos skaidinyje <strong>%1</strong> su <em>%4</em> ypatybėmis - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong> ir ypatybėmis <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Įdiegti %2 sistemą, %3 sistemos skaidinyje <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong> ir <em>%4</em> ypatybėmis - - Install %2 on %3 system partition <strong>%1</strong>. - Diegti %2 sistemą, %3 sistemos skaidinyje <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Diegti paleidyklę skaidinyje <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Įdiegti paleidyklę ties <strong>%1</strong>… - - Setting up mount points. - Nustatomi prijungimo taškai. + + Setting up mount points… + @status + Nustatomi prijungimo taškai… @@ -1756,24 +1815,27 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatuoti skaidinį %1 (failų sistema: %2, dydis: %3 MiB) diske %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Formatuoti skaidinį %1 (failų sistema: %2, dydis: %3 MiB) diske %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatuoti <strong>%3MiB</strong> skaidinį <strong>%1</strong> su <strong>%2</strong> failų sistema. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Formatuoti <strong>%3MiB</strong> skaidinį <strong>%1</strong> su <strong>%2</strong> failų sistema - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatuojamas skaidinys %1 su %2 failų sistema. + + Formatting partition %1 with file system %2… + @status + Formatuojamas skaidinys %1 su %2 failų sistema. {1 ?} {2…?} @@ -2266,20 +2328,38 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. MachineIdJob - + Generate machine-id. Generuoti machine-id. - + Configuration Error Konfigūracijos klaida - + No root mount point is set for MachineId. Nenustatytas joks šaknies prijungimo taškas, skirtas MachineId. + + + + + + File not found + Failas nerastas + + + + Path <pre>%1</pre> must be an absolute path. + Kelias <pre>%1</pre> privalo būti absoliutus kelias. + + + + Could not create new random file <pre>%1</pre>. + Nepavyko sukurti naujo atsitiktinio failo <pre>%1</pre>. + Map @@ -2825,11 +2905,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Unknown error Nežinoma klaida - - - Password is empty - Slaptažodis yra tuščias - PackageChooserPage @@ -2886,8 +2961,9 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. - Keyboard switch: - Klaviatūros perjungiklis: + Switch Keyboard: + shortcut for switching between keyboard layouts + Perjungti klaviatūrą: @@ -2992,31 +3068,37 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Home + @label Namų Boot + @label Paleidimo EFI system + @label EFI sistema Swap + @label Sukeitimų (swap) New partition for %1 + @label Naujas skaidinys, skirtas %1 New partition + @label Naujas skaidinys @@ -3032,37 +3114,44 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Free Space + @title Laisva vieta - New partition + New Partition + @title Naujas skaidinys Name + @title Pavadinimas File System + @title Failų sistema File System Label + @title Failų sistemos etiketė Mount Point + @title Prijungimo vieta Size + @title Dydis @@ -3141,16 +3230,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. PartitionViewStep - - - Gathering system information... - Renkama sistemos informacija... - - - - Partitions - Skaidiniai - Unsafe partition actions are enabled. @@ -3166,16 +3245,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. No partitions will be changed. Nebus pakeisti jokie skaidiniai. - - - Current: - Dabartinis: - - - - After: - Po: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3227,6 +3296,30 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. The filesystem must have flag <strong>%1</strong> set. Failų sistema privalo turėti nustatytą <strong>%1</strong> vėliavėlę. + + + Gathering system information… + @status + Renkama informacija apie sistemą… + + + + Partitions + @label + Skaidiniai + + + + Current: + @label + Dabartinis: + + + + After: + @label + Po: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3272,8 +3365,9 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma išvaizdos ir turinio užduotis + Applying Plasma Look-and-Feel… + @status + Taikomi Plasma išvaizda ir turinys… @@ -3300,6 +3394,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Look-and-Feel + @label Išvaizda ir turinys @@ -3307,8 +3402,9 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. PreserveFiles - Saving files for later ... - Įrašomi failai vėlesniam naudojimui ... + Saving files for later… + @status + Įrašomi failai vėlesniam naudojimui… @@ -3404,26 +3500,12 @@ Išvestis: Numatytasis - - - - - File not found - Failas nerastas - - - - Path <pre>%1</pre> must be an absolute path. - Kelias <pre>%1</pre> privalo būti absoliutus kelias. - - - + Directory not found Katalogas nerastas - - + Could not create new random file <pre>%1</pre>. Nepavyko sukurti naujo atsitiktinio failo <pre>%1</pre>. @@ -3442,11 +3524,6 @@ Išvestis: (no mount point) (nėra prijungimo taško) - - - Unpartitioned space or unknown partition table - Nesuskaidyta vieta arba nežinoma skaidinių lentelė - unknown @@ -3471,6 +3548,12 @@ Išvestis: @partition info sukeitimų (swap) + + + Unpartitioned space or unknown partition table + @info + Nesuskaidyta vieta arba nežinoma skaidinių lentelė + Recommended @@ -3486,8 +3569,9 @@ Išvestis: RemoveUserJob - Remove live user from target system - Šalinti demonstracinį naudotoją iš paskirties sistemos + Removing live user from the target system… + @status + Šalinamas demonstracinis naudotojas iš paskirties sistemos… @@ -3495,13 +3579,15 @@ Išvestis: - Remove Volume Group named %1. - Šalinti tomų grupę, pavadinimu %1. + Removing Volume Group named %1… + @status + Šalinama tomų grupė, pavadinimu %1… - Remove Volume Group named <strong>%1</strong>. - Šalinti tomų grupę, pavadinimu <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Šalinama tomų grupė, pavadinimu <strong>%1</strong>… @@ -3615,22 +3701,25 @@ Išvestis: ResizePartitionJob - - Resize partition %1. - Keisti skaidinio %1 dydį. + + Resize partition %1 + @title + Keisti skaidinio %1 dydį - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Pakeisti <strong>%2MiB</strong> skaidinio <strong>%1</strong> dydį iki <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Keisti <strong>%2MiB</strong> skaidinio <strong>%1</strong> dydį iki <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - Keičiamas %2MiB skaidinio %1 dydis iki %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Keičiamas %2MiB skaidinio %1 dydis iki %3MiB… - + The installer failed to resize partition %1 on disk '%2'. Diegimo programai nepavyko pakeisti skaidinio %1 dydį diske '%2'. @@ -3640,6 +3729,7 @@ Išvestis: Resize Volume Group + @title Keisti tomų grupės dydį @@ -3647,17 +3737,24 @@ Išvestis: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Keisti tomų grupės, pavadinimu %1, dydį iš %2 į %3. + Resize volume group named %1 from %2 to %3 + @title + Keisti tomų grupės, pavadinimu %1, dydį iš %2 į %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Keisti tomų grupės, pavadinimu <strong>%1</strong>, dydį iš <strong>%2</strong> į <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Keisti tomų grupės, pavadinimu <strong>%1</strong>, dydį iš <strong>%2</strong> į <strong>%3</strong> + + + + Resizing volume group named %1 from %2 to %3… + @status + Keičiamas tomų grupės, pavadinimu %1, dydis iš %2 į %3… - + The installer failed to resize a volume group named '%1'. Diegimo programai nepavyko pakeisti tomų grupės, kurios pavadinimas „%1“, dydžio. @@ -3674,13 +3771,15 @@ Išvestis: ScanningDialog - Scanning storage devices... - Peržiūrimi atminties įrenginiai... + Scanning storage devices… + @status + Peržiūrimi atminties įrenginiai… - Partitioning - Skaidymas + Partitioning… + @status + Skaidymas… @@ -3697,8 +3796,9 @@ Išvestis: - Setting hostname %1. - Nustatomas kompiuterio vardas %1. + Setting hostname %1… + @status + Nustatomas kompiuterio vardas %1. {1…?} @@ -3762,81 +3862,96 @@ Išvestis: SetPartFlagsJob - Set flags on partition %1. - Nustatyti vėliavėles skaidinyje %1. + Set flags on partition %1 + @title + Nustatyti vėliavėles skaidinyje %1 - Set flags on %1MiB %2 partition. - Nustatyti vėliavėles %1MiB skaidinyje %2. + Set flags on %1MiB %2 partition + @title + Nustatyti vėliavėles %1MiB skaidinyje %2 - Set flags on new partition. - Nustatyti vėliavėles naujame skaidinyje. + Set flags on new partition + @title + Nustatyti vėliavėles naujame skaidinyje - Clear flags on partition <strong>%1</strong>. - Išvalyti vėliavėles skaidinyje <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Išvalyti vėliavėles skaidinyje <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Išvalyti vėliavėles %1MiB skaidinyje <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Išvalyti vėliavėles %1MiB skaidinyje <strong>%2</strong> - Clear flags on new partition. - Išvalyti vėliavėles naujame skaidinyje. + Clear flags on new partition + @info + Išvalyti vėliavėles naujame skaidinyje - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Pažymėti vėliavėle skaidinį <strong>%1</strong> kaip <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Nustatyti vėliavėles skaidinyje <strong>%1</strong> į <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Pažymėti vėliavėle %1MiB skaidinį <strong>%2</strong> kaip <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Nustatyti vėliavėles %1MiB skaidinyje <strong>%2</strong> į <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Pažymėti vėliavėle naują skaidinį kaip <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Nustatyti vėliavėles naujame skaidinyje į <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Išvalomos vėliavėlės skaidinyje <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Išvalomos vėliavėlės skaidinyje <strong>%1</strong>… - - Clearing flags on %1MiB <strong>%2</strong> partition. - Išvalomos vėliavėlės %1MiB skaidinyje<strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Išvalomos vėliavėlės %1MiB skaidinyje <strong>%2</strong>… - - Clearing flags on new partition. - Išvalomos vėliavėlės naujame skaidinyje. + + Clearing flags on new partition… + @status + Išvalomos vėliavėlės naujame skaidinyje… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Nustatomos <strong>%2</strong> vėliavėlės skaidinyje <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Nustatomos <strong>%2</strong> vėliavėlės skaidinyje <strong>%1</strong>… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Nustatomos vėliavėlės <strong>%3</strong>, %1MiB skaidinyje <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Nustatomos <strong>%3</strong> vėliavėlės, %1MiB skaidinyje <strong>%2</strong>… - - Setting flags <strong>%1</strong> on new partition. - Nustatomos vėliavėlės <strong>%1</strong> naujame skaidinyje. + + Setting flags <strong>%1</strong> on new partition… + @status + Nustatomos <strong>%1</strong> vėliavėlės naujame skaidinyje… - + The installer failed to set flags on partition %1. Diegimo programai nepavyko nustatyti vėliavėlių skaidinyje %1. @@ -3850,32 +3965,33 @@ Išvestis: - Setting password for user %1. - Nustatomas slaptažodis naudotojui %1. + Setting password for user %1… + @status + Nustatomas slaptažodis naudotojui %1. {1…?} - + Bad destination system path. Neteisingas paskirties sistemos kelias. - + rootMountPoint is %1 rootMountPoint yra %1 - + Cannot disable root account. Nepavyksta išjungti pagrindinio naudotojo (root) paskyros. - + Cannot set password for user %1. Nepavyko nustatyti slaptažodžio naudotojui %1. - - + + usermod terminated with error code %1. komanda usermod nutraukė darbą dėl klaidos kodo %1. @@ -3924,8 +4040,9 @@ Išvestis: SetupGroupsJob - Preparing groups. - Ruošiamos grupės. + Preparing groups… + @status + Ruošiamos grupės… @@ -3943,8 +4060,9 @@ Išvestis: SetupSudoJob - Configure <pre>sudo</pre> users. - Konfigūruoti <pre>sudo</pre> naudotojus. + Configuring <pre>sudo</pre> users… + @status + Konfigūruojami <pre>sudo</pre> naudotojai… @@ -3961,8 +4079,9 @@ Išvestis: ShellProcessJob - Shell Processes Job - Apvalkalo procesų užduotis + Running shell processes… + @status + Vykdomi apvalkalo procesai… @@ -4011,8 +4130,9 @@ Išvestis: - Sending installation feedback. - Siunčiamas grįžtamasis ryšys apie diegimą. + Sending installation feedback… + @status + Siunčiamas grįžtamasis ryšys apie diegimą… @@ -4034,8 +4154,9 @@ Išvestis: - Configuring KDE user feedback. - Konfigūruojamas KDE naudotojo grįžtamasis ryšys. + Configuring KDE user feedback… + @status + Konfigūruojamas KDE naudotojo grįžtamasis ryšys… @@ -4063,8 +4184,9 @@ Išvestis: - Configuring machine feedback. - Konfigūruojamas grįžtamasis ryšys apie kompiuterį. + Configuring machine feedback… + @status + Konfigūruojamas grįžtamasis ryšys apie kompiuterį… @@ -4126,6 +4248,7 @@ Išvestis: Feedback + @title Grįžtamasis ryšys @@ -4133,8 +4256,9 @@ Išvestis: UmountJob - Unmount file systems. - Atjungti failų sistemas. + Unmounting file systems… + @status + Atjungiamos failų sistemos… @@ -4292,11 +4416,6 @@ Išvestis: &Release notes Lai&dos informacija - - - %1 support - %1 palaikymas - About %1 Setup @@ -4309,12 +4428,19 @@ Išvestis: @title Apie %1 diegimo programą + + + %1 Support + @action + %1 palaikymas + WelcomeQmlViewStep Welcome + @title Pasisveikinimas @@ -4323,6 +4449,7 @@ Išvestis: Welcome + @title Pasisveikinimas @@ -4330,8 +4457,9 @@ Išvestis: ZfsJob - Create ZFS pools and datasets - Sukurti ZFS telkinius ir duomenų rinkinius + Creating ZFS pools and datasets… + @status + Kuriami ZFS telkiniai ir duomenų rinkiniai… @@ -4778,21 +4906,11 @@ Išvestis: What is your name? Koks jūsų vardas? - - - Your Full Name - Jūsų visas vardas - What name do you want to use to log in? Kokį vardą norite naudoti prisijungimui? - - - Login Name - Prisijungimo vardas - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4813,11 +4931,6 @@ Išvestis: What is the name of this computer? Koks šio kompiuterio vardas? - - - Computer Name - Kompiuterio vardas - This name will be used if you make the computer visible to others on a network. @@ -4838,16 +4951,21 @@ Išvestis: Password Slaptažodis - - - Repeat Password - Pakartokite slaptažodį - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Norint įsitikinti, kad rašydami slaptažodį nesuklydote, įrašykite tą patį slaptažodį du kartus. Stiprus slaptažodis yra raidžių, skaitmenų ir punktuacijos ženklų mišinys, jis turi būti mažiausiai aštuonių simbolių, be to, turėtų būti reguliariai keičiamas. + + + Root password + Pagrindinio naudotojo (root) slaptažodis + + + + Repeat root password + Pakartokite pagrindinio naudotojo (root) slaptažodį + Validate passwords quality @@ -4863,11 +4981,31 @@ Išvestis: Log in automatically without asking for the password Prisijungti automatiškai, neklausiant slaptažodžio + + + Your full name + Jūsų vardas + + + + Login name + Prisijungimo vardas + + + + Computer name + Kompiuterio vardas + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Yra leidžiamos tik raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai, mažiausiai du simboliai. + + + Repeat password + Pakartokite slaptažodį + Reuse user password as root password @@ -4883,16 +5021,6 @@ Išvestis: Choose a root password to keep your account safe. Pasirinkite pagrindinio naudotojo (root) slaptažodį, kad apsaugotumėte savo paskyrą. - - - Root Password - Pagrindinio naudotojo (Root) slaptažodis - - - - Repeat Root Password - Pakartokite pagrindinio naudotojo (Root) slaptažodį - Enter the same password twice, so that it can be checked for typing errors. @@ -4911,21 +5039,11 @@ Išvestis: What is your name? Koks jūsų vardas? - - - Your Full Name - Jūsų visas vardas - What name do you want to use to log in? Kokį vardą norite naudoti prisijungimui? - - - Login Name - Prisijungimo vardas - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4946,9 +5064,19 @@ Išvestis: What is the name of this computer? Koks šio kompiuterio vardas? + + + Your full name + Jūsų vardas + + + + Login name + Prisijungimo vardas + - Computer Name + Computer name Kompiuterio vardas @@ -4978,9 +5106,19 @@ Išvestis: - Repeat Password + Repeat password Pakartokite slaptažodį + + + Root password + Pagrindinio naudotojo (Root) slaptažodis + + + + Repeat root password + Pakartokite pagrindinio naudotojo (root) slaptažodį + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5001,16 +5139,6 @@ Išvestis: Choose a root password to keep your account safe. Pasirinkite pagrindinio naudotojo (root) slaptažodį, kad apsaugotumėte savo paskyrą. - - - Root Password - Pagrindinio naudotojo (Root) slaptažodis - - - - Repeat Root Password - Pakartokite pagrindinio naudotojo (Root) slaptažodį - Enter the same password twice, so that it can be checked for typing errors. @@ -5048,12 +5176,12 @@ Išvestis: - Known issues + Known Issues Žinomos problemos - Release notes + Release Notes Laidos informacija @@ -5078,12 +5206,12 @@ Išvestis: - Known issues + Known Issues Žinomos problemos - Release notes + Release Notes Laidos informacija diff --git a/lang/calamares_lv.ts b/lang/calamares_lv.ts index e5120e36f5..9f4325ffc5 100644 --- a/lang/calamares_lv.ts +++ b/lang/calamares_lv.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Uzstādīt @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label Šobrīd: After: + @label Pēc iestatīšanas: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label <strong>Atlasiet nodalījumu, kurā instalēt</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -769,36 +787,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - Bez mijmaiņas nodalījuma + No swap + @label + - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -832,11 +863,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -849,12 +882,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1111,13 +1142,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1300,17 +1345,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1365,17 +1413,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1389,12 +1435,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1407,17 +1455,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,56 +1677,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1748,23 +1807,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2804,11 +2884,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2865,7 +2940,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2971,31 +3047,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3011,37 +3093,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3120,16 +3209,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Šobrīd: - - - - After: - Pēc iestatīšanas: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + Šobrīd: + + + + After: + @label + Pēc iestatīšanas: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,7 +3344,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3279,6 +3373,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3286,7 +3381,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3380,26 +3476,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3418,11 +3500,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3447,6 +3524,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3461,7 +3544,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3470,12 +3554,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3588,22 +3674,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3613,6 +3702,7 @@ Output: Resize Volume Group + @title @@ -3620,17 +3710,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3647,12 +3744,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3670,7 +3769,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3735,81 +3835,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3823,32 +3938,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3897,7 +4013,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3916,7 +4033,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3934,7 +4052,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3984,7 +4103,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4007,7 +4127,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4036,7 +4157,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4099,6 +4221,7 @@ Output: Feedback + @title @@ -4106,7 +4229,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4265,11 +4389,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4282,12 +4401,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Laipni lūdzam! @@ -4296,6 +4422,7 @@ Output: Welcome + @title Laipni lūdzam! @@ -4303,7 +4430,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4719,21 +4847,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4754,11 +4872,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4780,13 +4893,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4804,11 +4922,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4824,16 +4962,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4852,21 +4980,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4887,9 +5005,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4919,7 +5047,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4942,16 +5080,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4988,12 +5116,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5017,12 +5145,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_mk.ts b/lang/calamares_mk.ts index d47c4fdba0..79a927b6d1 100644 --- a/lang/calamares_mk.ts +++ b/lang/calamares_mk.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Инсталирај @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ml.ts b/lang/calamares_ml.ts index f76e8d12ea..e0a999a797 100644 --- a/lang/calamares_ml.ts +++ b/lang/calamares_ml.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - ഓട്ടോ-മൗണ്ട് ക്രമീകരണങ്ങൾ സജ്ജീകരിക്കുക + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 ന്റെ മാസ്റ്റർ ബൂട്ട് റെക്കോർഡ് Boot Partition + @info ബൂട്ട് പാർട്ടീഷൻ System Partition + @info സിസ്റ്റം പാർട്ടീഷൻ Do not install a boot loader + @label ബൂട്ട് ലോഡർ ഇൻസ്റ്റാൾ ചെയ്യരുത് @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ഇൻസ്റ്റാൾ ചെയ്യുക @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>സ്വമേധയാ ഉള്ള പാർട്ടീഷനിങ്</strong><br/>നിങ്ങൾക്ക് സ്വയം പാർട്ടീഷനുകൾ സൃഷ്ടിക്കാനോ വലുപ്പം മാറ്റാനോ കഴിയും. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ചുരുക്കുന്നതിന് ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കുക, എന്നിട്ട് വലുപ്പം മാറ്റാൻ ചുവടെയുള്ള ബാർ വലിക്കുക. + Select storage de&vice: + @label സംഭരണിയ്ക്കുള്ള ഉപകരണം തിരഞ്ഞെടുക്കൂ: @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label നിലവിലുള്ളത്: After: + @label ശേഷം: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>സ്വമേധയാ ഉള്ള പാർട്ടീഷനിങ്</strong><br/>നിങ്ങൾക്ക് സ്വയം പാർട്ടീഷനുകൾ സൃഷ്ടിക്കാനോ വലുപ്പം മാറ്റാനോ കഴിയും. - - Reuse %1 as home partition for %2. - %2 നുള്ള ഹോം പാർട്ടീഷനായി %1 വീണ്ടും ഉപയോഗിക്കൂ. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ചുരുക്കുന്നതിന് ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കുക, എന്നിട്ട് വലുപ്പം മാറ്റാൻ ചുവടെയുള്ള ബാർ വലിക്കുക. + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 %2MiB ആയി ചുരുങ്ങുകയും %4 ന് ഒരു പുതിയ %3MiB പാർട്ടീഷൻ സൃഷ്ടിക്കുകയും ചെയ്യും. - - - Boot loader location: - ബൂട്ട് ലോഡറിന്റെ സ്ഥാനം: - <strong>Select a partition to install on</strong> + @label <strong>ഇൻസ്റ്റാൾ ചെയ്യാനായി ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കുക</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name ഈ സിസ്റ്റത്തിൽ എവിടെയും ഒരു ഇ.എഫ്.ഐ സിസ്റ്റം പാർട്ടീഷൻ കണ്ടെത്താനായില്ല. %1 സജ്ജീകരിക്കുന്നതിന് ദയവായി തിരികെ പോയി മാനുവൽ പാർട്ടീഷനിംഗ് ഉപയോഗിക്കുക. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 ലെ ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷൻ %2 ആരംഭിക്കുന്നതിന് ഉപയോഗിക്കും. EFI system partition: + @label ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷൻ @@ -769,38 +787,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - സ്വാപ്പ് വേണ്ട + No swap + @label + - Reuse Swap - സ്വാപ്പ് വീണ്ടും ഉപയോഗിക്കൂ + Reuse swap + @label + Swap (no Hibernate) + @label സ്വാപ്പ് (ഹൈബർനേഷൻ ഇല്ല) Swap (with Hibernate) + @label സ്വാപ്പ് (ഹൈബർനേഷനോട് കൂടി) Swap to file + @label ഫയലിലേക്ക് സ്വാപ്പ് ചെയ്യുക + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title %1 ൽ പാർട്ടീഷനിങ്ങ് പ്രക്രിയകൾക്കായി മൗണ്ടുകൾ നീക്കം ചെയ്യുക - Clearing mounts for partitioning operations on %1. - %1 ൽ പാർട്ടീഷനിങ്ങ് പ്രക്രിയകൾക്കായി മൗണ്ടുകൾ നീക്കം ചെയ്യുന്നു. + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - എല്ലാ താൽക്കാലിക മൗണ്ടുകളും നീക്കം ചെയ്യുക - - - Clearing all temporary mounts. - എല്ലാ താൽക്കാലിക മൗണ്ടുകളും നീക്കം ചെയ്യുന്നു. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection പാക്കേജ് തിരഞ്ഞെടുക്കൽ - + Please pick a product from the list. The selected product will be installed. പട്ടികയിൽ നിന്നും ഒരു ഉത്പന്നം തിരഞ്ഞെടുക്കുക. തിരഞ്ഞെടുത്ത ഉത്പന്നം ഇൻസ്റ്റാൾ ചെയ്യപ്പെടുക. - + Packages പാക്കേജുകൾ - + Install option: <strong>%1</strong> - + None - + Summary + @label ചുരുക്കം - + This is an overview of what will happen once you start the setup procedure. താങ്കൾ സജ്ജീകരണപ്രക്രിയ ആരംഭിച്ചതിനുശേഷം എന്ത് സംഭവിക്കും എന്നതിന്റെ അവലോകനമാണിത്. - + This is an overview of what will happen once you start the install procedure. നിങ്ങൾ ഇൻസ്റ്റാൾ നടപടിക്രമങ്ങൾ ആരംഭിച്ചുകഴിഞ്ഞാൽ എന്ത് സംഭവിക്കും എന്നതിന്റെ ഒരു അവലോകനമാണിത്. @@ -1111,15 +1142,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + സിസ്റ്റം ഭാഷ %1 ആയി സജ്ജമാക്കും. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + സംഖ്യ & തീയതി രീതി %1 ആയി ക്രമീകരിക്കും. @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action എൻക്രിപ്റ്റ് (&c) Logical + @label ലോജിക്കൽ Primary + @label പ്രാഥമികം GPT + @label ജിപിറ്റി Mountpoint already in use. Please select another one. + @info മൗണ്ട്പോയിന്റ് നിലവിൽ ഉപയോഗിക്കപ്പെട്ടിരിക്കുന്നു. ദയവായി മറ്റൊരെണ്ണം തിരഞ്ഞെടുക്കൂ. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - ഫയൽ സിസ്റ്റം %1 ഉപയോഗിച്ച് %4 (%3) ൽ പുതിയ %2MiB പാർട്ടീഷൻ സൃഷ്ടിക്കുക. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - ഫയൽ സിസ്റ്റം <strong>%1</strong> ഉപയോഗിച്ച് <strong>%4</strong> (%3) ൽ പുതിയ <strong>%2MiB</strong> പാർട്ടീഷൻ സൃഷ്ടിക്കുക. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2 ൽ പുതിയ %1 പാർട്ടീഷൻ സൃഷ്ടിക്കുന്നു. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info '%1' ഡിസ്കിൽ പാർട്ടീഷൻ സൃഷ്ടിക്കുന്നതിൽ ഇൻസ്റ്റാളർ പരാജയപ്പെട്ടു. @@ -1300,18 +1345,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2 എന്നതില്‍ %1 എന്ന പുതിയ പാര്‍ട്ടീഷന്‍ ടേബിള്‍ സൃഷ്ടിക്കുക. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3) -ൽ പുതിയ <strong>%1</strong> പാർട്ടീഷൻ ടേബിൾ ഉണ്ടാക്കുക. - - - - Creating new %1 partition table on %2. - %2 എന്നതില്‍ %1 എന്ന പുതിയ പാര്‍ട്ടീഷന്‍ ടേബിള്‍ സൃഷ്ടിക്കുന്നു. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - <strong>%1</strong> എന്ന ഉപയോക്താവിനെ സൃഷ്ടിക്കുക. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title വോള്യം ഗ്രൂപ്പ് നിർമ്മിക്കുക @@ -1365,18 +1413,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - %1 എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നിർമ്മിക്കുക. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നിർമ്മിക്കുക. - - - - Creating new volume group named %1. - %1 എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നിർമ്മിക്കുന്നു. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - %1 എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നിഷ്ക്രിയമാക്കുക. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നിഷ്ക്രിയമാക്കുക. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - പാർട്ടീഷൻ %1 ഇല്ലാതാക്കുക. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> എന്ന പാര്‍ട്ടീഷന്‍ മായ്ക്കുക. - - - - Deleting partition %1. - പാർട്ടീഷൻ %1 ഇല്ലാതാക്കുന്നു. + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip രണ്ട് പെട്ടികളിലും ഒരേ രഹസ്യവാചകം നല്‍കുക, - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ The installer will quit and all changes will be lost. Set partition information + @title പാർട്ടീഷൻ വിവരങ്ങൾ ക്രമീകരിക്കുക Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - <strong>പുതിയ</strong> %2 സിസ്റ്റം പാർട്ടീഷനിൽ %1 ഇൻസ്റ്റാൾ ചെയ്യുക. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - %3 സിസ്റ്റം പാർട്ടീഷൻ <strong>%1-ൽ</strong> %2 ഇൻസ്റ്റാൾ ചെയ്യുക. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - <strong>%1-ൽ</strong> ബൂട്ട് ലോഡർ ഇൻസ്റ്റാൾ ചെയ്യുക. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - മൗണ്ട് പോയിന്റുകൾ സജ്ജീകരിക്കുക. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 -ലുള്ള പാർട്ടീഷൻ %1 (ഫയൽ സിസ്റ്റം: %2, വലുപ്പം:‌%3 MiB) ഫോർമാറ്റ് ചെയ്യുക. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - ഫയൽ സിസ്റ്റം <strong>%2</strong> ഉപയോഗിച്ച് %3 MiB പാർട്ടീഷൻ <strong>%1</strong> ഫോർമാറ്റ് ചെയ്യുക. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - ഫയൽ സിസ്റ്റം %2 ഉപയോഗിച്ച് പാർട്ടീഷൻ‌%1 ഫോർമാറ്റ് ചെയ്യുന്നു. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. മെഷീൻ-ഐഡ് നിർമ്മിക്കുക - + Configuration Error ക്രമീകരണത്തിൽ പിഴവ് - + No root mount point is set for MachineId. മെഷീൻ ഐഡിയ്ക്ക് റൂട്ട് മൗണ്ട് പോയിന്റൊന്നും ക്രമീകരിച്ചിട്ടില്ല + + + + + + File not found + ഫയൽ കണ്ടെത്താനായില്ല + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> പാഥ് ഒരു പൂർണ്ണമായ പാഥ് ആയിരിക്കണം. + + + + Could not create new random file <pre>%1</pre>. + റാൻഡം ഫയൽ <pre>%1</pre> നിർമ്മിക്കാനായില്ല. + Map @@ -2795,11 +2875,6 @@ The installer will quit and all changes will be lost. Unknown error അപരിചിതമായ പിശക് - - - Password is empty - രഹസ്യവാക്ക് ശൂന്യമാണ് - PackageChooserPage @@ -2856,7 +2931,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2962,31 +3038,37 @@ The installer will quit and all changes will be lost. Home + @label ഹോം Boot + @label ബൂട്ട് EFI system + @label ഇഎഫ്ഐ സിസ്റ്റം Swap + @label സ്വാപ്പ് New partition for %1 + @label %1-നുള്ള പുതിയ പാർട്ടീഷൻ New partition + @label പുതിയ പാർട്ടീഷൻ @@ -3002,37 +3084,44 @@ The installer will quit and all changes will be lost. Free Space + @title ലഭ്യമായ സ്ഥലം - New partition - പുതിയ പാർട്ടീഷൻ + New Partition + @title + Name + @title പേര് File System + @title ഫയൽ സിസ്റ്റം File System Label + @title Mount Point + @title മൗണ്ട് പോയിന്റ് Size + @title വലുപ്പം @@ -3111,16 +3200,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - സിസ്റ്റത്തെക്കുറിച്ചുള്ള വിവരങ്ങൾ ശേഖരിക്കുന്നു... - - - - Partitions - പാർട്ടീഷനുകൾ - Unsafe partition actions are enabled. @@ -3136,16 +3215,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - നിലവിലുള്ളത്: - - - - After: - ശേഷം: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3197,6 +3266,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + പാർട്ടീഷനുകൾ + + + + Current: + @label + നിലവിലുള്ളത്: + + + + After: + @label + ശേഷം: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3242,8 +3335,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - പ്ലാസ്മ കെട്ടും മട്ടും ജോലി + Applying Plasma Look-and-Feel… + @status + @@ -3270,6 +3364,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label കെട്ടും മട്ടും @@ -3277,8 +3372,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - ഫയലുകൾ ഭാവിയിലേക്കായി സംരക്ഷിക്കുന്നു ... + Saving files for later… + @status + @@ -3374,26 +3470,12 @@ Output: സ്വതേയുള്ളത് - - - - - File not found - ഫയൽ കണ്ടെത്താനായില്ല - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> പാഥ് ഒരു പൂർണ്ണമായ പാഥ് ആയിരിക്കണം. - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. റാൻഡം ഫയൽ <pre>%1</pre> നിർമ്മിക്കാനായില്ല. @@ -3412,11 +3494,6 @@ Output: (no mount point) (മൗണ്ട് പോയിന്റ് ഇല്ല) - - - Unpartitioned space or unknown partition table - പാർട്ടീഷൻ ചെയ്യപ്പെടാത്ത സ്ഥലം അല്ലെങ്കിൽ അപരിചിതമായ പാർട്ടീഷൻ ടേബിൾ - unknown @@ -3441,6 +3518,12 @@ Output: @partition info സ്വാപ്പ് + + + Unpartitioned space or unknown partition table + @info + പാർട്ടീഷൻ ചെയ്യപ്പെടാത്ത സ്ഥലം അല്ലെങ്കിൽ അപരിചിതമായ പാർട്ടീഷൻ ടേബിൾ + Recommended @@ -3455,7 +3538,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3464,13 +3548,15 @@ Output: - Remove Volume Group named %1. - %1 എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നീക്കം ചെയ്യുക. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പ് നീക്കം ചെയ്യുക. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3582,22 +3668,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 പാർട്ടീഷന്റെ വലുപ്പം മാറ്റുക. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%1</strong> എന്ന <strong>%2MiB</strong> പാർട്ടീഷന്റെ വലുപ്പം <strong>%3Mib</strong>യിലേക്ക് മാറ്റുക. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %1 എന്ന %2MiB പാർട്ടീഷന്റെ വലുപ്പം %3Mibയിലേക്ക് മാറ്റുന്നു. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. '%2' ഡിസ്കിലുള്ള %1 പാർട്ടീഷന്റെ വലുപ്പം മാറ്റുന്നതിൽ ഇൻസ്റ്റാളർ പരാജയപ്പെട്ടു @@ -3607,6 +3696,7 @@ Output: Resize Volume Group + @title വോള്യം ഗ്രൂപ്പിന്റെ വലുപ്പം മാറ്റുക @@ -3614,17 +3704,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %1 എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പിന്റെ വലുപ്പം %2ൽ നിന്നും %3ലേക്ക് മാറ്റുക. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> എന്ന് പേരുള്ള വോള്യം ഗ്രൂപ്പിന്റെ വലുപ്പം <strong>%2</strong>ൽ നിന്നും <strong>%3</strong>ലേക്ക് മാറ്റുക. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. '%1' എന്ന് പേരുള്ള ഒരു വോള്യം ഗ്രൂപ്പിന്റെ വലുപ്പം മാറ്റുന്നതിൽ ഇൻസ്റ്റാളർ പരാജയപ്പെട്ടു. @@ -3641,13 +3738,15 @@ Output: ScanningDialog - Scanning storage devices... - സ്റ്റോറേജ് ഉപകരണങ്ങൾ തിരയുന്നു... + Scanning storage devices… + @status + - Partitioning - പാർട്ടീഷനിങ്ങ് + Partitioning… + @status + @@ -3664,8 +3763,9 @@ Output: - Setting hostname %1. - %1 ഹോസ്റ്റ്‌നെയിം ക്രമീകരിക്കുന്നു. + Setting hostname %1… + @status + @@ -3729,81 +3829,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - പാർട്ടീഷൻ %1ൽ ഫ്ലാഗുകൾ ക്രമീകരിക്കുക. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1എംബി പാർട്ടീഷൻ %2ൽ ഫ്ലാഗുകൾ ക്രമീകരിക്കുക. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - പുതിയ പാർട്ടീഷനിൽ ഫ്ലാഗുകൾ ക്രമീകരിക്കുക. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> പാർട്ടീഷനിലെ ഫ്ലാഗുകൾ നീക്കം ചെയ്യുക. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1എംബി <strong>%2</strong> പാർട്ടീഷനിലെ ഫ്ലാഗുകൾ ക്രമീകരിക്കുക. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - പുതിയ പാർട്ടീഷനിലെ ഫ്ലാഗുകൾ മായ്ക്കുക. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> പാർട്ടീഷനെ <strong>%2</strong> ആയി ഫ്ലാഗ് ചെയ്യുക + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiB <strong>%2</strong> പാർട്ടീഷൻ <strong>%3</strong> ആയി ഫ്ലാഗ് ചെയ്യുക. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - പുതിയ പാർട്ടീഷൻ <strong>%1 </strong>ആയി ഫ്ലാഗുചെയ്യുക. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - പാർട്ടീഷൻ <strong>%1</strong>ലെ ഫ്ലാഗുകൾ മായ്ക്കുന്നു. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - ഫ്ലാഗുകൾ %1MiB <strong>%2</strong> പാർട്ടീഷനിൽ നിർമ്മിക്കുന്നു. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - പുതിയ പാർട്ടീഷനിലെ ഫ്ലാഗുകൾ മായ്ക്കുന്നു. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%2</strong> ഫ്ലാഗുകൾ <strong>%1</strong> പാർട്ടീഷനിൽ ക്രമീകരിക്കുക. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - <strong>%3</strong> ഫ്ലാഗുകൾ %1MiB <strong>%2</strong> പാർട്ടീഷനിൽ ക്രമീകരിക്കുന്നു. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - <strong>%1</strong> ഫ്ലാഗുകൾ പുതിയ പാർട്ടീഷനിൽ ക്രമീകരിക്കുക. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. പാർട്ടീഷൻ %1ൽ ഫ്ലാഗുകൾ ക്രമീകരിക്കുന്നതിൽ ഇൻസ്റ്റാളർ പരാജയപ്പെട്ടു. @@ -3817,32 +3932,33 @@ Output: - Setting password for user %1. - %1 ഉപയോക്താവിനുള്ള രഹസ്യവാക്ക് ക്രമീകരിക്കുന്നു. + Setting password for user %1… + @status + - + Bad destination system path. ലക്ഷ്യത്തിന്റെ സിസ്റ്റം പാത്ത് തെറ്റാണ്. - + rootMountPoint is %1 rootMountPoint %1 ആണ് - + Cannot disable root account. റൂട്ട് അക്കൗണ്ട് നിഷ്ക്രിയമാക്കാനായില്ല. - + Cannot set password for user %1. ഉപയോക്താവ് %1നായി രഹസ്യവാക്ക് ക്രമീകരിക്കാനായില്ല. - - + + usermod terminated with error code %1. usermod പിഴവ് കോഡ്‌ %1 ഓട് കൂടീ അവസാനിച്ചു. @@ -3891,7 +4007,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3910,7 +4027,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3928,8 +4046,9 @@ Output: ShellProcessJob - Shell Processes Job - ഷെൽ പ്രക്രിയകൾ ജോലി + Running shell processes… + @status + @@ -3978,8 +4097,9 @@ Output: - Sending installation feedback. - ഇൻസ്റ്റളേഷനെ പറ്റിയുള്ള പ്രതികരണം അയയ്ക്കുന്നു. + Sending installation feedback… + @status + @@ -4001,7 +4121,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4030,8 +4151,9 @@ Output: - Configuring machine feedback. - ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണം ക്രമീകരിക്കുന്നു. + Configuring machine feedback… + @status + @@ -4093,6 +4215,7 @@ Output: Feedback + @title പ്രതികരണം @@ -4100,7 +4223,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4259,11 +4383,6 @@ Output: &Release notes പ്രകാശന കുറിപ്പുകൾ (&R) - - - %1 support - %1 പിന്തുണ - About %1 Setup @@ -4276,12 +4395,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title സ്വാഗതം @@ -4290,6 +4416,7 @@ Output: Welcome + @title സ്വാഗതം @@ -4297,7 +4424,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4713,21 +4841,11 @@ Output: What is your name? നിങ്ങളുടെ പേരെന്താണ് ? - - - Your Full Name - താങ്കളുടെ മുഴുവൻ പേരു് - What name do you want to use to log in? ലോഗിൻ ചെയ്യാൻ നിങ്ങൾ ഏത് നാമം ഉപയോഗിക്കാനാണു ആഗ്രഹിക്കുന്നത്? - - - Login Name - പ്രവേശന നാമം - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4748,11 +4866,6 @@ Output: What is the name of this computer? ഈ കമ്പ്യൂട്ടറിന്റെ നാമം എന്താണ് ? - - - Computer Name - കമ്പ്യൂട്ടറിന്റെ പേര് - This name will be used if you make the computer visible to others on a network. @@ -4773,16 +4886,21 @@ Output: Password രഹസ്യവാക്ക് - - - Repeat Password - രഹസ്യവാക്ക് വീണ്ടും - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4798,11 +4916,31 @@ Output: Log in automatically without asking for the password രഹസ്യവാക്ക് ചോദിക്കാതെ സ്വയം പ്രവേശിക്കുക + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. അക്ഷരങ്ങൾ, അക്കങ്ങൾ, ഹൈഫൻ, അണ്ടർസ്കോർ എന്നിവ മാത്രമേ അനുവദിക്കപ്പെട്ടിട്ടുള്ളൂ, കുറഞ്ഞത് രണ്ടെണ്ണമെങ്കിലും. + + + Repeat password + + Reuse user password as root password @@ -4818,16 +4956,6 @@ Output: Choose a root password to keep your account safe. താങ്കളുടെ അക്കൗണ്ട് സുരക്ഷിതമാക്കാൻ ഒരു റൂട്ട് രഹസ്യവാക്ക് തിരഞ്ഞെടുക്കുക. - - - Root Password - റൂട്ട് രഹസ്യവാക്ക് - - - - Repeat Root Password - റൂട്ട് രഹസ്യവാക്ക് വീണ്ടും - Enter the same password twice, so that it can be checked for typing errors. @@ -4846,21 +4974,11 @@ Output: What is your name? നിങ്ങളുടെ പേരെന്താണ് ? - - - Your Full Name - താങ്കളുടെ മുഴുവൻ പേരു് - What name do you want to use to log in? ലോഗിൻ ചെയ്യാൻ നിങ്ങൾ ഏത് നാമം ഉപയോഗിക്കാനാണു ആഗ്രഹിക്കുന്നത്? - - - Login Name - പ്രവേശന നാമം - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4881,10 +4999,20 @@ Output: What is the name of this computer? ഈ കമ്പ്യൂട്ടറിന്റെ നാമം എന്താണ് ? + + + Your full name + + + + + Login name + + - Computer Name - കമ്പ്യൂട്ടറിന്റെ പേര് + Computer name + @@ -4913,8 +5041,18 @@ Output: - Repeat Password - രഹസ്യവാക്ക് വീണ്ടും + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4936,16 +5074,6 @@ Output: Choose a root password to keep your account safe. താങ്കളുടെ അക്കൗണ്ട് സുരക്ഷിതമാക്കാൻ ഒരു റൂട്ട് രഹസ്യവാക്ക് തിരഞ്ഞെടുക്കുക. - - - Root Password - റൂട്ട് രഹസ്യവാക്ക് - - - - Repeat Root Password - റൂട്ട് രഹസ്യവാക്ക് വീണ്ടും - Enter the same password twice, so that it can be checked for typing errors. @@ -4982,13 +5110,13 @@ Output: - Known issues - അറിയാവുന്ന പ്രശ്നങ്ങൾ + Known Issues + - Release notes - പ്രകാശനക്കുറിപ്പുകൾ + Release Notes + @@ -5011,13 +5139,13 @@ Output: - Known issues - അറിയാവുന്ന പ്രശ്നങ്ങൾ + Known Issues + - Release notes - പ്രകാശനക്കുറിപ്പുകൾ + Release Notes + diff --git a/lang/calamares_mr.ts b/lang/calamares_mr.ts index b518e9003a..645a22fbc2 100644 --- a/lang/calamares_mr.ts +++ b/lang/calamares_mr.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 च्या मुख्य आरंभ अभिलेखामधे Boot Partition + @info आरंभक विभाजन System Partition + @info प्रणाली विभाजन Do not install a boot loader + @label आरंभ सूचक अधिष्ठापित करु नका @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label अधिष्ठापना @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label सद्या : After: + @label नंतर : - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label सारांश - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label तार्किक Primary + @label प्राथमिक GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - %2 वर %1 हे नवीन विभाजन निर्माण करत आहे + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - सद्या : - - - - After: - नंतर : - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + सद्या : + + + + After: + @label + नंतर : + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1.  %1 या एरर कोडसहित usermod रद्द केले. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes &प्रकाशन टिपा - - - %1 support - %1 पाठबळ - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title स्वागत @@ -4285,6 +4411,7 @@ Output: Welcome + @title स्वागत @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_nb.ts b/lang/calamares_nb.ts index eec2aefee0..dcc1cbb1da 100644 --- a/lang/calamares_nb.ts +++ b/lang/calamares_nb.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record til %1 Boot Partition + @info Bootpartisjon System Partition + @info Systempartisjon Do not install a boot loader + @label Ikke installer en oppstartslaster @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Installer @@ -628,18 +633,27 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -653,9 +667,20 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuell partisjonering</strong><br/>Du kan opprette eller endre størrelse på partisjoner selv. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -664,56 +689,49 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Current: + @label After: + @label - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuell partisjonering</strong><br/>Du kan opprette eller endre størrelse på partisjoner selv. - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -768,36 +786,49 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -831,11 +862,13 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -848,12 +881,9 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1003,42 +1033,43 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Oppsummering - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1110,13 +1141,13 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1195,31 +1226,37 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. En&crypt + @action Logical + @label Logisk Primary + @label Primær GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1227,43 +1264,51 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1299,17 +1344,15 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1327,28 +1370,32 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1357,6 +1404,7 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Create Volume Group + @title @@ -1364,17 +1412,15 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1388,12 +1434,14 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1406,17 +1454,15 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1602,11 +1648,13 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1628,56 +1676,67 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1747,24 +1806,27 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formaterer partisjon %1 med filsystem %2. + + Formatting partition %1 with file system %2… + @status + @@ -2257,20 +2319,38 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. MachineIdJob - + Generate machine-id. Generer maskin-ID. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2794,11 +2874,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.Unknown error Ukjent feil - - - Password is empty - - PackageChooserPage @@ -2855,7 +2930,8 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3001,37 +3083,44 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3110,16 +3199,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,7 +3334,8 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3269,6 +3363,7 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Look-and-Feel + @label @@ -3276,7 +3371,8 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3370,26 +3466,12 @@ Output: Standard - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3408,11 +3490,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3437,6 +3514,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3451,7 +3534,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3460,12 +3544,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3578,22 +3664,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3603,6 +3692,7 @@ Output: Resize Volume Group + @title @@ -3610,17 +3700,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3637,12 +3734,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3660,7 +3759,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3725,81 +3825,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3813,32 +3928,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3887,7 +4003,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3906,7 +4023,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3924,7 +4042,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3974,7 +4093,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3997,7 +4117,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4026,7 +4147,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4089,6 +4211,7 @@ Output: Feedback + @title @@ -4096,7 +4219,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4255,11 +4379,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4272,12 +4391,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Velkommen @@ -4286,6 +4412,7 @@ Output: Welcome + @title Velkommen @@ -4293,7 +4420,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4709,21 +4837,11 @@ Output: What is your name? Hva heter du? - - - Your Full Name - - What name do you want to use to log in? Hvilket navn vil du bruke for å logge inn? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4744,11 +4862,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4770,13 +4883,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4794,11 +4912,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4814,16 +4952,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4842,21 +4970,11 @@ Output: What is your name? Hva heter du? - - - Your Full Name - - What name do you want to use to log in? Hvilket navn vil du bruke for å logge inn? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4877,9 +4995,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4909,7 +5037,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4932,16 +5070,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4978,12 +5106,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5007,12 +5135,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ne_NP.ts b/lang/calamares_ne_NP.ts index 96b4376a05..14eda9dc03 100644 --- a/lang/calamares_ne_NP.ts +++ b/lang/calamares_ne_NP.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label बूट लोडर install नगर्ने @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - बूट लोडरको स्थान - <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - swap छैन + No swap + @label + - Reuse Swap - swap पुनः प्रयोग गर्नुहोस + Reuse swap + @label + Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_nl.ts b/lang/calamares_nl.ts index be7d3d2da1..3bd9c9985e 100644 --- a/lang/calamares_nl.ts +++ b/lang/calamares_nl.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Beheer auto-mount instellingen + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record van %1 Boot Partition + @info Bootpartitie System Partition + @info Systeempartitie Do not install a boot loader + @label Geen bootloader installeren @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Installeer @@ -633,18 +638,27 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Het installatieprogramma kon de partitietabel op schijf '%1' niet bijwerken . @@ -658,9 +672,20 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Handmatig partitioneren</strong><br/>Je maakt of wijzigt zelf de partities. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecteer een partitie om te verkleinen, en sleep vervolgens de onderste balk om het formaat te wijzigen</strong> + Select storage de&vice: + @label Selecteer &opslagmedium: @@ -669,56 +694,49 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Current: + @label Huidig: After: + @label Na: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Handmatig partitioneren</strong><br/>Je maakt of wijzigt zelf de partities. - - Reuse %1 as home partition for %2. - Hergebruik %1 als home-partitie voor %2 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecteer een partitie om te verkleinen, en sleep vervolgens de onderste balk om het formaat te wijzigen</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 zal verkleind worden tot %2MiB en een nieuwe %3MiB partitie zal worden aangemaakt voor %4. - - - Boot loader location: - Bootloader locatie: - <strong>Select a partition to install on</strong> + @label <strong>Selecteer een partitie om op te installeren</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Er werd geen EFI systeempartitie gevonden op dit systeem. Gelieve terug te gaan en manueel te partitioneren om %1 in te stellen. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name De EFI systeempartitie op %1 zal gebruikt worden om %2 te starten. EFI system partition: + @label EFI systeempartitie: @@ -773,38 +791,51 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. This storage device has one of its partitions <strong>mounted</strong>. + @info Dit opslagmedium heeft een van de partities <strong>gemount</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Dit opslagmedium maakt deel uit van een <strong>inactieve RAID</strong> apparaat. - No Swap - Geen wisselgeheugen + No swap + @label + - Reuse Swap - Wisselgeheugen hergebruiken + Reuse swap + @label + Swap (no Hibernate) + @label Wisselgeheugen (geen Sluimerstand) Swap (with Hibernate) + @label Wisselgeheugen ( met Sluimerstand) Swap to file + @label Wisselgeheugen naar bestand + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Clear mounts for partitioning operations on %1 + @title Geef aankoppelpunten vrij voor partitiebewerkingen op %1 - Clearing mounts for partitioning operations on %1. - Aankoppelpunten vrijgeven voor partitiebewerkingen op %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ClearTempMountsJob - Clear all temporary mounts. - Geef alle tijdelijke aankoppelpunten vrij. - - - Clearing all temporary mounts. - Alle tijdelijke aankoppelpunten vrijgeven. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - + Package Selection Pakketselectie - + Please pick a product from the list. The selected product will be installed. Kies een product van de lijst. Het geselecteerde product zal worden geïnstalleerd. - + Packages Pakketten - + Install option: <strong>%1</strong> - + None - + Summary + @label Samenvatting - + This is an overview of what will happen once you start the setup procedure. Dit is een overzicht van wat zal gebeuren wanneer je de installatieprocedure start. - + This is an overview of what will happen once you start the install procedure. Dit is een overzicht van wat zal gebeuren wanneer je de installatieprocedure start. @@ -1115,15 +1146,15 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - The system language will be set to %1 + The system language will be set to %1. @info - + De taal van het systeem zal worden ingesteld op %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + De getal- en datumnotatie worden ingesteld op %1. @@ -1200,31 +1231,37 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. En&crypt + @action &Versleutelen Logical + @label Logisch Primary + @label Primair GPT + @label GPT Mountpoint already in use. Please select another one. + @info Aankoppelpunt reeds in gebruik. Gelieve een andere te kiezen. Mountpoint must start with a <tt>/</tt>. + @info @@ -1232,43 +1269,51 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Maak nieuwe %1MiB partitie aan op %3 (%2) met onderdelen %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Maak nieuwe %1MiB partitie aan op %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Maak nieuwe %2MiB partitie aan op %4 (%3) met bestandsysteem %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Maak een nieuwe <strong>%1MiB</strong> partitie aan op <strong>%3</strong> (%2) met onderdelen <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Maak een nieuwe <strong>%1MiB</strong> partitie aan op <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Maak een nieuwe <strong>%2MiB</strong> partitie aan op <strong>%4</strong> (%3) met bestandsysteem <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Nieuwe %1 partitie aanmaken op %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Het installatieprogramma kon geen partitie aanmaken op schijf '%1'. @@ -1304,18 +1349,16 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CreatePartitionTableJob - Create new %1 partition table on %2. - Maak een nieuwe %1 partitietabel aan op %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Maak een nieuwe <strong>%1</strong> partitietabel aan op <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Nieuwe %1 partitietabel aanmaken op %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - Create user <strong>%1</strong>. - Maak gebruiker <strong>%1</strong> - - - - Preserving home directory - Gebruikersmap wordt behouden + Create user <strong>%1</strong> + - Creating user %1 - Gebruiker %1 aanmaken + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Gebruiker %1 instellen - Setting file permissions - Bestands-permissies worden ingesteld + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Create Volume Group + @title Volumegroep aanmaken @@ -1369,18 +1417,16 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CreateVolumeGroupJob - Create new volume group named %1. - Maak nieuw volumegroep aan met de naam %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Maak nieuwe volumegroep aan met de naam <strong>%1</strong>. - - - - Creating new volume group named %1. - Aanmaken van volumegroep met de naam %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - Deactivate volume group named %1. - Volumegroep met de naam %1 uitschakelen. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Volumegroep met de naam <strong>%1</strong> uitschakelen. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. DeletePartitionJob - Delete partition %1. - Verwijder partitie %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Verwijder partitie <strong>%1</strong>. - - - - Deleting partition %1. - Partitie %1 verwijderen. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Please enter the same passphrase in both boxes. + @tooltip Gelieve in beide velden dezelfde wachtwoordzin in te vullen. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Set partition information + @title Instellen partitie-informatie Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Installeer %1 op <strong>nieuwe</strong> %2 systeempartitie met features <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Installeer %1 op <strong>nieuwe</strong> %2 systeempartitie. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>Nieuwe</strong> %2 partitie voorbereiden met aankoppelpunt <strong>%1</strong> en features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Maak <strong>nieuwe</strong> %2 partitie met aankoppelpunt <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Installeer %2 op %3 systeempartitie <strong>%1</strong> met features <em>%4</em> + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Stel %3 partitie <strong>%1</strong> in met aankoppelpunt <strong>%2</strong> met features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Stel %3 partitie <strong>%1</strong> in met aankoppelpunt <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Installeer %2 op %3 systeempartitie <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Installeer bootloader op <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Aankoppelpunten instellen. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formateer partitie %1 (bestandssysteem: %2, grootte: %3 MiB) op %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatteer <strong>%3MiB</strong> partitie <strong>%1</strong> met bestandsysteem <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Partitie %1 formatteren met bestandssysteem %2. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. MachineIdJob - + Generate machine-id. Genereer machine-id - + Configuration Error Configuratiefout - + No root mount point is set for MachineId. Er is geen root mountpunt ingesteld voor MachineId. + + + + + + File not found + Bestand niet gevonden + + + + Path <pre>%1</pre> must be an absolute path. + Pad <pre>%1</pre> moet een absoluut pad zijn. + + + + Could not create new random file <pre>%1</pre>. + Kon niet een willekeurig bestand <pre>%1</pre> aanmaken. + Map @@ -2799,11 +2879,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Unknown error Onbekende fout - - - Password is empty - Wachtwoord is leeg - PackageChooserPage @@ -2860,7 +2935,8 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,31 +3042,37 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Home + @label Home Boot + @label Boot EFI system + @label EFI systeem Swap + @label Wisselgeheugen New partition for %1 + @label Nieuwe partitie voor %1 New partition + @label Nieuwe partitie @@ -3006,37 +3088,44 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Free Space + @title Vrije ruimte - New partition - Nieuwe partitie + New Partition + @title + Name + @title Naam File System + @title Bestandssysteem File System Label + @title Mount Point + @title Aankoppelpunt Size + @title Grootte @@ -3115,16 +3204,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. PartitionViewStep - - - Gathering system information... - Systeeminformatie verzamelen... - - - - Partitions - Partities - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. No partitions will be changed. - - - Current: - Huidig: - - - - After: - Na: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partities + + + + Current: + @label + Huidig: + + + + After: + @label + Na: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Look-and-Feel taak + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Look-and-Feel + @label Look-and-Feel @@ -3281,8 +3376,9 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. PreserveFiles - Saving files for later ... - Bestanden opslaan voor later... + Saving files for later… + @status + @@ -3378,26 +3474,12 @@ Uitvoer: Standaard - - - - - File not found - Bestand niet gevonden - - - - Path <pre>%1</pre> must be an absolute path. - Pad <pre>%1</pre> moet een absoluut pad zijn. - - - + Directory not found Map niet gevonden - - + Could not create new random file <pre>%1</pre>. Kon niet een willekeurig bestand <pre>%1</pre> aanmaken. @@ -3416,11 +3498,6 @@ Uitvoer: (no mount point) (geen aankoppelpunt) - - - Unpartitioned space or unknown partition table - Niet-gepartitioneerde ruimte of onbekende partitietabel - unknown @@ -3445,6 +3522,12 @@ Uitvoer: @partition info wisselgeheugen + + + Unpartitioned space or unknown partition table + @info + Niet-gepartitioneerde ruimte of onbekende partitietabel + Recommended @@ -3459,8 +3542,9 @@ Uitvoer: RemoveUserJob - Remove live user from target system - Verwijder live gebruiker van het doelsysteem + Removing live user from the target system… + @status + @@ -3468,13 +3552,15 @@ Uitvoer: - Remove Volume Group named %1. - Volumegroep met de naam %1 verwijderen. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Volumegroep met de naam <strong>%1</strong> verwijderen. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3587,22 +3673,25 @@ De installatie kan niet doorgaan. ResizePartitionJob - - Resize partition %1. - Pas de grootte van partitie %1 aan. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Herschaal de <strong>%2MB</strong> partitie <strong>%1</strong> naar <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Pas de %2MiB partitie %1 aan naar %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Installatieprogramma is er niet in geslaagd om de grootte van partitie %1 op schrijf %2 aan te passen. @@ -3612,6 +3701,7 @@ De installatie kan niet doorgaan. Resize Volume Group + @title Volumegroep herschalen @@ -3619,17 +3709,24 @@ De installatie kan niet doorgaan. ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Herschaal volumegroep met de naam %1 van %2 naar %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Herschaal volumegroep met de naam <strong>%1</strong> van <strong>%2</strong> naar <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Het installatieprogramma kon de volumegroep met naam '%1' niet herschalen. @@ -3646,13 +3743,15 @@ De installatie kan niet doorgaan. ScanningDialog - Scanning storage devices... - Opslagmedia inlezen... + Scanning storage devices… + @status + - Partitioning - Partitionering + Partitioning… + @status + @@ -3669,8 +3768,9 @@ De installatie kan niet doorgaan. - Setting hostname %1. - Hostnaam %1 instellen. + Setting hostname %1… + @status + @@ -3734,81 +3834,96 @@ De installatie kan niet doorgaan. SetPartFlagsJob - Set flags on partition %1. - Stel vlaggen in op partitie %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Stel vlaggen in op %1MiB %2 partitie. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Stel vlaggen in op nieuwe partitie. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Wis vlaggen op partitie <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Wis vlaggen op %1MiB <strong>%2</strong> partitie. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Wis vlaggen op nieuwe partitie. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Partitie <strong>%1</strong> als <strong>%2</strong> vlaggen. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Vlag %1MiB <strong>%2</strong> partitie als <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Vlag nieuwe partitie als <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Vlaggen op partitie <strong>%1</strong> wissen. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Vlaggen op %1MiB <strong>%2</strong> partitie wissen. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Vlaggen op nieuwe partitie wissen. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Vlaggen <strong>%2</strong> op partitie <strong>%1</strong> instellen. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Vlaggen <strong>%3</strong> op %1MiB <strong>%2</strong> partitie instellen. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Vlaggen <strong>%1</strong> op nieuwe partitie instellen. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Het installatieprogramma kon geen vlaggen instellen op partitie %1. @@ -3822,32 +3937,33 @@ De installatie kan niet doorgaan. - Setting password for user %1. - Wachtwoord instellen voor gebruiker %1. + Setting password for user %1… + @status + - + Bad destination system path. Onjuiste bestemming systeempad. - + rootMountPoint is %1 rootMountPoint is %1 - + Cannot disable root account. Kan root account niet uitschakelen. - + Cannot set password for user %1. Kan het wachtwoord niet instellen voor gebruiker %1 - - + + usermod terminated with error code %1. usermod beëindigd met foutcode %1. @@ -3896,8 +4012,9 @@ De installatie kan niet doorgaan. SetupGroupsJob - Preparing groups. - Gebruikers-groepen worden voorbereid. + Preparing groups… + @status + @@ -3915,8 +4032,9 @@ De installatie kan niet doorgaan. SetupSudoJob - Configure <pre>sudo</pre> users. - Configureer <pre>sudo</pre> (administratie) gebruikers. + Configuring <pre>sudo</pre> users… + @status + @@ -3933,8 +4051,9 @@ De installatie kan niet doorgaan. ShellProcessJob - Shell Processes Job - Shell-processen Taak + Running shell processes… + @status + @@ -3983,8 +4102,9 @@ De installatie kan niet doorgaan. - Sending installation feedback. - Installatiefeedback opsturen. + Sending installation feedback… + @status + @@ -4006,8 +4126,9 @@ De installatie kan niet doorgaan. - Configuring KDE user feedback. - KDE gebruikersfeedback configureren. + Configuring KDE user feedback… + @status + @@ -4035,8 +4156,9 @@ De installatie kan niet doorgaan. - Configuring machine feedback. - Instellen van machinefeedback. + Configuring machine feedback… + @status + @@ -4098,6 +4220,7 @@ De installatie kan niet doorgaan. Feedback + @title Feedback @@ -4105,8 +4228,9 @@ De installatie kan niet doorgaan. UmountJob - Unmount file systems. - Unmount bestandssystemen. + Unmounting file systems… + @status + @@ -4264,11 +4388,6 @@ De installatie kan niet doorgaan. &Release notes Aantekeningen bij deze ve&rsie - - - %1 support - %1 ondersteuning - About %1 Setup @@ -4281,12 +4400,19 @@ De installatie kan niet doorgaan. @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Welkom @@ -4295,6 +4421,7 @@ De installatie kan niet doorgaan. Welcome + @title Welkom @@ -4302,7 +4429,8 @@ De installatie kan niet doorgaan. ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4742,21 +4870,11 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is your name? Wat is je naam? - - - Your Full Name - Volledige naam - What name do you want to use to log in? Welke naam wil je gebruiken om in te loggen? - - - Login Name - Inlognaam - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4777,11 +4895,6 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is the name of this computer? Wat is de naam van deze computer? - - - Computer Name - Computer Naam - This name will be used if you make the computer visible to others on a network. @@ -4802,16 +4915,21 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Password Wachtwoord - - - Repeat Password - Herhaal wachtwoord - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Voer hetzelfde wachtwoord twee keer in, zodat het gecontroleerd kan worden op tikfouten. Een goed wachtwoord bevat een combinatie van letters, cijfers en leestekens, is ten minste acht tekens lang, en zou regelmatig moeten worden gewijzigd. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4827,11 +4945,31 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Log in automatically without asking for the password Automatisch aanmelden zonder wachtwoord te vragen + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4847,16 +4985,6 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Choose a root password to keep your account safe. Kies een root (administratie) wachtwoord om je account veilig te houden. - - - Root Password - Root (Administratie) Wachtwoord - - - - Repeat Root Password - Herhaal Root Wachtwoord - Enter the same password twice, so that it can be checked for typing errors. @@ -4875,21 +5003,11 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is your name? Wat is je naam? - - - Your Full Name - Volledige naam - What name do you want to use to log in? Welke naam wil je gebruiken om in te loggen? - - - Login Name - Inlognaam - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,10 +5028,20 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is the name of this computer? Wat is de naam van deze computer? + + + Your full name + + + + + Login name + + - Computer Name - Computer Naam + Computer name + @@ -4942,8 +5070,18 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem - Repeat Password - Herhaal wachtwoord + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4965,16 +5103,6 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Choose a root password to keep your account safe. Kies een root (administratie) wachtwoord om je account veilig te houden. - - - Root Password - Root (Administratie) Wachtwoord - - - - Repeat Root Password - Herhaal Root Wachtwoord - Enter the same password twice, so that it can be checked for typing errors. @@ -5012,13 +5140,13 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem - Known issues - Bekende problemen + Known Issues + - Release notes - Aantekeningen bij deze versie + Release Notes + @@ -5042,13 +5170,13 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem - Known issues - Bekende problemen + Known Issues + - Release notes - Aantekeningen bij deze versie + Release Notes + diff --git a/lang/calamares_oc.ts b/lang/calamares_oc.ts index c57af1a9f4..a8bd74b616 100644 --- a/lang/calamares_oc.ts +++ b/lang/calamares_oc.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gerir los paramètres d’auto montatge + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Enregistrament d’aviada màger de %1 Boot Partition + @info Particion d’aviada System Partition + @info Particion sistèma Do not install a boot loader + @label Installar pas lo gestionari d'aviada @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Installar @@ -631,18 +636,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -656,9 +670,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -667,56 +692,49 @@ The installer will quit and all changes will be lost. Current: + @label Actual : After: + @label Aprèp : - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Emplaçament del gestionari d'aviada : - <strong>Select a partition to install on</strong> + @label <strong>Seleccionar una particion ont installar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label Particion sistèma EFI : @@ -771,36 +789,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap - Cap d’escambi + No swap + @label + - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -834,11 +865,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -851,12 +884,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1006,42 +1036,43 @@ The installer will quit and all changes will be lost. D’acòrd ! - + Package Selection Seleccion dels paquets - + Please pick a product from the list. The selected product will be installed. - + Packages Paquets - + Install option: <strong>%1</strong> Opcion d’installacion : <strong>%1</strong> - + None Cap - + Summary + @label Resumit - + This is an overview of what will happen once you start the setup procedure. Aquò es un apercebut de çò qu’arribarà un còp que lançaretz la procedura de configuracion - + This is an overview of what will happen once you start the install procedure. Aquò es un apercebut de çò qu’arribarà un còp que lançaretz la procedura de configuracion @@ -1113,15 +1144,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + La lenga del sistèma serà definida a %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Lo format de nombres e de data serà definit a %1. @@ -1198,31 +1229,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1230,43 +1267,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1302,17 +1347,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1330,29 +1373,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Crear utilizaire <strong>%1</strong>. - - - - Preserving home directory - Servar lo repertòri home + Create user <strong>%1</strong> + - Creating user %1 - Creacion de l’utilizaire %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Configuracion de l’utilizaire %1 - Setting file permissions - Definicion de las autorizacions fichièr + Setting file permissions… + @status + @@ -1360,6 +1407,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Crear un grop de volum @@ -1367,17 +1415,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1391,12 +1437,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1409,19 +1457,17 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Suprimir la particion %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. + Deleting partition <strong>%1</strong>… + @status - - - Deleting partition %1. - Supression de la particion %1. - The installer failed to delete partition %1. @@ -1605,11 +1651,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1631,56 +1679,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1750,23 +1809,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2260,20 +2322,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error Error de configuracion - + No root mount point is set for MachineId. + + + + + + File not found + Fichièr pas trobat + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2797,11 +2877,6 @@ The installer will quit and all changes will be lost. Unknown error Error desconeguda - - - Password is empty - Lo senhal es void - PackageChooserPage @@ -2858,7 +2933,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2964,31 +3040,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Boot EFI system + @label Sistèma EFI Swap + @label Swap New partition for %1 + @label Particion novèla per %1 New partition + @label Particion novèla @@ -3004,37 +3086,44 @@ The installer will quit and all changes will be lost. Free Space + @title Espaci disponible - New partition - Particion novèla + New Partition + @title + Name + @title Nom File System + @title Sistèma de fichièr File System Label + @title Etiqueta del sistèma de fichièr Mount Point + @title Punt de montatge Size + @title Talha @@ -3113,16 +3202,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Obtencion de las informacions del sistèma... - - - - Partitions - Particions - Unsafe partition actions are enabled. @@ -3138,16 +3217,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Actual : - - - - After: - Aprèp : - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3199,6 +3268,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particions + + + + Current: + @label + Actual : + + + + After: + @label + Aprèp : + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3244,7 +3337,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3272,6 +3366,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Aparéncia @@ -3279,7 +3374,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3375,26 +3471,12 @@ Sortida : Per defaut - - - - - File not found - Fichièr pas trobat - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found Repertòri pas trobat - - + Could not create new random file <pre>%1</pre>. @@ -3413,11 +3495,6 @@ Sortida : (no mount point) (cap de ponch de montatge) - - - Unpartitioned space or unknown partition table - - unknown @@ -3442,6 +3519,12 @@ Sortida : @partition info escambi swap + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3456,7 +3539,8 @@ Sortida : RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3465,12 +3549,14 @@ Sortida : - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3583,22 +3669,25 @@ Sortida : ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3608,6 +3697,7 @@ Sortida : Resize Volume Group + @title @@ -3615,17 +3705,24 @@ Sortida : ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3642,13 +3739,15 @@ Sortida : ScanningDialog - Scanning storage devices... - Analisi dels periferics d’emmagazinatge... + Scanning storage devices… + @status + - Partitioning - Particionament + Partitioning… + @status + @@ -3665,7 +3764,8 @@ Sortida : - Setting hostname %1. + Setting hostname %1… + @status @@ -3730,81 +3830,96 @@ Sortida : SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3818,32 +3933,33 @@ Sortida : - Setting password for user %1. - Definicion de senhal per l’utilizaire %1 + Setting password for user %1… + @status + - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. Definicion del senhal per l’utilizaire %1 impossibla. - - + + usermod terminated with error code %1. @@ -3892,8 +4008,9 @@ Sortida : SetupGroupsJob - Preparing groups. - Preparacion dels grops. + Preparing groups… + @status + @@ -3911,8 +4028,9 @@ Sortida : SetupSudoJob - Configure <pre>sudo</pre> users. - Configurar l’utilizaire <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3929,7 +4047,8 @@ Sortida : ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3979,8 +4098,9 @@ Sortida : - Sending installation feedback. - Mandadís dels comentaris d’installacion. + Sending installation feedback… + @status + @@ -4002,7 +4122,8 @@ Sortida : - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4031,7 +4152,8 @@ Sortida : - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4094,6 +4216,7 @@ Sortida : Feedback + @title Comentari @@ -4101,8 +4224,9 @@ Sortida : UmountJob - Unmount file systems. - Fichièr sistèma pas montat. + Unmounting file systems… + @status + @@ -4260,11 +4384,6 @@ Sortida : &Release notes &Nòtas de version - - - %1 support - Assisténcia %1 - About %1 Setup @@ -4277,12 +4396,19 @@ Sortida : @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title La benvenguda @@ -4291,6 +4417,7 @@ Sortida : Welcome + @title La benvenguda @@ -4298,7 +4425,8 @@ Sortida : ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4715,21 +4843,11 @@ Sortida : What is your name? Cossí vos dison ? - - - Your Full Name - Vòstre nom complèt - What name do you want to use to log in? Qual nom volètz utilizar per vos connectar ? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4750,11 +4868,6 @@ Sortida : What is the name of this computer? Cossí s’apèla aqueste ordenador ? - - - Computer Name - Nom de l’ordenador - This name will be used if you make the computer visible to others on a network. @@ -4775,16 +4888,21 @@ Sortida : Password Senhal - - - Repeat Password - Repetir lo senhal - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4800,11 +4918,31 @@ Sortida : Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4820,16 +4958,6 @@ Sortida : Choose a root password to keep your account safe. Causissètz un senhal root per gardar vòstre compte segur. - - - Root Password - Senhal root - - - - Repeat Root Password - Repetir lo senhal Root - Enter the same password twice, so that it can be checked for typing errors. @@ -4848,21 +4976,11 @@ Sortida : What is your name? Cossí vos dison ? - - - Your Full Name - Vòstre nom complèt - What name do you want to use to log in? Qual nom volètz utilizar per vos connectar ? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4883,10 +5001,20 @@ Sortida : What is the name of this computer? Cossí s’apèla aqueste ordenador ? + + + Your full name + + + + + Login name + + - Computer Name - Nom de l’ordenador + Computer name + @@ -4915,8 +5043,18 @@ Sortida : - Repeat Password - Repetir lo senhal + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4938,16 +5076,6 @@ Sortida : Choose a root password to keep your account safe. Causissètz un senhal root per gardar vòstre compte segur. - - - Root Password - Senhal root - - - - Repeat Root Password - Repetir lo senhal Root - Enter the same password twice, so that it can be checked for typing errors. @@ -4985,13 +5113,13 @@ Sortida : - Known issues - Problèmas coneguts + Known Issues + - Release notes - Nòtas de version + Release Notes + @@ -5015,13 +5143,13 @@ Sortida : - Known issues - Problèmas coneguts + Known Issues + - Release notes - Nòtas de version + Release Notes + diff --git a/lang/calamares_pl.ts b/lang/calamares_pl.ts index 7c347323ad..f00065dd9a 100644 --- a/lang/calamares_pl.ts +++ b/lang/calamares_pl.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Zarządzaj ustawieniami auto-montowania + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record %1 Boot Partition + @info Partycja rozruchowa System Partition + @info Partycja systemowa Do not install a boot loader + @label Nie instaluj programu rozruchowego @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Skonfiguruj - + Install @label Zainstaluj @@ -637,18 +642,27 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.ChangeFilesystemLabelJob - Set filesystem label on %1. - Ustaw etykietę systemu plików na %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Ustaw etykietę systemu plików <strong>%1</strong> dla partycji <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Instalator nie mógł zaktualizować tablicy partycji na dysku '%1'. @@ -662,9 +676,20 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ręczne partycjonowanie</strong><br/>Możesz samodzielnie utworzyć lub zmienić rozmiar istniejących partycji. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Wybierz partycję do zmniejszenia, a następnie przeciągnij dolny pasek, aby zmienić jej rozmiar</strong> + Select storage de&vice: + @label &Wybierz urządzenie przechowywania: @@ -673,56 +698,49 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Current: + @label Bieżący: After: + @label Po: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ręczne partycjonowanie</strong><br/>Możesz samodzielnie utworzyć lub zmienić rozmiar istniejących partycji. - - Reuse %1 as home partition for %2. - Użyj ponownie %1 jako partycji domowej dla %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Wybierz partycję do zmniejszenia, a następnie przeciągnij dolny pasek, aby zmienić jej rozmiar</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 zostanie zmniejszony do %2MiB, a dla %4 zostanie utworzona nowa partycja %3MiB. - - - Boot loader location: - Położenie programu rozruchowego: - <strong>Select a partition to install on</strong> + @label <strong>Wybierz partycję, na której przeprowadzona będzie instalacja</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Nigdzie w tym systemie nie można odnaleźć partycji systemowej EFI. Prosimy się cofnąć i użyć ręcznego partycjonowania dysku do ustawienia %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Partycja systemowa EFI na %1 będzie użyta do uruchamiania %2. EFI system partition: + @label Partycja systemowa EFI: @@ -777,38 +795,51 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. This storage device has one of its partitions <strong>mounted</strong>. + @info To urządzenie pamięci masowej ma <strong>zamontowaną</strong> jedną z partycji. This storage device is a part of an <strong>inactive RAID</strong> device. + @info To urządzenie pamięci masowej jest częścią <strong>nieaktywnego urządzenia RAID</strong>. - No Swap - Brak przestrzeni wymiany + No swap + @label + - Reuse Swap - Użyj ponownie przestrzeni wymiany + Reuse swap + @label + Swap (no Hibernate) + @label Przestrzeń wymiany (bez hibernacji) Swap (with Hibernate) + @label Przestrzeń wymiany (z hibernacją) Swap to file + @label Przestrzeń wymiany do pliku + + + Bootloader location: + @label + + ClearMountsJob @@ -840,12 +871,14 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Clear mounts for partitioning operations on %1 + @title Wyczyść zamontowania dla operacji partycjonowania na %1 - Clearing mounts for partitioning operations on %1. - Czyszczenie montowań dla operacji partycjonowania na %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -857,13 +890,10 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.ClearTempMountsJob - Clear all temporary mounts. - Wyczyść wszystkie tymczasowe montowania. - - - Clearing all temporary mounts. - Usuwanie wszystkich tymczasowych punktów montowania. + Clearing all temporary mounts… + @status + @@ -1012,42 +1042,43 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.OK! - + Package Selection Wybór Pakietów - + Please pick a product from the list. The selected product will be installed. Wybierz produkt z listy. Wybrany produkt zostanie zainstalowany. - + Packages Pakiety - + Install option: <strong>%1</strong> Opcja instalacji: <strong>%1</strong> - + None Brak - + Summary + @label Podsumowanie - + This is an overview of what will happen once you start the setup procedure. Jest to przegląd tego, co stanie się po rozpoczęciu procedury konfiguracji. - + This is an overview of what will happen once you start the install procedure. To jest podsumowanie czynności, które zostaną wykonane po rozpoczęciu przez Ciebie instalacji. @@ -1119,15 +1150,15 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. - The system language will be set to %1 + The system language will be set to %1. @info - Język systemu zostanie ustawiony na %1. {1?} + Język systemu zostanie ustawiony na %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Format liczb i dat zostanie ustawiony na %1. {1?} + Format liczb i daty zostanie ustawiony na %1. @@ -1204,31 +1235,37 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. En&crypt + @action Zaszy%fruj Logical + @label Logiczna Primary + @label Podstawowa GPT + @label GPT Mountpoint already in use. Please select another one. + @info Punkt montowania jest już używany. Proszę wybrać inny. Mountpoint must start with a <tt>/</tt>. + @info Punkt montowania musi się zaczynać od <tt>/</tt>. @@ -1236,43 +1273,51 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Utwórz nową partycję %1MiB na %3 (%2) z wpisami %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Utwórz nową partycję %1MiB na %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Utwórz nową partycję %2MiB w %4 (%3) z systemem plików %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Utwórz nową partycję <strong>%1MiB</strong> na <strong>%3</strong> (%2) z wpisami <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Utwórz nową partycję <strong>%1MiB</strong> na <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Utwórz nową partycję <strong>%2MiB</strong> w <strong>%4</strong> (%3) z systemem plików <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Tworzenie nowej partycji %1 na %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Instalator nie mógł utworzyć partycji na dysku '%1'. @@ -1308,18 +1353,16 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.CreatePartitionTableJob - Create new %1 partition table on %2. - Utwórz nową tablicę partycję %1 na %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Utwórz nową tabelę partycji <strong>%1</strong> na <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Tworzenie nowej tablicy partycji %1 na %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1336,29 +1379,33 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. - Create user <strong>%1</strong>. - Utwórz użytkownika <strong>%1</strong>. - - - - Preserving home directory - Zachowywanie katalogu domowego + Create user <strong>%1</strong> + - Creating user %1 - Tworzenie użytkownika %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Konfigurowanie użytkownika %1 - Setting file permissions - Przyznawanie uprawnień do plików + Setting file permissions… + @status + @@ -1366,6 +1413,7 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Create Volume Group + @title Utwórz grupę woluminów @@ -1373,18 +1421,16 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.CreateVolumeGroupJob - Create new volume group named %1. - Utwórz nową grupę woluminów o nazwie %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Utwórz nową grupę woluminów o nazwie <strong>%1</strong>. - - - - Creating new volume group named %1. - Tworzenie nowej grupy woluminów o nazwie %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1397,13 +1443,15 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. - Deactivate volume group named %1. - Dezaktywuj grupę woluminów o nazwie %1 + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Dezaktywuj grupę woluminów o nazwie <strong>%1</strong> + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1415,18 +1463,16 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.DeletePartitionJob - Delete partition %1. - Usuń partycję %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Usuń partycję <strong>%1</strong>. - - - - Deleting partition %1. - Usuwanie partycji %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1611,12 +1657,14 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Please enter the same passphrase in both boxes. + @tooltip Użyj tego samego hasła w obu polach. - Password must be a minimum of %1 characters - Hasło musi mieć co najmniej %1 znaków + Password must be a minimum of %1 characters. + @tooltip + @@ -1637,57 +1685,68 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Set partition information + @title Ustaw informacje partycji Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Zainstaluj %1 na <strong>nowej</strong> partycji systemowej %2 z funkcjami <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Zainstaluj %1 na <strong>nowej</strong> partycji systemowej %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Skonfiguruj <strong>nową</strong> partycję %2 z punktem montowania <strong>%1</strong> i funkcjami <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Skonfiguruj <strong>nową</strong> partycję %2 z punktem instalacji <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Zainstaluj %2 na partycji systemowej %3 <strong>%1 </strong>z funkcjami <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Skonfiguruj partycję %3 <strong>%1</strong> z punktem montowania <strong>%2</strong> i funkcjami <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Skonfiguruj partycję %3 <strong>%1 </strong>z punktem montowania <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Zainstaluj %2 na partycji systemowej %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Zainstaluj program rozruchowy na <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Ustawianie punktów montowania. + + Setting up mount points… + @status + @@ -1756,24 +1815,27 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Sformatuj partycję %1 (system plików: %2, rozmiar: %3 MiB) na %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Sformatuj partycję <strong>%3MiB</strong><strong>%1</strong> z systemem plików <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatowanie partycji %1 z systemem plików %2. + + Formatting partition %1 with file system %2… + @status + @@ -2266,20 +2328,38 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. MachineIdJob - + Generate machine-id. Generuj machine-id. - + Configuration Error Błąd konfiguracji - + No root mount point is set for MachineId. Dla MachineId nie ustawiono punktu montowania katalogu głównego (root). + + + + + + File not found + Plik nie został znaleziony + + + + Path <pre>%1</pre> must be an absolute path. + Ścieżka <pre>%1</pre> musi być ścieżką bezwzględną. + + + + Could not create new random file <pre>%1</pre>. + Nie można utworzyć nowego losowego pliku<pre>%1</pre>. + Map @@ -2825,11 +2905,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Unknown error Nieznany błąd - - - Password is empty - Hasło jest puste - PackageChooserPage @@ -2886,8 +2961,9 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. - Keyboard switch: - Przełącznik klawiatury: + Switch Keyboard: + shortcut for switching between keyboard layouts + Przełącz klawiaturę: @@ -2992,31 +3068,37 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Home + @label Domowa Boot + @label Rozruchowa EFI system + @label System EFI Swap + @label Przestrzeń wymiany New partition for %1 + @label Nowa partycja dla %1 New partition + @label Nowa partycja @@ -3032,37 +3114,44 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Free Space + @title Wolna powierzchnia - New partition - Nowa partycja + New Partition + @title + Name + @title Nazwa File System + @title System plików File System Label + @title Etykieta Systemu Plików Mount Point + @title Punkt montowania Size + @title Rozmiar @@ -3141,16 +3230,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. PartitionViewStep - - - Gathering system information... - Zbieranie informacji o systemie... - - - - Partitions - Partycje - Unsafe partition actions are enabled. @@ -3166,16 +3245,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.No partitions will be changed. Żadne partycje nie zostaną zmienione. - - - Current: - Bieżący: - - - - After: - Po: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3227,6 +3296,30 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.The filesystem must have flag <strong>%1</strong> set. System plików musi mieć ustawioną flagę <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Partycje + + + + Current: + @label + Bieżący: + + + + After: + @label + Po: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3272,8 +3365,9 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.PlasmaLnfJob - Plasma Look-and-Feel Job - Działania Wyglądu-i-Zachowania Plasmy + Applying Plasma Look-and-Feel… + @status + @@ -3300,6 +3394,7 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Look-and-Feel + @label Wygląd-i-Zachowanie @@ -3307,8 +3402,9 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.PreserveFiles - Saving files for later ... - Zapisywanie plików na później ... + Saving files for later… + @status + @@ -3404,26 +3500,12 @@ Wyjście: Domyślnie - - - - - File not found - Plik nie został znaleziony - - - - Path <pre>%1</pre> must be an absolute path. - Ścieżka <pre>%1</pre> musi być ścieżką bezwzględną. - - - + Directory not found Katalog nie został znaleziony - - + Could not create new random file <pre>%1</pre>. Nie można utworzyć nowego losowego pliku<pre>%1</pre>. @@ -3442,11 +3524,6 @@ Wyjście: (no mount point) (brak punktu montowania) - - - Unpartitioned space or unknown partition table - Przestrzeń bez partycji lub nieznana tabela partycji - unknown @@ -3471,6 +3548,12 @@ Wyjście: @partition info przestrzeń wymiany + + + Unpartitioned space or unknown partition table + @info + Przestrzeń bez partycji lub nieznana tabela partycji + Recommended @@ -3486,8 +3569,9 @@ Wyjście: RemoveUserJob - Remove live user from target system - Usuń aktywnego użytkownika z systemu docelowego + Removing live user from the target system… + @status + @@ -3495,13 +3579,15 @@ Wyjście: - Remove Volume Group named %1. - Usuń Grupę Woluminów o nazwie %1 + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Usuń Grupę Woluminów o nazwie <strong>%1</strong> + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3616,22 +3702,25 @@ i nie uruchomi się ResizePartitionJob - - Resize partition %1. - Zmień rozmiar partycji %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Zmień rozmiar partycji <strong>%2MiB</strong> <strong>%1</strong> na <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Zmiana rozmiaru partycji %2MiB %1 na %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Instalator nie mógł zmienić rozmiaru partycji %1 na dysku '%2'. @@ -3641,6 +3730,7 @@ i nie uruchomi się Resize Volume Group + @title Zmień Rozmiar Grupy Woluminów @@ -3648,17 +3738,24 @@ i nie uruchomi się ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Zmień rozmiar grupy woluminów o nazwie %1 od %2 do %3 + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Zmień rozmiar grupy woluminów o nazwie <strong>%1</strong> od <strong>%2</strong> do <strong>%3</strong> + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Instalator nie mógł zmienić rozmiaru grupy woluminów o nazwie %1 @@ -3675,13 +3772,15 @@ i nie uruchomi się ScanningDialog - Scanning storage devices... - Skanowanie urządzeń przechowywania... + Scanning storage devices… + @status + - Partitioning - Partycjonowanie + Partitioning… + @status + @@ -3698,8 +3797,9 @@ i nie uruchomi się - Setting hostname %1. - Ustawianie nazwy komputera %1. + Setting hostname %1… + @status + @@ -3763,81 +3863,96 @@ i nie uruchomi się SetPartFlagsJob - Set flags on partition %1. - Ustaw flagi na partycji %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Ustaw flagi na partycji %1MiB %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Ustaw flagi na nowej partycji. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Usuń flagi na partycji <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Wyczyść flagi na partycji %1MiB <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Wyczyść flagi na nowej partycji. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Oflaguj partycję <strong>%1</strong> jako <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Oznacz partycję %1MiB <strong>%2</strong> jako <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Oflaguj nową partycję jako <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Usuwanie flag na partycji <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Usuwanie flag z partycji %1MiB <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Czyszczenie flag na nowej partycji. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Ustawianie flag <strong>%2</strong> na partycji <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Ustawienie flag <strong>%3</strong> na partycji %1MiB <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Ustawianie flag <strong>%1</strong> na nowej partycji. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Instalator nie mógł ustawić flag na partycji %1. @@ -3851,32 +3966,33 @@ i nie uruchomi się - Setting password for user %1. - Ustawianie hasła użytkownika %1. + Setting password for user %1… + @status + - + Bad destination system path. Błędna ścieżka docelowa systemu. - + rootMountPoint is %1 Punkt montowania / to %1 - + Cannot disable root account. Nie można wyłączyć konta administratora. - + Cannot set password for user %1. Nie można ustawić hasła dla użytkownika %1. - - + + usermod terminated with error code %1. Polecenie usermod przerwane z kodem błędu %1. @@ -3925,8 +4041,9 @@ i nie uruchomi się SetupGroupsJob - Preparing groups. - Przygotowanie grup. + Preparing groups… + @status + @@ -3944,8 +4061,9 @@ i nie uruchomi się SetupSudoJob - Configure <pre>sudo</pre> users. - Skonfiguruj użytkowników <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3962,8 +4080,9 @@ i nie uruchomi się ShellProcessJob - Shell Processes Job - Działania procesów powłoki + Running shell processes… + @status + @@ -4012,8 +4131,9 @@ i nie uruchomi się - Sending installation feedback. - Wysyłanie informacji zwrotnej o instalacji. + Sending installation feedback… + @status + @@ -4035,8 +4155,9 @@ i nie uruchomi się - Configuring KDE user feedback. - Konfigurowanie opinii użytkowników KDE. + Configuring KDE user feedback… + @status + @@ -4064,8 +4185,9 @@ i nie uruchomi się - Configuring machine feedback. - Konfiguracja mechanizmu informacji zwrotnej. + Configuring machine feedback… + @status + @@ -4127,6 +4249,7 @@ i nie uruchomi się Feedback + @title Informacje zwrotne @@ -4134,8 +4257,9 @@ i nie uruchomi się UmountJob - Unmount file systems. - Odmontuj systemy plików. + Unmounting file systems… + @status + @@ -4293,11 +4417,6 @@ i nie uruchomi się &Release notes Informacje o &wydaniu - - - %1 support - Wsparcie %1 - About %1 Setup @@ -4310,12 +4429,19 @@ i nie uruchomi się @title Informacje o instalatorze %1 + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Witamy @@ -4324,6 +4450,7 @@ i nie uruchomi się Welcome + @title Witamy @@ -4331,8 +4458,9 @@ i nie uruchomi się ZfsJob - Create ZFS pools and datasets - Tworzenie pul i zestawów danych ZFS + Creating ZFS pools and datasets… + @status + @@ -4779,21 +4907,11 @@ i nie uruchomi się What is your name? Jak się nazywasz? - - - Your Full Name - Twoje Pełne Imię - What name do you want to use to log in? Jakiego imienia chcesz używać do logowania się? - - - Login Name - Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4814,11 +4932,6 @@ i nie uruchomi się What is the name of this computer? Jaka jest nazwa tego komputera? - - - Computer Name - Nazwa Komputera - This name will be used if you make the computer visible to others on a network. @@ -4839,16 +4952,21 @@ i nie uruchomi się Password Hasło - - - Repeat Password - Powtórz Hasło - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Wprowadź to samo hasło dwa razy, aby można je było sprawdzić pod kątem błędów. Dobre hasło będzie zawierało litery, cyfry i znaki interpunkcyjne, powinno mieć co najmniej osiem znaków i być zmieniane w regularnych odstępach czasu. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4864,11 +4982,31 @@ i nie uruchomi się Log in automatically without asking for the password Zaloguj się automatycznie bez pytania o hasło + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Dozwolone są tylko litery, cyfry, podkreślenia i łączniki, co najmniej dwa znaki. + + + Repeat password + + Reuse user password as root password @@ -4884,16 +5022,6 @@ i nie uruchomi się Choose a root password to keep your account safe. Wybierz hasło root'a, aby zapewnić bezpieczeństwo swojego konta. - - - Root Password - Hasło dla Roota - - - - Repeat Root Password - Powtórz hasło dla Roota - Enter the same password twice, so that it can be checked for typing errors. @@ -4912,21 +5040,11 @@ i nie uruchomi się What is your name? Jak się nazywasz? - - - Your Full Name - Twoje Pełne Imię - What name do you want to use to log in? Jakiego imienia chcesz używać do logowania się? - - - Login Name - Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4947,10 +5065,20 @@ i nie uruchomi się What is the name of this computer? Jaka jest nazwa tego komputera? + + + Your full name + + + + + Login name + + - Computer Name - Nazwa Komputera + Computer name + @@ -4979,8 +5107,18 @@ i nie uruchomi się - Repeat Password - Powtórz Hasło + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -5002,16 +5140,6 @@ i nie uruchomi się Choose a root password to keep your account safe. Wybierz hasło root'a, aby zapewnić bezpieczeństwo swojego konta. - - - Root Password - Hasło dla Roota - - - - Repeat Root Password - Powtórz hasło dla Roota - Enter the same password twice, so that it can be checked for typing errors. @@ -5049,13 +5177,13 @@ i nie uruchomi się - Known issues - Znane problemy + Known Issues + - Release notes - Informacje o wydaniu + Release Notes + @@ -5079,13 +5207,13 @@ i nie uruchomi się - Known issues - Znane problemy + Known Issues + - Release notes - Informacje o wydaniu + Release Notes + diff --git a/lang/calamares_pt_BR.ts b/lang/calamares_pt_BR.ts index c674b98d66..14aac981c3 100644 --- a/lang/calamares_pt_BR.ts +++ b/lang/calamares_pt_BR.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gerenciar configurações de auto montagem + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record de %1 Boot Partition + @info Partição de Boot System Partition + @info Partição de Sistema Do not install a boot loader + @label Não instalar um gerenciador de inicialização @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Instalar @@ -635,18 +640,27 @@ O instalador será fechado e todas as alterações serão perdidas.ChangeFilesystemLabelJob - Set filesystem label on %1. - Definir sistema de arquivos em %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Definir o sistema de arquivos <strong>%1</strong> para partição <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info O instalador falhou ao atualizar a tabela de partições no disco '%1'. @@ -660,9 +674,20 @@ O instalador será fechado e todas as alterações serão perdidas. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionamento manual</strong><br/>Você mesmo pode criar e redimensionar elas + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecione uma partição para reduzir, então arraste a barra de baixo para redimensionar</strong> + Select storage de&vice: + @label Selecione o dispositivo de armazenamento: @@ -671,56 +696,49 @@ O instalador será fechado e todas as alterações serão perdidas. Current: + @label Atual: After: + @label Depois: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionamento manual</strong><br/>Você mesmo pode criar e redimensionar elas - - Reuse %1 as home partition for %2. - Usar %1 como partição home para %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecione uma partição para reduzir, então arraste a barra de baixo para redimensionar</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 será reduzida para %2MiB e uma nova partição de %3MiB será criada para %4. - - - Boot loader location: - Local do gerenciador de inicialização: - <strong>Select a partition to install on</strong> + @label <strong>Selecione uma partição para instalação em</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - Uma partição de sistema EFI não pôde ser encontrada neste dispositivo. Por favor, volte e use o particionamento manual para gerenciar %1. + @info, %1 is product name + Não foi possível encontrar uma partição EFI no sistema. Por favor, volte e use o particionamento manual para configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name A partição de sistema EFI em %1 será utilizada para iniciar %2. EFI system partition: + @label Partição de sistema EFI: @@ -775,38 +793,51 @@ O instalador será fechado e todas as alterações serão perdidas. This storage device has one of its partitions <strong>mounted</strong>. + @info O dispositivo de armazenamento tem uma de suas partições <strong>montada</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info O dispositivo de armazenamento é parte de um dispositivo <strong>RAID inativo</strong>. - No Swap - Sem swap + No swap + @label + - Reuse Swap - Reutilizar swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (sem hibernação) Swap (with Hibernate) + @label Swap (com hibernação) Swap to file + @label Swap em arquivo + + + Bootloader location: + @label + + ClearMountsJob @@ -838,12 +869,14 @@ O instalador será fechado e todas as alterações serão perdidas. Clear mounts for partitioning operations on %1 + @title Limpar as montagens para as operações nas partições em %1 - Clearing mounts for partitioning operations on %1. - Limpando montagens para operações de particionamento em %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -855,13 +888,10 @@ O instalador será fechado e todas as alterações serão perdidas.ClearTempMountsJob - Clear all temporary mounts. - Limpar pontos de montagens temporários. - - - Clearing all temporary mounts. - Limpando todos os pontos de montagem temporários. + Clearing all temporary mounts… + @status + @@ -1010,42 +1040,43 @@ O instalador será fechado e todas as alterações serão perdidas.OK! - + Package Selection Seleção de Pacote - + Please pick a product from the list. The selected product will be installed. Por favor, escolha um produto da lista. O produto selecionado será instalado. - + Packages Pacotes - + Install option: <strong>%1</strong> Instalar opção: <strong>%1</strong> - + None Nenhum - + Summary + @label Resumo - + This is an overview of what will happen once you start the setup procedure. Esta é uma visão geral do que acontecerá quando você iniciar o procedimento de configuração. - + This is an overview of what will happen once you start the install procedure. Este é um resumo do que acontecerá assim que o processo de instalação for iniciado. @@ -1117,15 +1148,15 @@ O instalador será fechado e todas as alterações serão perdidas. - The system language will be set to %1 + The system language will be set to %1. @info - + O idioma do sistema será definido como %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + A localidade dos números e datas será definida como %1. @@ -1202,31 +1233,37 @@ O instalador será fechado e todas as alterações serão perdidas. En&crypt + @action &Criptografar Logical + @label Lógica Primary + @label Primária GPT + @label GPT Mountpoint already in use. Please select another one. + @info Ponto de montagem já em uso. Por favor, selecione outro. Mountpoint must start with a <tt>/</tt>. + @info O ponto de montagem deve começar com um <tt>/</tt>. @@ -1234,43 +1271,51 @@ O instalador será fechado e todas as alterações serão perdidas.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Criar nova partição de %1MiB em %3 (%2) com entradas %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Criar nova partição de %1MiB em %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Criar nova partição de %2MiB em %4 (%3) com o sistema de arquivos %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Criar nova partição de <strong>%1MiB</strong> em <strong>%3</strong> (%2) com entradas <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Criar nova partição de <strong>%1MiB</strong> em <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Criar nova partição de <strong>%2MiB</strong> em <strong>%4</strong> (%3) com o sistema de arquivos <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Criando nova partição %1 em %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info O instalador não conseguiu criar partições no disco '%1'. @@ -1306,18 +1351,16 @@ O instalador será fechado e todas as alterações serão perdidas.CreatePartitionTableJob - Create new %1 partition table on %2. - Criar nova tabela de partições %1 em %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Criar nova tabela de partições <strong>%1</strong> em <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Criando nova tabela de partições %1 em %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1334,29 +1377,33 @@ O instalador será fechado e todas as alterações serão perdidas. - Create user <strong>%1</strong>. - Criar usuário <strong>%1</strong>. - - - - Preserving home directory - Preservando o diretório home + Create user <strong>%1</strong> + - Creating user %1 - Criando usuário %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Configurando usuário %1 - Setting file permissions - Definindo permissões de arquivo + Setting file permissions… + @status + @@ -1364,6 +1411,7 @@ O instalador será fechado e todas as alterações serão perdidas. Create Volume Group + @title Criar Grupo de Volumes @@ -1371,18 +1419,16 @@ O instalador será fechado e todas as alterações serão perdidas.CreateVolumeGroupJob - Create new volume group named %1. - Criar novo grupo de volumes nomeado %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Criar novo grupo de volumes nomeado <strong>%1</strong>. - - - - Creating new volume group named %1. - Criando novo grupo de volumes nomeado %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1395,13 +1441,15 @@ O instalador será fechado e todas as alterações serão perdidas. - Deactivate volume group named %1. - Desativar grupo de volumes nomeado %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desativar grupo de volumes nomeado <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1413,18 +1461,16 @@ O instalador será fechado e todas as alterações serão perdidas.DeletePartitionJob - Delete partition %1. - Excluir a partição %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Excluir a partição <strong>%1</strong>. - - - - Deleting partition %1. - Excluindo a partição %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1609,12 +1655,14 @@ O instalador será fechado e todas as alterações serão perdidas. Please enter the same passphrase in both boxes. + @tooltip Por favor, insira a mesma frase-chave nos dois campos. - Password must be a minimum of %1 characters - A senha deve ter ao menos %1 caracteres + Password must be a minimum of %1 characters. + @tooltip + @@ -1635,57 +1683,68 @@ O instalador será fechado e todas as alterações serão perdidas. Set partition information + @title Definir informações da partição Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalar %1 em <strong>nova</strong> partição do sistema %2 com recursos <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 em <strong>nova</strong> partição %2 do sistema. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configurar <strong>nova</strong> partição %2 com ponto de montagem <strong>%1</strong> e recursos <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurar <strong>nova</strong> partição %2 com ponto de montagem <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalar %2 em partição do sistema %3 <strong>%1</strong> com recursos <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurar partição %3 <strong>%1</strong> com ponto de montagem <strong>%2</strong> e recursos <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurar partição %3 <strong>%1</strong> com ponto de montagem <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 na partição %3 do sistema <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalar gerenciador de inicialização em <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Configurando pontos de montagem. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ O instalador será fechado e todas as alterações serão perdidas.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatar partição %1 (sistema de arquivos: %2, tamanho: %3 MiB) em %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatar partição de <strong>%3MiB</strong> <strong>%1</strong> com o sistema de arquivos <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatando partição %1 com o sistema de arquivos %2. + + Formatting partition %1 with file system %2… + @status + @@ -2264,20 +2326,38 @@ O instalador será fechado e todas as alterações serão perdidas. MachineIdJob - + Generate machine-id. Gerar machine-id. - + Configuration Error Erro de Configuração. - + No root mount point is set for MachineId. Nenhum ponto de montagem raiz está definido para MachineId. + + + + + + File not found + Arquivo não encontrado + + + + Path <pre>%1</pre> must be an absolute path. + O caminho <pre>%1</pre> deve ser completo. + + + + Could not create new random file <pre>%1</pre>. + Não foi possível criar um novo arquivo aleatório <pre>%1</pre>. + Map @@ -2814,11 +2894,6 @@ O instalador será fechado e todas as alterações serão perdidas.Unknown error Erro desconhecido - - - Password is empty - A senha está em branco - PackageChooserPage @@ -2875,7 +2950,8 @@ O instalador será fechado e todas as alterações serão perdidas. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2981,31 +3057,37 @@ O instalador será fechado e todas as alterações serão perdidas. Home + @label Home Boot + @label Inicialização EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label Nova partição para %1 New partition + @label Nova partição @@ -3021,37 +3103,44 @@ O instalador será fechado e todas as alterações serão perdidas. Free Space + @title Espaço livre - New partition - Nova partição + New Partition + @title + Name + @title Nome File System + @title Sistema de arquivos File System Label + @title Etiqueta do Sistema de Arquivos Mount Point + @title Ponto de montagem Size + @title Tamanho @@ -3130,16 +3219,6 @@ O instalador será fechado e todas as alterações serão perdidas. PartitionViewStep - - - Gathering system information... - Coletando informações do sistema... - - - - Partitions - Partições - Unsafe partition actions are enabled. @@ -3155,16 +3234,6 @@ O instalador será fechado e todas as alterações serão perdidas.No partitions will be changed. Nenhuma partição será modificada. - - - Current: - Atualmente: - - - - After: - Depois: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3216,6 +3285,30 @@ O instalador será fechado e todas as alterações serão perdidas.The filesystem must have flag <strong>%1</strong> set. O sistema de arquivos deve ter o marcador %1 definido. + + + Gathering system information… + @status + + + + + Partitions + @label + Partições + + + + Current: + @label + Atual: + + + + After: + @label + Depois: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3261,8 +3354,9 @@ O instalador será fechado e todas as alterações serão perdidas.PlasmaLnfJob - Plasma Look-and-Feel Job - Tarefa de Tema do Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3289,6 +3383,7 @@ O instalador será fechado e todas as alterações serão perdidas. Look-and-Feel + @label Tema @@ -3296,8 +3391,9 @@ O instalador será fechado e todas as alterações serão perdidas.PreserveFiles - Saving files for later ... - Salvando arquivos para mais tarde... + Saving files for later… + @status + @@ -3393,26 +3489,12 @@ Saída: Padrão - - - - - File not found - Arquivo não encontrado - - - - Path <pre>%1</pre> must be an absolute path. - O caminho <pre>%1</pre> deve ser completo. - - - + Directory not found Diretório não encontrado - - + Could not create new random file <pre>%1</pre>. Não foi possível criar um novo arquivo aleatório <pre>%1</pre>. @@ -3431,11 +3513,6 @@ Saída: (no mount point) (sem ponto de montagem) - - - Unpartitioned space or unknown partition table - Espaço não particionado ou tabela de partições desconhecida - unknown @@ -3460,6 +3537,12 @@ Saída: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Espaço não particionado ou tabela de partições desconhecida + Recommended @@ -3475,8 +3558,9 @@ Saída: RemoveUserJob - Remove live user from target system - Remover usuário live do sistema de destino + Removing live user from the target system… + @status + @@ -3484,13 +3568,15 @@ Saída: - Remove Volume Group named %1. - Remover Grupo de Volumes nomeado %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Remover Grupo de Volumes nomeado <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3604,22 +3690,25 @@ Saída: ResizePartitionJob - - Resize partition %1. - Redimensionar partição %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Redimensionar partição de <strong>%2MiB</strong> <strong>%1</strong> para <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Redimensionando partição de %2MiB %1 para %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. O instalador falhou em redimensionar a partição %1 no disco '%2'. @@ -3629,6 +3718,7 @@ Saída: Resize Volume Group + @title Redimensionar Grupo de Volumes @@ -3636,17 +3726,24 @@ Saída: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Redimensionar grupo de volumes nomeado %1 de %2 para %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Redimensionar grupo de volumes nomeado <strong>%1</strong> de <strong>%2</strong> para <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. O instalador não conseguiu redimensionar um grupo de volumes nomeado '%1'. @@ -3663,13 +3760,15 @@ Saída: ScanningDialog - Scanning storage devices... - Localizando dispositivos de armazenamento... + Scanning storage devices… + @status + - Partitioning - Particionando + Partitioning… + @status + @@ -3686,8 +3785,9 @@ Saída: - Setting hostname %1. - Definindo nome da máquina %1. + Setting hostname %1… + @status + @@ -3751,81 +3851,96 @@ Saída: SetPartFlagsJob - Set flags on partition %1. - Definir marcadores na partição %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Definir marcadores na partição de %1MiB %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Definir marcadores na nova partição. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Limpar marcadores na partição <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Limpar marcadores na partição de %1MiB <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Limpar marcadores na nova partição. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Marcar partição <strong>%1</strong> como <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Marcar partição de %1MiB <strong>%2</strong> como <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Marcar nova partição como <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Limpando marcadores na partição <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Limpando marcadores na partição de %1MiB <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Limpando marcadores na nova partição. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Definindo marcadores <strong>%2</strong> na partição <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Definindo marcadores <strong>%3</strong> na partição de %1MiB <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Definindo marcadores <strong>%1</strong> na nova partição. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. O instalador falhou em definir marcadores na partição %1. @@ -3839,32 +3954,33 @@ Saída: - Setting password for user %1. - Definindo senha para usuário %1. + Setting password for user %1… + @status + - + Bad destination system path. O caminho para o sistema está mal direcionado. - + rootMountPoint is %1 rootMountPoint é %1 - + Cannot disable root account. Não é possível desativar a conta root. - + Cannot set password for user %1. Não foi possível definir senha para o usuário %1. - - + + usermod terminated with error code %1. usermod terminou com código de erro %1. @@ -3913,8 +4029,9 @@ Saída: SetupGroupsJob - Preparing groups. - Preparando grupos. + Preparing groups… + @status + @@ -3932,8 +4049,9 @@ Saída: SetupSudoJob - Configure <pre>sudo</pre> users. - Configurar usuários <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3950,8 +4068,9 @@ Saída: ShellProcessJob - Shell Processes Job - Processos de trabalho do Shell + Running shell processes… + @status + @@ -4000,8 +4119,9 @@ Saída: - Sending installation feedback. - Enviando feedback da instalação. + Sending installation feedback… + @status + @@ -4023,8 +4143,9 @@ Saída: - Configuring KDE user feedback. - Configurando feedback de usuário KDE. + Configuring KDE user feedback… + @status + @@ -4052,8 +4173,9 @@ Saída: - Configuring machine feedback. - Configurando feedback da máquina. + Configuring machine feedback… + @status + @@ -4115,6 +4237,7 @@ Saída: Feedback + @title Feedback @@ -4122,8 +4245,9 @@ Saída: UmountJob - Unmount file systems. - Desmontar os sistemas de arquivos. + Unmounting file systems… + @status + @@ -4281,11 +4405,6 @@ Saída: &Release notes &Notas de lançamento - - - %1 support - %1 suporte - About %1 Setup @@ -4298,12 +4417,19 @@ Saída: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Bem-vindo @@ -4312,6 +4438,7 @@ Saída: Welcome + @title Bem-vindo @@ -4319,8 +4446,9 @@ Saída: ZfsJob - Create ZFS pools and datasets - Criação de pools ZFS e datasets + Creating ZFS pools and datasets… + @status + @@ -4767,21 +4895,11 @@ Saída: What is your name? Qual é o seu nome? - - - Your Full Name - Seu nome completo - What name do you want to use to log in? Qual nome você quer usar para entrar? - - - Login Name - Nome do Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4802,11 +4920,6 @@ Saída: What is the name of this computer? Qual é o nome deste computador? - - - Computer Name - Nome do computador - This name will be used if you make the computer visible to others on a network. @@ -4827,16 +4940,21 @@ Saída: Password Senha - - - Repeat Password - Repita a senha - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Digite a mesma senha duas vezes, de modo que possam ser verificados erros de digitação. Uma boa senha contém uma mistura de letras, números e sinais de pontuação, deve ter pelo menos oito caracteres, e deve ser alterada em intervalos regulares. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4852,11 +4970,31 @@ Saída: Log in automatically without asking for the password Entrar automaticamente sem perguntar pela senha + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. São permitidos apenas letras, números, sublinhado e hífen, com no mínimo dois caracteres. + + + Repeat password + + Reuse user password as root password @@ -4872,16 +5010,6 @@ Saída: Choose a root password to keep your account safe. Escolha uma senha de root para manter sua conta segura. - - - Root Password - Senha de Root - - - - Repeat Root Password - Repita a Senha de Root - Enter the same password twice, so that it can be checked for typing errors. @@ -4900,21 +5028,11 @@ Saída: What is your name? Qual é o seu nome? - - - Your Full Name - Seu nome completo - What name do you want to use to log in? Qual nome você quer usar para entrar? - - - Login Name - Nome do Login - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4935,10 +5053,20 @@ Saída: What is the name of this computer? Qual é o nome deste computador? + + + Your full name + + + + + Login name + + - Computer Name - Nome do computador + Computer name + @@ -4967,8 +5095,18 @@ Saída: - Repeat Password - Repita a senha + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4990,16 +5128,6 @@ Saída: Choose a root password to keep your account safe. Escolha uma senha de root para manter sua conta segura. - - - Root Password - Senha de Root - - - - Repeat Root Password - Repita a Senha de Root - Enter the same password twice, so that it can be checked for typing errors. @@ -5037,13 +5165,13 @@ Saída: - Known issues - Problemas conhecidos + Known Issues + - Release notes - Notas de lançamento + Release Notes + @@ -5067,13 +5195,13 @@ Saída: - Known issues - Problemas conhecidos + Known Issues + - Release notes - Notas de lançamento + Release Notes + diff --git a/lang/calamares_pt_PT.ts b/lang/calamares_pt_PT.ts index 4c58c73afa..071b89b2ee 100644 --- a/lang/calamares_pt_PT.ts +++ b/lang/calamares_pt_PT.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Gerir definições de montagem automática + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record de %1 Boot Partition + @info Partição de arranque System Partition + @info Partição do Sistema Do not install a boot loader + @label Não instalar um carregador de arranque @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Instalar @@ -635,18 +640,27 @@ O instalador será encerrado e todas as alterações serão perdidas.ChangeFilesystemLabelJob - Set filesystem label on %1. - A definir a identificação do sistema de ficheiros em %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Definir a identificação do sistema de ficheiros <strong>%1</strong> para a partição <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info O instalador falhou ao atualizar a tabela de partições no disco '%1'. @@ -660,9 +674,20 @@ O instalador será encerrado e todas as alterações serão perdidas. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionamento manual</strong><br/>Pode criar ou redimensionar partições manualmente. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecione uma partição para encolher, depois arraste a barra de fundo para redimensionar</strong> + Select storage de&vice: + @label Selecione o dis&positivo de armazenamento: @@ -671,56 +696,49 @@ O instalador será encerrado e todas as alterações serão perdidas. Current: + @label Atual: After: + @label Depois: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionamento manual</strong><br/>Pode criar ou redimensionar partições manualmente. - - Reuse %1 as home partition for %2. - Reutilizar %1 como partição home para %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecione uma partição para encolher, depois arraste a barra de fundo para redimensionar</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 será encolhida para %2MiB e uma nova %3MiB partição será criada para %4. - - - Boot loader location: - Localização do carregador de arranque: - <strong>Select a partition to install on</strong> + @label <strong>Selecione uma partição para instalar</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Nenhuma partição de sistema EFI foi encontrada neste sistema. Volte atrás e use o particionamento manual para configurar %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name A partição de sistema EFI em %1 será usada para iniciar %2. EFI system partition: + @label Partição de sistema EFI: @@ -775,38 +793,51 @@ O instalador será encerrado e todas as alterações serão perdidas. This storage device has one of its partitions <strong>mounted</strong>. + @info O dispositivo de armazenamento tem uma das suas partições <strong>montada</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info O dispositivo de armazenamento é parte de um dispositivo <strong>RAID inativo</strong>. - No Swap - Sem Swap + No swap + @label + - Reuse Swap - Reutilizar Swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (sem Hibernação) Swap (with Hibernate) + @label Swap (com Hibernação) Swap to file + @label Swap para ficheiro + + + Bootloader location: + @label + + ClearMountsJob @@ -838,12 +869,14 @@ O instalador será encerrado e todas as alterações serão perdidas. Clear mounts for partitioning operations on %1 + @title Limpar montagens para operações de particionamento em %1 - Clearing mounts for partitioning operations on %1. - A limpar montagens para operações de particionamento em %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -855,13 +888,10 @@ O instalador será encerrado e todas as alterações serão perdidas.ClearTempMountsJob - Clear all temporary mounts. - Limpar todas as montagens temporárias. - - - Clearing all temporary mounts. - A limpar todas as montagens temporárias. + Clearing all temporary mounts… + @status + @@ -1010,42 +1040,43 @@ O instalador será encerrado e todas as alterações serão perdidas.OK! - + Package Selection Seleção de pacote - + Please pick a product from the list. The selected product will be installed. Escolha um produto da lista. O produto selecionado será instalado. - + Packages Pacotes - + Install option: <strong>%1</strong> Instalar opção: <strong>%1</strong> - + None Nenhum - + Summary + @label Resumo - + This is an overview of what will happen once you start the setup procedure. Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de configuração. - + This is an overview of what will happen once you start the install procedure. Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de instalação. @@ -1117,15 +1148,15 @@ O instalador será encerrado e todas as alterações serão perdidas. - The system language will be set to %1 + The system language will be set to %1. @info - + O idioma do sistema será definido para %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Os números e datas locais serão definidos para %1. @@ -1202,31 +1233,37 @@ O instalador será encerrado e todas as alterações serão perdidas. En&crypt + @action En&criptar Logical + @label Lógica Primary + @label Primária GPT + @label GPT Mountpoint already in use. Please select another one. + @info Ponto de montagem já em uso. Selecione outro. Mountpoint must start with a <tt>/</tt>. + @info O ponto de montagem deve começar com um <tt>/</tt>. @@ -1234,43 +1271,51 @@ O instalador será encerrado e todas as alterações serão perdidas.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Criar nova partição de %1MiB em %3 (%2) com entradas %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Criar nova partição de %1MiB em %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Criar nova partição de %2MiB em %4 (%3) com o sistema de ficheiros %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Criar nova partição de <strong>%1MiB</strong> em <strong>%3</strong> (%2) com entradas <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Criar nova partição de <strong>%1MiB</strong> em <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Criar nova partição de <strong>%2MiB</strong> em <strong>%4</strong> (%3) com o sistema de ficheiros <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Criando nova partição %1 em %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info O instalador falhou a criação da partição no disco '%1'. @@ -1306,18 +1351,16 @@ O instalador será encerrado e todas as alterações serão perdidas.CreatePartitionTableJob - Create new %1 partition table on %2. - Criar nova %1 tabela de partições em %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Criar nova <strong>%1</strong> tabela de partições <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - A criar nova %1 tabela de partições em %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1334,29 +1377,33 @@ O instalador será encerrado e todas as alterações serão perdidas. - Create user <strong>%1</strong>. - Criar utilizador <strong>%1</strong>. - - - - Preserving home directory - A preservar o directório da pasta pessoal + Create user <strong>%1</strong> + - Creating user %1 - A criar utilizador %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status A configurar o utilizador %1 - Setting file permissions - A definir permissões de ficheiro + Setting file permissions… + @status + @@ -1364,6 +1411,7 @@ O instalador será encerrado e todas as alterações serão perdidas. Create Volume Group + @title Criar Grupo de Volume @@ -1371,18 +1419,16 @@ O instalador será encerrado e todas as alterações serão perdidas.CreateVolumeGroupJob - Create new volume group named %1. - Criar novo grupo de volume com o nome %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Criar novo grupo de volume com o nome <strong>%1</strong>. - - - - Creating new volume group named %1. - A criar novo grupo de volume com o nome %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1395,13 +1441,15 @@ O instalador será encerrado e todas as alterações serão perdidas. - Deactivate volume group named %1. - Desativar grupo de volume com o nome %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Desativar grupo de volume com o nome <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1413,18 +1461,16 @@ O instalador será encerrado e todas as alterações serão perdidas.DeletePartitionJob - Delete partition %1. - Apagar partição %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Apagar partição <strong>%1</strong>. - - - - Deleting partition %1. - A apagar a partição %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1609,12 +1655,14 @@ O instalador será encerrado e todas as alterações serão perdidas. Please enter the same passphrase in both boxes. + @tooltip Introduza a mesma frase-passe em ambas as caixas. - Password must be a minimum of %1 characters - A palavra-passe deve ter um mínimo de %1 caracteres + Password must be a minimum of %1 characters. + @tooltip + @@ -1635,57 +1683,68 @@ O instalador será encerrado e todas as alterações serão perdidas. Set partition information + @title Definir informação da partição Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalar %1 na <strong>nova</strong> partição do sistema %2 com funcionalidades <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instalar %1 na <strong>nova</strong> %2 partição de sistema. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Configurar <strong>nova</strong> partição %2 com ponto de montagem <strong>%1</strong> e funcionalidades <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Configurar <strong>nova</strong> partição %2 com ponto de montagem <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalar %2 em %3 partição do sistema <strong>%1</strong> com funcionalidades <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Configurar %3 partição <strong>%1</strong> com ponto de montagem <strong>%2</strong> e funcionalidades <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Configurar %3 partição <strong>%1</strong> com ponto de montagem <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Instalar %2 em %3 partição de sistema <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalar carregador de arranque em <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Definindo pontos de montagem. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ O instalador será encerrado e todas as alterações serão perdidas.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatar partição %1 (sistema de ficheiros: %2, tamanho: %3 MiB) em %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatar partição de <strong>%3MiB</strong> <strong>%1</strong> com o sistema de ficheiros <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - A formatar partição %1 com sistema de ficheiros %2. + + Formatting partition %1 with file system %2… + @status + @@ -2264,20 +2326,38 @@ O instalador será encerrado e todas as alterações serão perdidas. MachineIdJob - + Generate machine-id. Gerar id-máquina. - + Configuration Error Erro de configuração - + No root mount point is set for MachineId. Nenhum ponto de montagem root está definido para IdMáquina. + + + + + + File not found + Ficheiro não encontrado + + + + Path <pre>%1</pre> must be an absolute path. + O caminho <pre>%1</pre> deve ser absoluto. + + + + Could not create new random file <pre>%1</pre>. + Não foi possível criar um novo ficheiro aleatório <pre>%1</pre>. + Map @@ -2814,11 +2894,6 @@ O instalador será encerrado e todas as alterações serão perdidas.Unknown error Erro desconhecido - - - Password is empty - Palavra-passe está vazia - PackageChooserPage @@ -2875,7 +2950,8 @@ O instalador será encerrado e todas as alterações serão perdidas. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2981,31 +3057,37 @@ O instalador será encerrado e todas as alterações serão perdidas. Home + @label Home Boot + @label Arranque EFI system + @label Sistema EFI Swap + @label Swap New partition for %1 + @label Nova partição para %1 New partition + @label Nova partição @@ -3021,37 +3103,44 @@ O instalador será encerrado e todas as alterações serão perdidas. Free Space + @title Espaço Livre - New partition - Nova partição + New Partition + @title + Name + @title Nome File System + @title Sistema de Ficheiros File System Label + @title Identificação do sistema de ficheiros Mount Point + @title Ponto de Montagem Size + @title Tamanho @@ -3130,16 +3219,6 @@ O instalador será encerrado e todas as alterações serão perdidas. PartitionViewStep - - - Gathering system information... - A recolher informações do sistema... - - - - Partitions - Partições - Unsafe partition actions are enabled. @@ -3155,16 +3234,6 @@ O instalador será encerrado e todas as alterações serão perdidas.No partitions will be changed. Nenhuma partição será alterada. - - - Current: - Atual: - - - - After: - Depois: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3216,6 +3285,30 @@ O instalador será encerrado e todas as alterações serão perdidas.The filesystem must have flag <strong>%1</strong> set. O sistema de ficheiros deve ter a "flag" %1 definida. + + + Gathering system information… + @status + + + + + Partitions + @label + Partições + + + + Current: + @label + Atual: + + + + After: + @label + Depois: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3261,8 +3354,9 @@ O instalador será encerrado e todas as alterações serão perdidas.PlasmaLnfJob - Plasma Look-and-Feel Job - Tarefa de Aparência Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3289,6 +3383,7 @@ O instalador será encerrado e todas as alterações serão perdidas. Look-and-Feel + @label Aparência @@ -3296,8 +3391,9 @@ O instalador será encerrado e todas as alterações serão perdidas.PreserveFiles - Saving files for later ... - A guardar ficheiros para mais tarde ... + Saving files for later… + @status + @@ -3393,26 +3489,12 @@ Saída de Dados: Padrão - - - - - File not found - Ficheiro não encontrado - - - - Path <pre>%1</pre> must be an absolute path. - O caminho <pre>%1</pre> deve ser absoluto. - - - + Directory not found Diretório não encontrado - - + Could not create new random file <pre>%1</pre>. Não foi possível criar um novo ficheiro aleatório <pre>%1</pre>. @@ -3431,11 +3513,6 @@ Saída de Dados: (no mount point) (sem ponto de montagem) - - - Unpartitioned space or unknown partition table - Espaço não particionado ou tabela de partições desconhecida - unknown @@ -3460,6 +3537,12 @@ Saída de Dados: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Espaço não particionado ou tabela de partições desconhecida + Recommended @@ -3475,8 +3558,9 @@ Saída de Dados: RemoveUserJob - Remove live user from target system - Remover utilizador ativo do sistema de destino + Removing live user from the target system… + @status + @@ -3484,13 +3568,15 @@ Saída de Dados: - Remove Volume Group named %1. - Remover Grupo de Volume com o nome %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Remover Grupo de Volume com o nome <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3604,22 +3690,25 @@ Saída de Dados: ResizePartitionJob - - Resize partition %1. - Redimensionar partição %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Redimensionar <strong>%2MiB</strong> partição <strong>%1</strong> para <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - A redimensionar %2MiB partição %1 para %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. O instalador falhou o redimensionamento da partição %1 no disco '%2'. @@ -3629,6 +3718,7 @@ Saída de Dados: Resize Volume Group + @title Redimensionar Grupo de Volume @@ -3636,17 +3726,24 @@ Saída de Dados: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Redimensionar grupo de volume com o nome %1 de %2 até %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Redimensionar grupo de volume com o nome <strong>%1</strong> de <strong>%2</strong> até <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. O instalador falhou ao redimensionar o grupo de volume com o nome '%1'. @@ -3663,13 +3760,15 @@ Saída de Dados: ScanningDialog - Scanning storage devices... - A examinar dispositivos de armazenamento... + Scanning storage devices… + @status + - Partitioning - Particionamento + Partitioning… + @status + @@ -3686,8 +3785,9 @@ Saída de Dados: - Setting hostname %1. - A definir nome da máquina %1. + Setting hostname %1… + @status + @@ -3751,81 +3851,96 @@ Saída de Dados: SetPartFlagsJob - Set flags on partition %1. - Definir flags na partição %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Definir flags na partição %1MiB %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Definir flags na nova partição. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Limpar flags na partitição <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Limpar flags na partição de %1MiB <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Limpar flags na nova partição. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Definir flag da partição <strong>%1</strong> como <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Marcar partição de %1MiB <strong>%2</strong> como <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Nova partição com flag <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - A limpar flags na partição <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - A limpar flags na partição de %1MiB <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - A limpar flags na nova partição. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - A definir flags <strong>%2</strong> na partitição <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - A definir flags <strong>%3</strong> na partição de %1MiB <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - A definir flags <strong>%1</strong> na nova partição. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. O instalador falhou ao definir flags na partição %1. @@ -3839,32 +3954,33 @@ Saída de Dados: - Setting password for user %1. - A definir palavra-passe para o utilizador %1. + Setting password for user %1… + @status + - + Bad destination system path. Mau destino do caminho do sistema. - + rootMountPoint is %1 rootMountPoint é %1 - + Cannot disable root account. Não é possível desativar a conta root. - + Cannot set password for user %1. Não é possível definir a palavra-passe para o utilizador %1. - - + + usermod terminated with error code %1. usermod terminou com código de erro %1. @@ -3913,8 +4029,9 @@ Saída de Dados: SetupGroupsJob - Preparing groups. - A preparar grupos. + Preparing groups… + @status + @@ -3932,8 +4049,9 @@ Saída de Dados: SetupSudoJob - Configure <pre>sudo</pre> users. - Configurar utilizadores <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3950,8 +4068,9 @@ Saída de Dados: ShellProcessJob - Shell Processes Job - Tarefa de Processos da Shell + Running shell processes… + @status + @@ -4000,8 +4119,9 @@ Saída de Dados: - Sending installation feedback. - A enviar relatório da instalação. + Sending installation feedback… + @status + @@ -4023,8 +4143,9 @@ Saída de Dados: - Configuring KDE user feedback. - A configurar feedback de utilizador KDE. + Configuring KDE user feedback… + @status + @@ -4052,8 +4173,9 @@ Saída de Dados: - Configuring machine feedback. - A configurar relatório da máquina. + Configuring machine feedback… + @status + @@ -4115,6 +4237,7 @@ Saída de Dados: Feedback + @title Relatório @@ -4122,8 +4245,9 @@ Saída de Dados: UmountJob - Unmount file systems. - Desmontar sistemas de ficheiros. + Unmounting file systems… + @status + @@ -4281,11 +4405,6 @@ Saída de Dados: &Release notes &Notas de lançamento - - - %1 support - Suporte do %1 - About %1 Setup @@ -4298,12 +4417,19 @@ Saída de Dados: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Bem-vindo @@ -4312,6 +4438,7 @@ Saída de Dados: Welcome + @title Bem-vindo @@ -4319,8 +4446,9 @@ Saída de Dados: ZfsJob - Create ZFS pools and datasets - Criação de ZFS pools e datasets + Creating ZFS pools and datasets… + @status + @@ -4767,21 +4895,11 @@ Saída de Dados: What is your name? Qual é o seu nome? - - - Your Full Name - O seu nome completo - What name do you want to use to log in? Que nome deseja usar para iniciar a sessão? - - - Login Name - Nome de utilizador - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4802,11 +4920,6 @@ Saída de Dados: What is the name of this computer? Qual o nome deste computador? - - - Computer Name - Nome do computador - This name will be used if you make the computer visible to others on a network. @@ -4827,16 +4940,21 @@ Saída de Dados: Password Palavra-passe - - - Repeat Password - Repita a palavra-passe - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduzir a mesma palavra-passe duas vezes, para que possa ser verificada a existência de erros de escrita. Uma boa palavra-passe conterá uma mistura de letras, números e pontuação, deve ter pelo menos oito caracteres, e deve ser alterada a intervalos regulares. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4852,11 +4970,31 @@ Saída de Dados: Log in automatically without asking for the password Iniciar sessão automaticamente sem pedir a palavra-passe + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Apenas são permitidas letras, números, sublinhado e hífen, mínimo de dois caracteres. + + + Repeat password + + Reuse user password as root password @@ -4872,16 +5010,6 @@ Saída de Dados: Choose a root password to keep your account safe. Escolha uma palavra-passe de root para manter a sua conta segura. - - - Root Password - Palavra-passe de root - - - - Repeat Root Password - Repetir palavra-passe de root - Enter the same password twice, so that it can be checked for typing errors. @@ -4900,21 +5028,11 @@ Saída de Dados: What is your name? Qual é o seu nome? - - - Your Full Name - O seu nome completo - What name do you want to use to log in? Que nome deseja usar para iniciar a sessão? - - - Login Name - Nome de utilizador - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4935,10 +5053,20 @@ Saída de Dados: What is the name of this computer? Qual o nome deste computador? + + + Your full name + + + + + Login name + + - Computer Name - Nome do computador + Computer name + @@ -4967,8 +5095,18 @@ Saída de Dados: - Repeat Password - Repita a palavra-passe + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4990,16 +5128,6 @@ Saída de Dados: Choose a root password to keep your account safe. Escolha uma palavra-passe de root para manter a sua conta segura. - - - Root Password - Palavra-passe de root - - - - Repeat Root Password - Repetir palavra-passe de root - Enter the same password twice, so that it can be checked for typing errors. @@ -5037,13 +5165,13 @@ Saída de Dados: - Known issues - Problemas conhecidos + Known Issues + - Release notes - Notas de lançamento + Release Notes + @@ -5067,13 +5195,13 @@ Saída de Dados: - Known issues - Problemas conhecidos + Known Issues + - Release notes - Notas de lançamento + Release Notes + diff --git a/lang/calamares_ro.ts b/lang/calamares_ro.ts index 73719d82c1..3484c3a344 100644 --- a/lang/calamares_ro.ts +++ b/lang/calamares_ro.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Administrați setările de auto montare. + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master boot record (MBR) al %1 Boot Partition + @info Partiție de boot System Partition + @info Partiție de sistem Do not install a boot loader + @label Nu instala un bootloader @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label Instalează @@ -635,18 +640,27 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.ChangeFilesystemLabelJob - Set filesystem label on %1. - Setează eticheta fișierului de sistem pe %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Setează eticheta fișierului de sistem <strong>%1.</strong> catre partiția <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Programul de instalare nu a putut actualiza tabela de partiții pe discul „%1”. @@ -660,9 +674,20 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partiționare manuală</strong><br/>Puteți crea sau redimensiona partițiile. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selectează o partiție de micșorat, apoi trageți bara din jos pentru a redimensiona</strong> + Select storage de&vice: + @label Selectează dispoziti&vul de stocare: @@ -671,56 +696,49 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Current: + @label Actual: After: + @label După: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partiționare manuală</strong><br/>Puteți crea sau redimensiona partițiile. - - Reuse %1 as home partition for %2. - Reutilizează %1 ca partiție home pentru %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selectează o partiție de micșorat, apoi trageți bara din jos pentru a redimensiona</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 va fi micșorat la %2MiB si noua partiție de %3Mib va fi creată pentru %4 - - - Boot loader location: - Locație boot loader: - <strong>Select a partition to install on</strong> + @label <strong>Selectează o partiție pe care să se instaleze</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name O partiție de sistem EFI nu poate fi găsită nicăieri în acest sistem. Vă rugăm să reveniți și să partiționați manual pentru a seta %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Partiția de sistem EFI de la %1 va fi folosită pentru a porni %2. EFI system partition: + @label Partiție de sistem EFI: @@ -775,38 +793,51 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. This storage device has one of its partitions <strong>mounted</strong>. + @info Acest device de stocare are are deja unul dintre partiții <strong>montate</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Acest device de stocare este partea unui device de tip <strong>RAID inactiv</strong>. - No Swap - Fara Swap + No swap + @label + - Reuse Swap - Reutilizează Swap + Reuse swap + @label + Swap (no Hibernate) + @label Swap (Fară Hibernare) Swap (with Hibernate) + @label Swap (Cu Hibernare) Swap to file + @label Swap către fișier. + + + Bootloader location: + @label + + ClearMountsJob @@ -838,12 +869,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Clear mounts for partitioning operations on %1 + @title Eliminați montările pentru operațiunea de partiționare pe %1 - Clearing mounts for partitioning operations on %1. - Se elimină montările pentru operațiunile de partiționare pe %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -855,13 +888,10 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.ClearTempMountsJob - Clear all temporary mounts. - Elimină toate montările temporare. - - - Clearing all temporary mounts. - Se elimină toate montările temporare. + Clearing all temporary mounts… + @status + @@ -1010,42 +1040,43 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Sumar - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. Acesta este un rezumat a ce se va întâmpla după ce începeți procedura de instalare. @@ -1117,15 +1148,15 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - The system language will be set to %1 + The system language will be set to %1. @info - + Limba sistemului va fi %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Formatul numerelor și datelor calendaristice va fi %1. @@ -1202,31 +1233,37 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. En&crypt + @action &Criptează Logical + @label Logică Primary + @label Primară GPT + @label GPT Mountpoint already in use. Please select another one. + @info Punct de montare existent. Vă rugăm alegeţi altul. Mountpoint must start with a <tt>/</tt>. + @info @@ -1234,43 +1271,51 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. - Se creează nouă partiție %1 pe %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Programul de instalare nu a putut crea partiția pe discul „%1”. @@ -1306,18 +1351,16 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.CreatePartitionTableJob - Create new %1 partition table on %2. - Creați o nouă tabelă de partiții %1 pe %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Creați o nouă tabelă de partiții <strong>%1</strong> pe <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Se creează o nouă tabelă de partiții %1 pe %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1334,28 +1377,32 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - Create user <strong>%1</strong>. - Creează utilizatorul <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1364,6 +1411,7 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Create Volume Group + @title @@ -1371,17 +1419,15 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1395,12 +1441,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1413,18 +1461,16 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.DeletePartitionJob - Delete partition %1. - Șterge partiția %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Șterge partiția <strong>%1</strong>. - - - - Deleting partition %1. - Se șterge partiția %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1609,11 +1655,13 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Please enter the same passphrase in both boxes. + @tooltip Introduceți aceeași frază secretă în ambele căsuțe. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1635,57 +1683,68 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Set partition information + @title Setează informația pentru partiție Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Instalează %1 pe <strong>noua</strong> partiție de sistem %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Instalează %2 pe partiția de sistem %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Instalează bootloader-ul pe <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Se setează puncte de montare. + + Setting up mount points… + @status + @@ -1754,24 +1813,27 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Se formatează partiția %1 cu sistemul de fișiere %2. + + Formatting partition %1 with file system %2… + @status + @@ -2264,20 +2326,38 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. MachineIdJob - + Generate machine-id. Generează machine-id. - + Configuration Error Eroare de configurare - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2813,11 +2893,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.Unknown error Eroare necunoscuta - - - Password is empty - - PackageChooserPage @@ -2874,7 +2949,8 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2980,31 +3056,37 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Home + @label Home Boot + @label Boot EFI system + @label Sistem EFI Swap + @label Swap New partition for %1 + @label Noua partiție pentru %1 New partition + @label Noua partiție @@ -3020,37 +3102,44 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Free Space + @title Spațiu liber - New partition - Partiție nouă + New Partition + @title + Name + @title Nume File System + @title Sistem de fișiere File System Label + @title Mount Point + @title Punct de montare Size + @title Mărime @@ -3129,16 +3218,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. PartitionViewStep - - - Gathering system information... - Se adună informații despre sistem... - - - - Partitions - Partiții - Unsafe partition actions are enabled. @@ -3154,16 +3233,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.No partitions will be changed. - - - Current: - Actual: - - - - After: - După: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3215,6 +3284,30 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Partiții + + + + Current: + @label + Actual: + + + + After: + @label + După: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3260,8 +3353,9 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.PlasmaLnfJob - Plasma Look-and-Feel Job - Job de tip Plasma Look-and-Feel + Applying Plasma Look-and-Feel… + @status + @@ -3288,6 +3382,7 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Look-and-Feel + @label Interfață @@ -3295,7 +3390,8 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3392,26 +3488,12 @@ Output Implicit - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3430,11 +3512,6 @@ Output (no mount point) - - - Unpartitioned space or unknown partition table - Spațiu nepartiționat sau tabelă de partiții necunoscută - unknown @@ -3459,6 +3536,12 @@ Output @partition info swap + + + Unpartitioned space or unknown partition table + @info + Spațiu nepartiționat sau tabelă de partiții necunoscută + Recommended @@ -3473,7 +3556,8 @@ Output RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3482,12 +3566,14 @@ Output - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3600,22 +3686,25 @@ Output ResizePartitionJob - - Resize partition %1. - Redimensionează partiția %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. Programul de instalare nu a redimensionat partiția %1 pe discul „%2”. @@ -3625,6 +3714,7 @@ Output Resize Volume Group + @title @@ -3632,17 +3722,24 @@ Output ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. @@ -3659,13 +3756,15 @@ Output ScanningDialog - Scanning storage devices... - Se scanează dispozitivele de stocare... + Scanning storage devices… + @status + - Partitioning - Partiționare + Partitioning… + @status + @@ -3682,8 +3781,9 @@ Output - Setting hostname %1. - Se setează hostname %1. + Setting hostname %1… + @status + @@ -3747,81 +3847,96 @@ Output SetPartFlagsJob - Set flags on partition %1. - Setează flag-uri pentru partiția %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. - Setează flagurile pe noua partiție. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Șterge flag-urile partiției <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. - Elimină flagurile pentru noua partiție. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Marchează partiția <strong>%1</strong> cu flag-ul <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. - Marchează noua partiție ca <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Se șterg flag-urile pentru partiția <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. - Se elimină flagurile de pe noua partiție. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Se setează flag-urile <strong>%2</strong> pentru partiția <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. - Se setează flagurile <strong>%1</strong> pe noua partiție. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Programul de instalare a eșuat în setarea flag-urilor pentru partiția %1. @@ -3835,32 +3950,33 @@ Output - Setting password for user %1. - Se setează parola pentru utilizatorul %1. + Setting password for user %1… + @status + - + Bad destination system path. Cale de sistem destinație proastă. - + rootMountPoint is %1 rootMountPoint este %1 - + Cannot disable root account. Nu pot dezactiva contul root - + Cannot set password for user %1. Nu se poate seta parola pentru utilizatorul %1. - - + + usermod terminated with error code %1. usermod s-a terminat cu codul de eroare %1. @@ -3909,7 +4025,8 @@ Output SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3928,7 +4045,8 @@ Output SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3946,8 +4064,9 @@ Output ShellProcessJob - Shell Processes Job - Shell-ul procesează sarcina. + Running shell processes… + @status + @@ -3996,8 +4115,9 @@ Output - Sending installation feedback. - Trimite feedback pentru instalare + Sending installation feedback… + @status + @@ -4019,7 +4139,8 @@ Output - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4048,8 +4169,9 @@ Output - Configuring machine feedback. - Se configurează feedback-ul pentru mașină + Configuring machine feedback… + @status + @@ -4111,6 +4233,7 @@ Output Feedback + @title Feedback @@ -4118,8 +4241,9 @@ Output UmountJob - Unmount file systems. - Demonteaza sistemul de fisiere + Unmounting file systems… + @status + @@ -4277,11 +4401,6 @@ Output &Release notes &Note asupra ediției - - - %1 support - %1 suport - About %1 Setup @@ -4294,12 +4413,19 @@ Output @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Bine ați venit @@ -4308,6 +4434,7 @@ Output Welcome + @title Bine ați venit @@ -4315,7 +4442,8 @@ Output ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4733,21 +4861,11 @@ Output What is your name? Cum vă numiți? - - - Your Full Name - Numele Complet - What name do you want to use to log in? Ce nume doriți să utilizați pentru logare? - - - Login Name - Numele de Logare. - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4768,11 +4886,6 @@ Output What is the name of this computer? Care este numele calculatorului? - - - Computer Name - Numele Calculatorului - This name will be used if you make the computer visible to others on a network. @@ -4793,16 +4906,21 @@ Output Password Parola - - - Repeat Password - Repetați Parola - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduceți aceeași parolă de doua ori, pentru a putea verifica de greșeli de scriere. O parola buna contine o combinatie de litere, numere si punctuatie, trebuie ca aceasta sa fie lunga de minim 8 caractere, si ar trebui sa fie schimbată la intervale regulate. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4818,11 +4936,31 @@ Output Log in automatically without asking for the password Conectați-vă automat fără a cere parola. + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Doar litere, numere, lini si cratime sunt permise, minim doua caractere. + + + Repeat password + + Reuse user password as root password @@ -4838,16 +4976,6 @@ Output Choose a root password to keep your account safe. Alege-ți o parolă root pentru a va păstra contul in siguranta. - - - Root Password - Parola de administrator - - - - Repeat Root Password - Repetați Parola Root - Enter the same password twice, so that it can be checked for typing errors. @@ -4866,21 +4994,11 @@ Output What is your name? Cum vă numiți? - - - Your Full Name - Numele Complet - What name do you want to use to log in? Ce nume doriți să utilizați pentru logare? - - - Login Name - Numele de Logare. - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4901,10 +5019,20 @@ Output What is the name of this computer? Care este numele calculatorului? + + + Your full name + + + + + Login name + + - Computer Name - Numele Calculatorului + Computer name + @@ -4933,8 +5061,18 @@ Output - Repeat Password - Repetați Parola + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4956,16 +5094,6 @@ Output Choose a root password to keep your account safe. Alege-ți o parolă root pentru a va păstra contul in siguranta. - - - Root Password - Parola de administrator - - - - Repeat Root Password - Repetați Parola Root - Enter the same password twice, so that it can be checked for typing errors. @@ -5004,13 +5132,13 @@ Output - Known issues - Probleme știute + Known Issues + - Release notes - Note de lansare + Release Notes + @@ -5035,13 +5163,13 @@ Output - Known issues - Probleme știute + Known Issues + - Release notes - Note de lansare + Release Notes + diff --git a/lang/calamares_ro_RO.ts b/lang/calamares_ro_RO.ts index 49ad4a8836..f5f4683577 100644 --- a/lang/calamares_ro_RO.ts +++ b/lang/calamares_ro_RO.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -769,36 +787,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -832,11 +863,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -849,12 +882,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1111,13 +1142,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1300,17 +1345,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1365,17 +1413,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1389,12 +1435,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1407,17 +1455,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,56 +1677,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1748,23 +1807,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2804,11 +2884,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2865,7 +2940,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2971,31 +3047,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3011,37 +3093,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3120,16 +3209,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,7 +3344,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3279,6 +3373,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3286,7 +3381,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3380,26 +3476,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3418,11 +3500,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3447,6 +3524,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3461,7 +3544,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3470,12 +3554,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3588,22 +3674,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3613,6 +3702,7 @@ Output: Resize Volume Group + @title @@ -3620,17 +3710,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3647,12 +3744,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3670,7 +3769,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3735,81 +3835,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3823,32 +3938,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3897,7 +4013,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3916,7 +4033,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3934,7 +4052,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3984,7 +4103,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4007,7 +4127,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4036,7 +4157,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4099,6 +4221,7 @@ Output: Feedback + @title @@ -4106,7 +4229,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4265,11 +4389,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4282,12 +4401,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4296,6 +4422,7 @@ Output: Welcome + @title @@ -4303,7 +4430,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4719,21 +4847,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4754,11 +4872,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4780,13 +4893,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4804,11 +4922,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4824,16 +4962,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4852,21 +4980,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4887,9 +5005,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4919,7 +5047,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4942,16 +5080,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4988,12 +5116,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5017,12 +5145,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_ru.ts b/lang/calamares_ru.ts index 458d5eef79..27ecfe1550 100644 --- a/lang/calamares_ru.ts +++ b/lang/calamares_ru.ts @@ -11,12 +11,12 @@ Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://app.transifex.com/calamares/calamares/">Calamares translators team</a>. - + Спасибо <a href="https://calamares.io/team/">команде Calamares</a> и <a href="https://app.transifex.com/calamares/calamares/">команде переводчиков Calamares</a>. <a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + Разработка <a href="https://calamares.io/">Calamares</a> спонсируется компанией <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Управлять настройками авто-монтирования + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Главная загрузочная запись %1 Boot Partition + @info Загрузочный раздел System Partition + @info Системный раздел Do not install a boot loader + @label Не устанавливать загрузчик @@ -159,28 +164,28 @@ Debug Information @title - + Отладочная информация Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + %p% - + Set Up @label - + Настроить - + Install @label - Установка + Установить @@ -224,7 +229,7 @@ Running command %1… @status - + Выполнение команды %1… @@ -327,7 +332,7 @@ Boost.Python error in job "%1" @error - + Ошибка Boost.Python в задаче "%1". @@ -336,13 +341,13 @@ Loading… @status - + Загрузка... QML step <i>%1</i>. @label - + Шаг QML <i>%1</i>. @@ -374,11 +379,11 @@ (%n second(s)) @status - - - - - + + (%n секунда) + (%n секунды) + (%n секунд) + (%n секунд) @@ -445,13 +450,13 @@ Continue with Setup? @title - + Продолжить настройку? Continue with Installation? @title - + Продолжить установку? @@ -511,13 +516,13 @@ Cancel the setup process without changing the system. @tooltip - + Отменить процесс настройки без изменения системы. Cancel the installation process without changing the system. @tooltip - + Отменить процесс установки без изменения системы. @@ -547,13 +552,13 @@ Cancel Setup? @title - + Отменить настройку? Cancel Installation? @title - + Отменить установку? @@ -636,18 +641,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - Добавить метку файловой системы на %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Добавить метку файловой системы <strong>%1</strong> на раздел <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info Программе установки не удалось обновить таблицу разделов на диске '%1'. @@ -661,9 +675,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ручная разметка</strong><br/>Вы можете самостоятельно создавать разделы или изменять их размеры. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Выберите раздел для уменьшения, затем двигайте ползунок, изменяя размер</strong> + Select storage de&vice: + @label Выбрать устройство &хранения: @@ -672,56 +697,49 @@ The installer will quit and all changes will be lost. Current: + @label Текущий: After: + @label После: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ручная разметка</strong><br/>Вы можете самостоятельно создавать разделы или изменять их размеры. - - Reuse %1 as home partition for %2. - Использовать %1 как домашний раздел для %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Выберите раздел для уменьшения, затем двигайте ползунок, изменяя размер</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 будет уменьшен до %2 МиБ и новый раздел %3 МиБ будет создан для %4. - - - Boot loader location: - Расположение загрузчика: - <strong>Select a partition to install on</strong> + @label <strong>Выберите раздел для установки</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Не найдено системного раздела EFI. Пожалуйста, вернитесь назад и выполните ручную разметку %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Системный раздел EFI на %1 будет использован для запуска %2. EFI system partition: + @label Системный раздел EFI: @@ -776,38 +794,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info Этот накопитель данных имеет один из его разделов, <strong>который смонтирован</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Этот накопитель данных является частью <strong>неактивного устройства RAID</strong> . - No Swap - Без раздела подкачки + No swap + @label + - Reuse Swap - Использовать существующий раздел подкачки + Reuse swap + @label + Swap (no Hibernate) + @label Swap (без Гибернации) Swap (with Hibernate) + @label Swap (с Гибернацией) Swap to file + @label Файл подкачки + + + Bootloader location: + @label + + ClearMountsJob @@ -839,12 +870,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Освободить точки монтирования для выполнения разметки на %1 - Clearing mounts for partitioning operations on %1. - Освобождаются точки монтирования для выполнения разметки на %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -856,13 +889,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Освободить все временные точки монтирования. - - - Clearing all temporary mounts. - Освобождаются все временные точки монтирования. + Clearing all temporary mounts… + @status + @@ -898,12 +928,12 @@ The installer will quit and all changes will be lost. Network Installation. (Disabled: Internal error) - Сетевая установка. (Отключено: Внутренняя ошибка) + Сетевая установка. (Отключено: внутренняя ошибка) Network Installation. (Disabled: No package list) - Сетевая установка. (Отключено: Нет списка пакетов). + Сетевая установка. (Отключено: нет списка пакетов) @@ -1011,42 +1041,43 @@ The installer will quit and all changes will be lost. Успешно! - + Package Selection Выбор пакета - + Please pick a product from the list. The selected product will be installed. Пожалуйста, выберите продукт из списка. Выбранный продукт будет установлен. - + Packages Пакеты - + Install option: <strong>%1</strong> Опция установки: <strong>%1</strong> - + None Нет - + Summary + @label Сводка - + This is an overview of what will happen once you start the setup procedure. Это обзор изменений, которые будут применены при запуске процедуры установки. - + This is an overview of what will happen once you start the install procedure. Это обзор изменений, которые будут применены при запуске процедуры установки. @@ -1102,13 +1133,13 @@ The installer will quit and all changes will be lost. Keyboard model has been set to %1<br/>. @label, %1 is keyboard model, as in Apple Magic Keyboard - + Модель клавиатуры установлена ​​на %1<br/>. Keyboard layout has been set to %1/%2. @label, %1 is layout, %2 is layout variant - + Раскладка клавиатуры установлена ​​на %1/%2. @@ -1118,15 +1149,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Системным языком будет установлен %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Региональным форматом чисел и дат будет установлен %1. @@ -1203,31 +1234,37 @@ The installer will quit and all changes will be lost. En&crypt + @action &Шифровать Logical + @label Логический Primary + @label Основной GPT + @label GPT Mountpoint already in use. Please select another one. + @info Точка монтирования уже занята. Пожалуйста, выберете другую. Mountpoint must start with a <tt>/</tt>. + @info Точка монтирования должна начинаться с <tt>/</tt>. @@ -1235,43 +1272,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Создать раздел %1МиБ на %3 (%2) с записями %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Создать новый раздел %1МиБ на %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Создать новый раздел %2 МиБ на %4 (%3) с файловой системой %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Создать новый раздел <strong>%1 МиБ</strong> на <strong>%3</strong> (%2) с записями <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Создать новый раздел <strong>%1 МиБ</strong> на <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Создать новый раздел <strong>%2 МиБ</strong> на <strong>%4</strong> (%3) с файловой системой <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Создается новый %1 раздел на %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Программа установки не смогла создать раздел на диске '%1'. @@ -1307,18 +1352,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Создать новую таблицу разделов %1 на %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Создать новую таблицу разделов <strong>%1</strong> на <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Создается новая таблица разделов %1 на %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1335,29 +1378,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Создать учетную запись <strong>%1</strong>. - - - - Preserving home directory - Сохранение домашней папки + Create user <strong>%1</strong> + - Creating user %1 - Создание пользователя %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Настройка пользователя %1 - Setting file permissions - Установка прав доступа файла + Setting file permissions… + @status + @@ -1365,6 +1412,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Создать группу томов @@ -1372,18 +1420,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - Создать новую группу томов на накопителе %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Создать новую группу томов на накопителе %1. - - - - Creating new volume group named %1. - Создание новой группы томов на накопителе %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1396,13 +1442,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - Отключить группу томов на накопителе %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Отключить группу томов на накопителе <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1414,18 +1462,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Удалить раздел %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Удалить раздел <strong>%1</strong>. - - - - Deleting partition %1. - Удаляется раздел %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1487,13 +1533,13 @@ The installer will quit and all changes will be lost. Writing LUKS configuration for Dracut to %1… @status - + Запись конфигурации LUKS для Dracut в %1… Skipping writing LUKS configuration for Dracut: "/" partition is not encrypted @info - + Пропуск записи конфигурации LUKS для Dracut: раздел "/" не зашифрован @@ -1551,7 +1597,7 @@ The installer will quit and all changes will be lost. MiB - МиБ + МиБ @@ -1610,12 +1656,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Пожалуйста, введите один и тот же пароль в оба поля. - Password must be a minimum of %1 characters - Пароль должен содержать минимум %1 символов + Password must be a minimum of %1 characters. + @tooltip + @@ -1636,57 +1684,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Установить сведения о разделе Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Установить %1 на <strong>новый</strong> системный раздел %2 с функциями <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Установить %1 на <strong>новый</strong> системный раздел %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Настроить <strong>новый</strong> раздел %2 с точкой монтирования <strong>%1</strong> и функциями <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Настроить <strong>новый</strong> раздел %2 с точкой монтирования <strong>%1</strong> %3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Установить %2 на системный раздел %3 <strong>%1</strong> с функциями <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Настроить %3 раздел <strong>%1</strong> с точкой монтирования <strong>%2</strong> и функциями <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Настроить %3 раздел <strong>%1</strong> с точкой монтирования <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Установить %2 на %3 системный раздел <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Установить загрузчик на <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Настраиваются точки монтирования. + + Setting up mount points… + @status + @@ -1739,7 +1798,7 @@ The installer will quit and all changes will be lost. Finish @label - Завершение + Завершить @@ -1748,31 +1807,34 @@ The installer will quit and all changes will be lost. Finish @label - Завершение + Завершить FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Форматировать раздел %1 (файловая система: %2, размер: %3 МиБ) на %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Форматировать раздел <strong>%1</strong> размером <strong>%3MB</strong> с файловой системой <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Форматируется раздел %1 под файловую систему %2. + + Formatting partition %1 with file system %2… + @status + @@ -1795,17 +1857,17 @@ The installer will quit and all changes will be lost. There is not enough drive space. At least %1 GiB is required. - Недостаточно накопительного места. Необходимо как малость %1 ГБ. + Недостаточно места на диске. Требуется не менее %1 ГиБ. has at least %1 GiB working memory - доступно как малость %1 ГБ оперативной памяти + имеет как минимум %1 ГиБ оперативной памяти The system does not have enough working memory. At least %1 GiB is required. - Недостаточно оперативной памяти. Необходимо как малость %1 ГБ. + В системе недостаточно оперативной памяти. Требуется не менее %1 ГиБ. @@ -1820,12 +1882,12 @@ The installer will quit and all changes will be lost. is connected to the Internet - Подключён к сети + подключен к Интернету The system is not connected to the Internet. - Не подключён к сети. + Система не подключена к Интернету. @@ -1906,7 +1968,7 @@ The installer will quit and all changes will be lost. The snark has not been checked three times. The (some mythological beast) has not been checked three times. - + Снарк не проверялся три раза. @@ -1915,7 +1977,7 @@ The installer will quit and all changes will be lost. Collecting information about your machine… @status - + Сбор информации о вашем устройстве… @@ -1950,7 +2012,7 @@ The installer will quit and all changes will be lost. Creating initramfs with mkinitcpio… @status - + Создание initramfs с помощью mkinitcpio… @@ -1959,7 +2021,7 @@ The installer will quit and all changes will be lost. Creating initramfs… @status - + Создание initramfs… @@ -1968,7 +2030,7 @@ The installer will quit and all changes will be lost. Konsole not installed. @error - + Консоль не установлена. @@ -1989,7 +2051,7 @@ The installer will quit and all changes will be lost. Script @label - + Сценарий @@ -2016,7 +2078,7 @@ The installer will quit and all changes will be lost. System Locale Setting @title - + Настройка языкового стандарта системы @@ -2169,7 +2231,7 @@ The installer will quit and all changes will be lost. Hide the license text @tooltip - + Скрыть текст лицензии @@ -2181,7 +2243,7 @@ The installer will quit and all changes will be lost. Open the license agreement in browser @tooltip - + Открыть лицензионное соглашение в браузере @@ -2203,7 +2265,7 @@ The installer will quit and all changes will be lost. &Change… @button - + И&зменить... @@ -2220,7 +2282,7 @@ The installer will quit and all changes will be lost. Quit - Выход + Выйти @@ -2265,20 +2327,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Генерация идентификатора устройства - + Configuration Error Ошибка конфигурации - + No root mount point is set for MachineId. Для идентификатора машины не задана корневая точка монтирования. + + + + + + File not found + Файл не найден + + + + Path <pre>%1</pre> must be an absolute path. + Путь <pre>%1</pre> должен быть абсолютным путём. + + + + Could not create new random file <pre>%1</pre>. + Не удалось создать новый случайный файл <pre>%1</pre>. + Map @@ -2483,7 +2563,7 @@ The installer will quit and all changes will be lost. Select your preferred zone within your region @label - + Выберите предпочтительную зону в своем регионе @@ -2518,7 +2598,7 @@ The installer will quit and all changes will be lost. Select your preferred zone within your region @label - + Выберите предпочтительную зону в своем регионе @@ -2608,11 +2688,11 @@ The installer will quit and all changes will be lost. The password contains fewer than %n lowercase letters - - - - - + + Пароль содержит менее %n строчной буквы. + Пароль содержит менее %n строчных букв. + Пароль содержит менее %n строчных букв. + Пароль содержит менее %n строчных букв. @@ -2820,11 +2900,6 @@ The installer will quit and all changes will be lost. Unknown error Неизвестная ошибка - - - Password is empty - Пустой пароль - PackageChooserPage @@ -2872,7 +2947,7 @@ The installer will quit and all changes will be lost. Keyboard model: - + Модель клавиатуры: @@ -2881,8 +2956,9 @@ The installer will quit and all changes will be lost. - Keyboard switch: - + Switch Keyboard: + shortcut for switching between keyboard layouts + Переключить раскладку клавиатуры: @@ -2987,31 +3063,37 @@ The installer will quit and all changes will be lost. Home + @label Home Boot + @label Boot EFI system + @label Системный раздел EFI Swap + @label Swap New partition for %1 + @label Новый раздел для %1 New partition + @label Новый раздел @@ -3027,37 +3109,44 @@ The installer will quit and all changes will be lost. Free Space + @title Доступное место - New partition - Новый раздел + New Partition + @title + Name + @title Имя File System + @title Файловая система File System Label + @title Метка файловой системы Mount Point + @title Точка монтирования Size + @title Размер @@ -3136,16 +3225,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Сбор информации о системе... - - - - Partitions - Разделы - Unsafe partition actions are enabled. @@ -3161,16 +3240,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. Никакие разделы не будут изменены. - - - Current: - Текущий: - - - - After: - После: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3222,6 +3291,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. В файловой системе должен быть установлен флаг <strong>%1</strong>. + + + Gathering system information… + @status + + + + + Partitions + @label + Разделы + + + + Current: + @label + Текущий: + + + + After: + @label + После: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3267,7 +3360,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3295,6 +3389,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Внешний вид @@ -3302,8 +3397,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Сохраняю файлы на потом... + Saving files for later… + @status + @@ -3399,26 +3495,12 @@ Output: По умолчанию - - - - - File not found - Файл не найден - - - - Path <pre>%1</pre> must be an absolute path. - Путь <pre>%1</pre> должен быть абсолютным путём. - - - + Directory not found - Папка не найдена + Папка не найдена - - + Could not create new random file <pre>%1</pre>. Не удалось создать новый случайный файл <pre>%1</pre>. @@ -3437,11 +3519,6 @@ Output: (no mount point) (без точки монтирования) - - - Unpartitioned space or unknown partition table - Неразмеченное место или неизвестная таблица разделов - unknown @@ -3466,6 +3543,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Неразмеченное место или неизвестная таблица разделов + Recommended @@ -3473,15 +3556,17 @@ Output: <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - <p>Этот компьютер соответствует не всем желательным требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны.</p> + <p>Этот компьютер соответствует не всем желательным требованиям для установки %1.<br/> +Можно продолжить установку, но некоторые возможности могут быть недоступны.</p> RemoveUserJob - Remove live user from target system - Удалить пользователя живой системы из целевой системы + Removing live user from the target system… + @status + @@ -3489,13 +3574,15 @@ Output: - Remove Volume Group named %1. - Удалить группу томов на накопителе %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Удалить группу томов на накопителе <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3525,7 +3612,7 @@ Output: Performing file system resize… @status - + Выполнение изменения размера файловой системы… @@ -3543,19 +3630,19 @@ Output: KPMCore not available @error - + KPMCore недоступен Calamares cannot start KPMCore for the file system resize job. @error - + Calamares не может запустить KPMCore для задания изменения размера файловой системы. Resize failed. @error - + Изменить размер не удалось. @@ -3608,22 +3695,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Изменить размер раздела %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Изменить размер <strong>%2MB</strong> раздела <strong>%1</strong> на <strong>%3MB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Изменение размера раздела %1 с %2 МиБ на %3 МиБ. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Программе установки не удалось изменить размер раздела %1 на диске '%2'. @@ -3633,6 +3723,7 @@ Output: Resize Volume Group + @title Изменить размер группы томов @@ -3640,17 +3731,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Измените размер группы томов под именем %1 с %2 на %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Изменить размер группы томов под именем <strong>%1</strong> с <strong>%2</strong> на <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Установщику не удалось изменить размер группы томов под именем '%1'. @@ -3667,13 +3765,15 @@ Output: ScanningDialog - Scanning storage devices... - Сканируются устройства хранения... + Scanning storage devices… + @status + - Partitioning - Разметка + Partitioning… + @status + @@ -3690,8 +3790,9 @@ Output: - Setting hostname %1. - Задаю имя компьютера в сети для %1. + Setting hostname %1… + @status + @@ -3712,7 +3813,7 @@ Output: Setting keyboard model to %1, layout as %2-%3… @status, %1 model, %2 layout, %3 variant - + Установить модель клавиатуры на %1, раскладку на %2-%3... @@ -3755,81 +3856,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Установить флаги на разделе %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Установить флаги %1MiB раздела %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Установите флаги на новый раздел. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Очистить флаги раздела <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Снять флаги %1MiB раздела <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Сбросить флаги нового раздела. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Отметить раздел <strong>%1</strong> флагом как <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Отметить %1MB раздел <strong>%2</strong> флагом как <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Отметить новый раздел флагом как <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Очистка флагов раздела <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Снятие флагов %1MiB раздела <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Сброс флагов нового раздела. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Установка флагов <strong>%2</strong> на раздел <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Установка флагов <strong>%3</strong> %1MiB раздела <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Установка флагов <strong>%1</strong> нового раздела. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Установщик не смог установить флаги на раздел %1. @@ -3843,32 +3959,33 @@ Output: - Setting password for user %1. - Устанавливаю пароль для учетной записи %1. + Setting password for user %1… + @status + - + Bad destination system path. Неверный путь целевой системы. - + rootMountPoint is %1 Точка монтирования корневого раздела %1 - + Cannot disable root account. Невозможно отключить корневую учётную запись. - + Cannot set password for user %1. Не удалось задать пароль для пользователя %1. - - + + usermod terminated with error code %1. Команда usermod завершилась с кодом ошибки %1. @@ -3879,7 +3996,7 @@ Output: Setting timezone to %1/%2… @status - + Установка часового пояса %1/%2… @@ -3917,8 +4034,9 @@ Output: SetupGroupsJob - Preparing groups. - Подготовка групп. + Preparing groups… + @status + @@ -3936,8 +4054,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Настройка пользователей <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3954,8 +4073,9 @@ Output: ShellProcessJob - Shell Processes Job - Работа с контекстными процессами + Running shell processes… + @status + @@ -4004,8 +4124,9 @@ Output: - Sending installation feedback. - Отправка отчёта об установке. + Sending installation feedback… + @status + @@ -4027,8 +4148,9 @@ Output: - Configuring KDE user feedback. - Настройка обратной связи KDE. + Configuring KDE user feedback… + @status + @@ -4056,8 +4178,9 @@ Output: - Configuring machine feedback. - Настройка обратной связи компьютера. + Configuring machine feedback… + @status + @@ -4119,6 +4242,7 @@ Output: Feedback + @title Отзывы @@ -4126,8 +4250,9 @@ Output: UmountJob - Unmount file systems. - Отсоединение файловой системы. + Unmounting file systems… + @status + @@ -4285,21 +4410,22 @@ Output: &Release notes &Примечания к выпуску - - - %1 support - %1 поддержка - About %1 Setup @title - + О настройке %1 About %1 Installer @title + О программе установки %1 + + + + %1 Support + @action @@ -4308,6 +4434,7 @@ Output: Welcome + @title Добро пожаловать @@ -4316,6 +4443,7 @@ Output: Welcome + @title Добро пожаловать @@ -4323,8 +4451,9 @@ Output: ZfsJob - Create ZFS pools and datasets - Создать пулы и наборы данных ZFS + Creating ZFS pools and datasets… + @status + @@ -4502,7 +4631,7 @@ Output: Select a layout to activate keyboard preview @label - + Выберите раскладку, чтобы активировать предпросмотр клавиатуры @@ -4514,7 +4643,7 @@ Output: Layout @label - + Раскладка @@ -4535,7 +4664,7 @@ Output: Select a layout to activate keyboard preview @label - + Выберите раскладку, чтобы активировать предпросмотр клавиатуры @@ -4547,7 +4676,7 @@ Output: Layout @label - + Раскладка @@ -4745,21 +4874,11 @@ Output: What is your name? Как Вас зовут? - - - Your Full Name - Ваше полное имя - What name do you want to use to log in? Какое имя Вы хотите использовать для входа? - - - Login Name - Имя пользователя - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4780,11 +4899,6 @@ Output: What is the name of this computer? Какое имя у компьютера? - - - Computer Name - Имя компьютера - This name will be used if you make the computer visible to others on a network. @@ -4805,16 +4919,21 @@ Output: Password Пароль - - - Repeat Password - Повторите пароль - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Введите один и тот же пароль дважды, для проверки на ошибки. Хороший пароль должен состоять из сочетания букв, цифр и знаков препинания; должен иметь длину от 8 знаков и иногда изменяться. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4830,11 +4949,31 @@ Output: Log in automatically without asking for the password Входить автоматически, не спрашивая пароль + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Можно использовать только латинские буквы, цифры, символы подчёркивания и дефисы; не менее двух символов. + + + Repeat password + + Reuse user password as root password @@ -4850,16 +4989,6 @@ Output: Choose a root password to keep your account safe. Выберите пароль корневого пользователя для защиты своей учётной записи. - - - Root Password - Пароль корневого пользователя - - - - Repeat Root Password - Повторите пароль корневого пользователя - Enter the same password twice, so that it can be checked for typing errors. @@ -4878,21 +5007,11 @@ Output: What is your name? Как Вас зовут? - - - Your Full Name - Ваше полное имя - What name do you want to use to log in? Какое имя Вы хотите использовать для входа? - - - Login Name - Имя пользователя - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4913,10 +5032,20 @@ Output: What is the name of this computer? Какое имя у компьютера? + + + Your full name + + + + + Login name + + - Computer Name - Имя компьютера + Computer name + @@ -4945,8 +5074,18 @@ Output: - Repeat Password - Повторите пароль + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4968,16 +5107,6 @@ Output: Choose a root password to keep your account safe. Выберите пароль корневого пользователя для защиты своей учётной записи. - - - Root Password - Пароль корневого пользователя - - - - Repeat Root Password - Повторите пароль корневого пользователя - Enter the same password twice, so that it can be checked for typing errors. @@ -5015,13 +5144,13 @@ Output: - Known issues - Известные неполадки + Known Issues + - Release notes - Примечания к выпуску + Release Notes + @@ -5045,13 +5174,13 @@ Output: - Known issues - Известные неполадки + Known Issues + - Release notes - Примечания к выпуску + Release Notes + diff --git a/lang/calamares_si.ts b/lang/calamares_si.ts index f5468ff716..469aee4573 100644 --- a/lang/calamares_si.ts +++ b/lang/calamares_si.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - ස්වයංක්‍රීය සවිකිරීම් සැකසීම් කළමනාකරණය කරන්න + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 හි ප්‍රධාන ඇරඹුම් වාර්තාව Boot Partition + @info ඇරඹුම් කොටස System Partition + @info පද්ධති කොටස Do not install a boot loader + @label ඇරඹුම් කාරකයක් ස්ථාපනය නොකරන්න @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ස්ථාපනය @@ -633,18 +638,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - ගොනු පද්ධති ලේබලය %1 මත සකසන්න. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - ගොනු පද්ධති ලේබලය <strong>%1</strong> කොටස <strong>%2</strong> ලෙස සකසන්න. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info ස්ථාපකය '%1' තැටියේ කොටස් වගුව යාවත්කාලීන කිරීමට අසමත් විය. @@ -658,9 +672,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>අතින් කොටස් කිරීම</strong> <br/>ඔබට අවශ්‍ය අකාරයට කොටස් සෑදීමට හෝ ප්‍රමාණය වෙනස් කිරීමට හැකිය. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ප්‍රමාණය අඩුකිරීමට කොටසක් තෝරන්න, පසුව ප්‍රමාණය වෙනස් කිරීමට පහළ තීරුව අදින්න</strong> + Select storage de&vice: + @label ගබඩා උපාංගය තෝරන්න: @@ -669,56 +694,49 @@ The installer will quit and all changes will be lost. Current: + @label වත්මන්: After: + @label පසු: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>අතින් කොටස් කිරීම</strong> <br/>ඔබට අවශ්‍ය අකාරයට කොටස් සෑදීමට හෝ ප්‍රමාණය වෙනස් කිරීමට හැකිය. - - Reuse %1 as home partition for %2. - %2 සඳහා නිවෙස් කොටස ලෙස %1 නැවත භාවිත කරන්න. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ප්‍රමාණය අඩුකිරීමට කොටසක් තෝරන්න, පසුව ප්‍රමාණය වෙනස් කිරීමට පහළ තීරුව අදින්න</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 %2MiB දක්වා ප්‍රමාණය අඩුකරනු ඇති අතර %4 සඳහා නව %3MiB කොටසක් සාදනු ඇත. - - - Boot loader location: - ඇරඹුම් කාරක ස්ථානය: - <strong>Select a partition to install on</strong> + @label <strong>ස්ථාපනය කිරීමට කොටසක් තෝරන්න</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name EFI පද්ධති කොටසක් මෙම පද්ධතියේ කොතැනකවත් සොයාගත නොහැක. කරුණාකර ආපසු ගොස් %1 පිහිටුවීමට අතින් කොටස් කිරීම භාවිතා කරන්න. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %2 ආරම්භ කිරීම සඳහා %1 හි EFI පද්ධති කොටස භාවිතා කරනු ඇත. EFI system partition: + @label EFI පද්ධති කොටස: @@ -773,38 +791,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info මෙම ගබඩා උපාංගය, එහි එක් කොටසක් <strong>සවි කර ඇත</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info මෙම ගබඩා උපාංගය <strong>අක්‍රිය RAID</strong> උපාංගයක කොටසකි. - No Swap - Swap නොමැතිව + No swap + @label + - Reuse Swap - Swap නැවත භාවිතා කරන්න + Reuse swap + @label + Swap (no Hibernate) + @label Swap (හයිබර්නේට් නොමැතිව) Swap (with Hibernate) + @label Swap (හයිබර්නේට් සහිතව) Swap to file + @label Swap ගොනුව + + + Bootloader location: + @label + + ClearMountsJob @@ -836,12 +867,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title කොටස් කිරීම සදහා %1 තැටි හිස් කරනු ලැබේ - Clearing mounts for partitioning operations on %1. - කොටස් කිරීම සදහා %1 සවි කිරීම් හිස් කරනු ලැබේ + Clearing mounts for partitioning operations on %1… + @status + @@ -853,13 +886,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - සියලුම තාවකාලික සවි කිරීම් ඉවත් කරන්න. - - - Clearing all temporary mounts. - සියලුම තාවකාලික තැටි ඉවත් කරමින් පවතී. + Clearing all temporary mounts… + @status + @@ -1008,42 +1038,43 @@ The installer will quit and all changes will be lost. හරි! - + Package Selection පැකේජ තේරීම - + Please pick a product from the list. The selected product will be installed. කරුණාකර ලැයිස්තුවෙන් නිෂ්පාදනයක් තෝරන්න. තෝරාගත් නිෂ්පාදනය ස්ථාපනය කෙරේ. - + Packages පැකේජ - + Install option: <strong>%1</strong> ස්ථාපන විකල්පය: <strong>%1</strong> - + None කිසිවක් නැත - + Summary + @label සාරාංශය - + This is an overview of what will happen once you start the setup procedure. මෙය ඔබ සැකසුම් ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. - + This is an overview of what will happen once you start the install procedure. මෙය ඔබ ස්ථාපන ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. @@ -1115,15 +1146,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + පද්ධති භාෂාව %1 ලෙස සැකසෙනු ඇත. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + අංක සහ දින පෙදෙසිය %1 ලෙස සකසනු ඇත. @@ -1200,31 +1231,37 @@ The installer will quit and all changes will be lost. En&crypt + @action සංකේතනය කරන්න (&C) Logical + @label තාර්කික Primary + @label ප්‍රධාන GPT + @label GPT Mountpoint already in use. Please select another one. + @info සවිකිරීම දැනටමත් භාවිතයේ ඇත. කරුණාකර වෙනත් එකක් තෝරන්න. Mountpoint must start with a <tt>/</tt>. + @info මවුන්ට්පොයින්ට් එක <tt>/ </tt>සමඟ ආරම්භ විය යුතුය. @@ -1232,43 +1269,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - %4 ඇතුළත් කිරීම් සමඟ %3 (%2) මත නව %1MiB කොටසක් සාදන්න. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - %3 (%2) මත නව %1MiB කොටසක් සාදන්න. + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - %1 ගොනු පද්ධතිය සමඟ %4 (%3) මත නව %2MiB කොටසක් සාදන්න. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - <strong>%4</strong> ඇතුළත් කිරීම් සමඟ <strong>%3</strong> (%2) මත නව <strong>%1MiB</strong> කොටසක් සාදන්න. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - <strong>%3</strong> (%2) මත නව <strong>%1MiB</strong> කොටසක් සාදන්න. + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%1</strong> ගොනු පද්ධතිය සමඟ <strong>%4</strong> (%3) මත නව <strong>%2MiB</strong> කොටසක් සාදන්න. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - %2 මත නව %1 කොටස නිර්මාණය කරමින් පවතී. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info ස්ථාපකය '%1' තැටියේ කොටසක් සෑදීමට අසමත් විය. @@ -1304,18 +1349,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - %2 මත නව %1 කොටස් වගුවක් සාදන්න. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - %2 (%3) මත නව %1 කොටස් වගුවක් සාදන්න. - - - - Creating new %1 partition table on %2. - %2 මත නව% 1 කොටස් වගුවක් නිර්මාණය කිරීම. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1332,29 +1375,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - <strong>%1</strong> පරිශීලක සාදන්න. - - - - Preserving home directory - හොම් ෆෝල්ඩරය සංරක්ෂණය කිරීම + Create user <strong>%1</strong> + - Creating user %1 - %1 පරිශීලක සෑදෙමින් + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status %1 පරිශීලක වින්‍යාසගත වෙමින් - Setting file permissions - ගොනු අවසර සැකසීම + Setting file permissions… + @status + @@ -1362,6 +1409,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title වෙළුම් කණ්ඩායමක් සාදන්න @@ -1369,18 +1417,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - %1 නමින් නව වෙළුම් කණ්ඩායමක් සාදන්න. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> නමින් නව වෙළුම් කණ්ඩායමක් සාදන්න. - - - - Creating new volume group named %1. - %1 නමින් නව වෙළුම් කණ්ඩායමක් නිර්මාණය කිරීම. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1393,13 +1439,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - %1 නම් වෙළුම් කණ්ඩායම අක්‍රිය කරන්න. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> නම් වෙළුම් කණ්ඩායම අක්‍රිය කරන්න. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1411,18 +1459,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - %1 කොටස මකන්න. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - <strong>%1</strong> කොටස මකන්න. - - - - Deleting partition %1. - %1 කොටස මකා දමමින්. + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip කරුණාකර කොටු දෙකෙහිම එකම මුර-වැකිකඩ ඇතුලත් කරන්න. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ The installer will quit and all changes will be lost. Set partition information + @title කොටස් තොරතුරු සකසන්න Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info <strong>%3</strong> විශේෂාංග සහිත <strong>නව</strong> %2 පද්ධති කොටසේ %1 ස්ථාපනය කරන්න - - Install %1 on <strong>new</strong> %2 system partition. - <strong>නව</strong> %2 පද්ධති කොටසෙහි %1 ස්ථාපනය කරන්න. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>නව</strong> %2 කොටස සවිකිරීමේ ලක්ෂ්‍යය <strong>%1</strong> සහ විශේෂාංග <strong>%3</strong> සමඟ සකසන්න + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>නව</strong> %2 කොටස සවිකිරීමේ ලක්ෂ්‍යය <strong>%1</strong>%3 සමඟ සකසන්න. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - <strong>%4</strong> විශේෂාංග සහිත %3 පද්ධති කොටස <strong>%1</strong> මත %2 ස්ථාපනය කරන්න. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - %3 කොටස සකසන්න <strong>%1</strong> සවිකිරීමේ ලක්ෂ්‍යය <strong>%2</strong> සහ විශේෂාංග <strong>%4</strong> සමඟින්. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - %3 කොටස <strong>%1</strong> සවිකිරීමේ ලක්ෂ්‍යය <strong>%2</strong>%4 සමඟ සකසන්න. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - %3 පද්ධති කොටස <strong>%1</strong> මත %2 ස්ථාපනය කරන්න. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - <strong>%1</strong> මත ඇරඹුම් කාරකය ස්ථාපනය කරන්න. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - සවි කිරීම් ස්ථාන සැකසීම. + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 මත කොටස %1 (ගොනු පද්ධතිය: %2, ප්‍රමාණය: %3 MiB) ආකෘතිකරණය කරන්න. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%3MiB</strong> කොටස <strong>%1</strong> ගොනු පද්ධතිය <strong>%2</strong> සමඟ ආකෘති කරන්න. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %2 ගොනු පද්ධතිය සමඟ %1 කොටස හැඩතල ගැන්වීම. + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. යන්ත්‍ර හැඳුනුම්පත ජනනය කරන්න. - + Configuration Error වින්‍යාස දෝෂය - + No root mount point is set for MachineId. MachineId සඳහා root mount point එකක් සකසා නැත. + + + + + + File not found + ගොනුව හමු නොවිණි + + + + Path <pre>%1</pre> must be an absolute path. + මාර්ගය <pre>%1</pre> නිරපේක්ෂ මාර්ගයක් විය යුතුය. + + + + Could not create new random file <pre>%1</pre>. + නව අහඹු <pre>%1</pre> ගොනුවක් තැනීමට නොහැකි විය. + Map @@ -2803,11 +2883,6 @@ The installer will quit and all changes will be lost. Unknown error නොදන්නා දෝෂයකි - - - Password is empty - මුරපදය හිස් ය - PackageChooserPage @@ -2864,7 +2939,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2970,31 +3046,37 @@ The installer will quit and all changes will be lost. Home + @label හෝම් Boot + @label බූට් EFI system + @label EFI පද්ධතිය Swap + @label ස්වප් New partition for %1 + @label %1 සඳහා නව කොටස New partition + @label නව කොටස @@ -3010,37 +3092,44 @@ The installer will quit and all changes will be lost. Free Space + @title නිදහස් ඉඩ - New partition - නව කොටස + New Partition + @title + Name + @title නම File System + @title ගොනු පද්ධතිය File System Label + @title ගොනු පද්ධති ලේබලය Mount Point + @title මවුන්ට් පොයින්ට් Size + @title ප්‍රමානය @@ -3119,16 +3208,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - පද්ධති තොරතුරු රැස් කරමින් පවතී... - - - - Partitions - කොටස් - Unsafe partition actions are enabled. @@ -3144,16 +3223,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - වත්මන්: - - - - After: - පසු: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3205,6 +3274,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. ගොනු පද්ධතියට ධජය <strong>%1</strong> කට්ටලයක් තිබිය යුතුය. + + + Gathering system information… + @status + + + + + Partitions + @label + කොටස් + + + + Current: + @label + වත්මන්: + + + + After: + @label + පසු: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3250,8 +3343,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - ප්ලාස්මා පෙනුම සහ හැඟීම රැකියාව + Applying Plasma Look-and-Feel… + @status + @@ -3278,6 +3372,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label බලන්න සහ දැනෙන්න @@ -3285,8 +3380,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - පසු බාවිතට ගොනු සුරකමින් ... + Saving files for later… + @status + @@ -3382,26 +3478,12 @@ Output: පෙරනිමිය - - - - - File not found - ගොනුව හමු නොවිණි - - - - Path <pre>%1</pre> must be an absolute path. - මාර්ගය <pre>%1</pre> නිරපේක්ෂ මාර්ගයක් විය යුතුය. - - - + Directory not found නාමාවලිය හමු නොවීය - - + Could not create new random file <pre>%1</pre>. නව අහඹු <pre>%1</pre> ගොනුවක් තැනීමට නොහැකි විය. @@ -3420,11 +3502,6 @@ Output: (no mount point) (සවිකිරීම් ස්ථානයක් නොමැත) - - - Unpartitioned space or unknown partition table - කොටස් නොකළ ඉඩ හෝ නොදන්නා කොටස් වගුව - unknown @@ -3449,6 +3526,12 @@ Output: @partition info ස්වප් + + + Unpartitioned space or unknown partition table + @info + කොටස් නොකළ ඉඩ හෝ නොදන්නා කොටස් වගුව + Recommended @@ -3464,8 +3547,9 @@ Output: RemoveUserJob - Remove live user from target system - ඉලක්ක පද්ධතියෙන් සජීවී පරිශීලකයා ඉවත් කරන්න + Removing live user from the target system… + @status + @@ -3473,13 +3557,15 @@ Output: - Remove Volume Group named %1. - %1 නම් වූ වෙළුම් සමූහය ඉවත් කරන්න. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> නම් වූ වෙළුම් සමූහය ඉවත් කරන්න. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3593,22 +3679,25 @@ Output: ResizePartitionJob - - Resize partition %1. - %1 කොටස ප්‍රතිප්‍රමාණ කරන්න. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2MiB</strong> කොටස <strong>%1</strong> සිට <strong>%3MiB</strong> දක්වා ප්‍රමාණය වෙනස් කරන්න. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - %2MiB කොටස %1 සිට %3MiB දක්වා ප්‍රමාණය වෙනස් කිරීම. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. '%2' තැටියේ %1 කොටස ප්‍රතිප්‍රමාණ කිරීමට ස්ථාපකය අසමත් විය. @@ -3618,6 +3707,7 @@ Output: Resize Volume Group + @title වෙළුම් සමූහය ප්‍රතිප්‍රමාණ කරන්න @@ -3625,17 +3715,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - %2 සිට %3 දක්වා %1 ලෙස නම් කරන ලද වෙළුම් සමූහය ප්‍රතිප්‍රමාණ කරන්න. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%2</strong> සිට <strong>%3</strong> දක්වා <strong>%1</strong> ලෙස නම් කරන ලද වෙළුම් සමූහය ප්‍රතිප්‍රමාණ කරන්න. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. ස්ථාපකය '%1' නම් වූ වෙළුම් සමූහයක් ප්‍රතිප්‍රමාණ කිරීමට අසමත් විය. @@ -3652,13 +3749,15 @@ Output: ScanningDialog - Scanning storage devices... - ගබඩා උපාංග පරිලෝකනය කරමින්... + Scanning storage devices… + @status + - Partitioning - කොටස් කරමින් + Partitioning… + @status + @@ -3675,8 +3774,9 @@ Output: - Setting hostname %1. - සත්කාරක නාමය %1 සැකසීම. + Setting hostname %1… + @status + @@ -3740,81 +3840,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 කොටසේ කොඩි සකසන්න. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - %1MiB %2 කොටස මත කොඩි සකසන්න. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - නව කොටසේ කොඩි සකසන්න. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - %1 කොටසේ කොඩි හිස් කරන්න. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - %1MiB %2 කොටසේ කොඩි හිස් කරන්න. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - නව කොටසේ කොඩි ඉවත් කරන්න. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - %1 කොටස %2 ලෙස සලකුණු කරන්න. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1MiB <strong>%2</strong> කොටස <strong>%3</strong> ලෙස සලකුණු කරන්න. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - නව කොටස <strong>%1</strong> ලෙස සලකුණු කරන්න. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - %1 කොටසේ කොඩි ඉවත් කිරීම. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> කොටසේ කොඩි ඉවත් කිරීම. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - නව කොටසේ කොඩි ඉවත් කිරීම. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%1</strong> කොටස මත කොඩි <strong>%2</strong> සැකසීම. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1MiB <strong>%2</strong> කොටස මත කොඩි <strong>%3</strong> සැකසීම. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - නව කොටසෙහි කොඩි <strong>%1</strong> සැකසීම. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. ස්ථාපකය %1 කොටසෙහි කොඩි සැකසීමට අසමත් විය. @@ -3828,32 +3943,33 @@ Output: - Setting password for user %1. - පරිශීලක %1 සඳහා මුරපදය සැකසීම. + Setting password for user %1… + @status + - + Bad destination system path. නරක ගමනාන්ත පද්ධති මාර්ගය. - + rootMountPoint is %1 මූලමවුන්ට්පොයින්ට් % 1 වේ - + Cannot disable root account. මූල ගිණුම අක්‍රිය කළ නොහැක. - + Cannot set password for user %1. පරිශීලක %1 සඳහා මුරපදය සැකසිය නොහැක. - - + + usermod terminated with error code %1. පරිශීලක මොඩ් දෝෂ කේතය % 1 සමඟ අවසන් කරන ලදී. @@ -3902,8 +4018,9 @@ Output: SetupGroupsJob - Preparing groups. - කණ්ඩායම් සූදානම් කිරීම. + Preparing groups… + @status + @@ -3921,8 +4038,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <strong>sudo</strong> භාවිතා කරන්නන් වින්‍යාස කරන්න. + Configuring <pre>sudo</pre> users… + @status + @@ -3939,8 +4057,9 @@ Output: ShellProcessJob - Shell Processes Job - ෂෙල් ක්රියාවලීන් + Running shell processes… + @status + @@ -3989,8 +4108,9 @@ Output: - Sending installation feedback. - ස්ථාපන ප්‍රතිපෝෂණ යැවීම. + Sending installation feedback… + @status + @@ -4012,8 +4132,9 @@ Output: - Configuring KDE user feedback. - KDE පරිශීලක ප්‍රතිපෝෂණ වින්‍යාස කිරීම. + Configuring KDE user feedback… + @status + @@ -4041,8 +4162,9 @@ Output: - Configuring machine feedback. - යන්ත්‍ර ප්‍රතිපෝෂණ වින්‍යාස කිරීම. + Configuring machine feedback… + @status + @@ -4104,6 +4226,7 @@ Output: Feedback + @title ප්‍රතිපෝෂණ @@ -4111,8 +4234,9 @@ Output: UmountJob - Unmount file systems. - ගොනු පද්ධති ඉවත් කරන්න. + Unmounting file systems… + @status + @@ -4270,11 +4394,6 @@ Output: &Release notes නිකුත් කිරීමේ සටහන් (&R) - - - %1 support - %1 සහාය - About %1 Setup @@ -4287,12 +4406,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title සාදරයෙන් පිළිගනිමු @@ -4301,6 +4427,7 @@ Output: Welcome + @title සාදරයෙන් පිළිගනිමු @@ -4308,8 +4435,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS සංචිත සහ දත්ත කට්ටල සාදන්න + Creating ZFS pools and datasets… + @status + @@ -4752,21 +4880,11 @@ Output: What is your name? ඔබගේ නම කුමක් ද? - - - Your Full Name - ඔබේ සම්පුර්ණ නම - What name do you want to use to log in? ඔබට පුරනය වීමට භාවිතා කිරීමට අවශ්‍ය නම කුමක්ද? - - - Login Name - ලොගින් නම - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4787,11 +4905,6 @@ Output: What is the name of this computer? මෙම පරිගණකයේ නම කුමක්ද? - - - Computer Name - පරිගණක නම - This name will be used if you make the computer visible to others on a network. @@ -4812,16 +4925,21 @@ Output: Password රහස් පදය - - - Repeat Password - මුරපදය නැවත ඇතුල් කරන්න - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. එකම මුරපදය දෙවරක් ඇතුල් කරන්න, එවිට එය ටයිප් කිරීමේ දෝෂ සඳහා පරීක්ෂා කළ හැක. හොඳ මුරපදයක අකුරු, ඉලක්කම් සහ විරාම ලකුණු මිශ්‍රණයක් අඩංගු වන අතර, අවම වශයෙන් අක්ෂර අටක්වත් දිග විය යුතු අතර නියමිත කාල පරාසයන්හිදී වෙනස් කළ යුතුය. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4837,11 +4955,31 @@ Output: Log in automatically without asking for the password මුරපදය ඉල්ලන්නේ නැතිව ස්වයංක්‍රීයව ලොග් වන්න + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. අකුරු, ඉලක්කම්, යටි ඉරි සහ යටි ඉරි පමණක් ඉඩ දෙනු ලැබේ, අවම වශයෙන් අක්ෂර දෙකක්. + + + Repeat password + + Reuse user password as root password @@ -4857,16 +4995,6 @@ Output: Choose a root password to keep your account safe. ඔබගේ ගිණුම ආරක්ෂිතව තබා ගැනීමට root මුරපදයක් තෝරන්න. - - - Root Password - Root මුරපදය - - - - Repeat Root Password - Root මුරපදය නැවත ඇතුල් කරන්න - Enter the same password twice, so that it can be checked for typing errors. @@ -4885,21 +5013,11 @@ Output: What is your name? ඔබගේ නම කුමක් ද? - - - Your Full Name - ඔබේ සම්පුර්ණ නම - What name do you want to use to log in? ඔබට පුරනය වීමට භාවිතා කිරීමට අවශ්‍ය නම කුමක්ද? - - - Login Name - ලොගින් නම - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,10 +5038,20 @@ Output: What is the name of this computer? මෙම පරිගණකයේ නම කුමක්ද? + + + Your full name + + + + + Login name + + - Computer Name - පරිගණක නම + Computer name + @@ -4952,8 +5080,18 @@ Output: - Repeat Password - මුරපදය නැවත ඇතුල් කරන්න + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4975,16 +5113,6 @@ Output: Choose a root password to keep your account safe. ඔබගේ ගිණුම ආරක්ෂිතව තබා ගැනීමට root මුරපදයක් තෝරන්න. - - - Root Password - Root මුරපදය - - - - Repeat Root Password - Root මුරපදය නැවත ඇතුල් කරන්න - Enter the same password twice, so that it can be checked for typing errors. @@ -5022,13 +5150,13 @@ Output: - Known issues - දන්නා ගැටළු + Known Issues + - Release notes - නිකුත් කිරීමේ සටහන් + Release Notes + @@ -5052,13 +5180,13 @@ Output: - Known issues - දන්නා ගැටළු + Known Issues + - Release notes - නිකුත් කිරීමේ සටහන් + Release Notes + diff --git a/lang/calamares_sk.ts b/lang/calamares_sk.ts index 8092dace2e..fc6f89eb2a 100644 --- a/lang/calamares_sk.ts +++ b/lang/calamares_sk.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Spravovať nastavenia automatického pripojenia + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Hlavný zavádzací záznam (MBR) zariadenia %1 Boot Partition + @info Zavádzací oddiel System Partition + @info Systémový oddiel Do not install a boot loader + @label Neinštalovať zavádzač @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Inštalácia @@ -633,18 +638,27 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ChangeFilesystemLabelJob - Set filesystem label on %1. - Nastavenie menovky systému súborov na %1. + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Nastavenie menovky systému súborov <strong>%1</strong> na oddieli <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info Inštalátor zlyhal pri aktualizovaní tabuľky oddielov na disku „%1“. @@ -658,9 +672,20 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ručné rozdelenie oddielov</strong><br/>Môžete vytvoriť alebo zmeniť veľkosť oddielov podľa seba. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vyberte oddiel na zmenšenie a potom potiahnutím spodného pruhu zmeňte veľkosť</strong> + Select storage de&vice: + @label Vyberte úložné &zariadenie: @@ -669,56 +694,49 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Current: + @label Teraz: After: + @label Potom: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ručné rozdelenie oddielov</strong><br/>Môžete vytvoriť alebo zmeniť veľkosť oddielov podľa seba. - - Reuse %1 as home partition for %2. - Opakované použitie oddielu %1 ako domovského pre distribúciu %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vyberte oddiel na zmenšenie a potom potiahnutím spodného pruhu zmeňte veľkosť</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name Oddiel %1 bude zmenšený na %2MiB a nový %3MiB oddiel bude vytvorený pre distribúciu %4. - - - Boot loader location: - Umiestnenie zavádzača: - <strong>Select a partition to install on</strong> + @label <strong>Vyberte oddiel, na ktorý sa má inštalovať</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Oddiel systému EFI sa nedá v tomto počítači nájsť. Prosím, prejdite späť a použite ručné rozdelenie oddielov na inštaláciu distribúcie %1. The EFI system partition at %1 will be used for starting %2. - Oddie lsystému EFI na %1 bude použitý na spustenie distribúcie %2. + @info, %1 is partition path, %2 is product name + Oddiel systému EFI na %1 bude použitý pre spustenie distribúcie %2. EFI system partition: + @label Oddiel systému EFI: @@ -774,38 +792,51 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. This storage device has one of its partitions <strong>mounted</strong>. + @info Toto úložné zariadenie má jeden zo svojich oddielov <strong>pripojený</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Toto úložné zariadenie je súčasťou zariadenia s <strong>neaktívnym RAIDom</strong>. - No Swap - Bez odkladacieho priestoru + No swap + @label + - Reuse Swap - Znovu použiť odkladací priestor + Reuse swap + @label + Swap (no Hibernate) + @label Odkladací priestor (bez hibernácie) Swap (with Hibernate) + @label Odkladací priestor (s hibernáciou) Swap to file + @label Odkladací priestor v súbore + + + Bootloader location: + @label + + ClearMountsJob @@ -837,12 +868,14 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Clear mounts for partitioning operations on %1 + @title Vymazať pripojenia pre operácie rozdelenia oddielov na zariadení %1 - Clearing mounts for partitioning operations on %1. - Vymazávajú sa pripojenia pre operácie rozdelenia oddielov na zariadení %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -854,13 +887,10 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ClearTempMountsJob - Clear all temporary mounts. - Vymazanie všetkých dočasných pripojení. - - - Clearing all temporary mounts. - Vymazávajú sa všetky dočasné pripojenia. + Clearing all temporary mounts… + @status + @@ -1009,42 +1039,43 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. OK! - + Package Selection Výber balíkov - + Please pick a product from the list. The selected product will be installed. Prosím, vyberte produkt zo zoznamu. Vybraný produkt bude nainštalovaný. - + Packages Balíky - + Install option: <strong>%1</strong> Voľba inštalácie: <strong>%1</strong> - + None - + Summary + @label Súhrn - + This is an overview of what will happen once you start the setup procedure. Toto je prehľad toho, čo sa stane, keď spustíte inštaláciu. - + This is an overview of what will happen once you start the install procedure. Toto je prehľad toho, čo sa stane, keď spustíte inštaláciu. @@ -1116,15 +1147,15 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. - The system language will be set to %1 + The system language will be set to %1. @info - + Jazyk systému bude nastavený na %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Miestne nastavenie čísel a dátumov bude nastavené na %1. @@ -1201,31 +1232,37 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. En&crypt + @action Zaši&frovať Logical + @label Logický Primary + @label Primárny GPT + @label GPT Mountpoint already in use. Please select another one. + @info Bod pripojenia sa už používa. Prosím, vyberte iný. Mountpoint must start with a <tt>/</tt>. + @info Bod pripojenia musí začínať znakom <tt>/</tt>. @@ -1233,43 +1270,51 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Vytvorenie nového %1MiB oddielu na zariadení %3 (%2) so záznamami %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - Vytvorenie nového %1MiB oddielu na zariadení %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - Vytvorenie nového %2MiB oddielu na zariadení %4 (%3) so systémom súborov %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Vytvorenie nového <strong>%1MiB</strong> oddielu na zariadení <strong>%3</strong> (%2) so záznamami <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Vytvorenie nového <strong>%1MiB</strong> oddielu na zariadení <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Vytvorenie nového <strong>%2MiB</strong> oddielu na zariadení <strong>%4</strong> (%3) so systémom súborov <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Vytvára sa nový %1 oddiel na zariadení %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Inštalátor zlyhal pri vytváraní oddielu na disku „%1“. @@ -1305,18 +1350,16 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CreatePartitionTableJob - Create new %1 partition table on %2. - Vytvoriť novú tabuľku oddielov typu %1 na zariadení %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Vytvoriť novú <strong>%1</strong> tabuľku oddielov na zariadení <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Vytvára sa nová tabuľka oddielov typu %1 na zariadení %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1333,29 +1376,33 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. - Create user <strong>%1</strong>. - Vytvoriť používateľa <strong>%1</strong>. - - - - Preserving home directory - Uchováva sa domovský adresár + Create user <strong>%1</strong> + - Creating user %1 - Vytvára sa používateľ %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Nastavuje sa používateľ %1 - Setting file permissions - Nastavujú sa oprávnenia súborov + Setting file permissions… + @status + @@ -1363,6 +1410,7 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Create Volume Group + @title Vytvoriť skupinu zväzkov @@ -1370,18 +1418,16 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CreateVolumeGroupJob - Create new volume group named %1. - Vytvorenie novej skupiny zväzkov s názvom %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Vytvorenie novej skupiny zväzkov s názvom<strong>%1</strong>. - - - - Creating new volume group named %1. - Vytvorenie novej skupiny zväzkov s názvom %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1394,13 +1440,15 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. - Deactivate volume group named %1. - Deaktivácia skupiny zväzkov s názvom %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Deaktivácia skupiny zväzkov s názvom <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1412,18 +1460,16 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. DeletePartitionJob - Delete partition %1. - Odstrániť oddiel %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Odstrániť oddiel <strong>%1</strong>. - - - - Deleting partition %1. - Odstraňuje sa oddiel %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1608,11 +1654,13 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Please enter the same passphrase in both boxes. + @tooltip Prosím, zadajte rovnaké heslo do oboch polí. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1634,57 +1682,68 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Set partition information + @title Nastaviť informácie o oddieli Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Nainštalovať distribúciu %1 na <strong>nový</strong> systémový oddiel %2 s funkciami <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Inštalovať distribúciu %1 na <strong>novom</strong> %2 systémovom oddieli. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Nastaviť <strong>nový</strong> oddiel typu %2 s bodom pripojenia <strong>%1</strong> a funkciami <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Nastaviť <strong>nový</strong> oddiel typu %2 s bodom pripojenia <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Nainštalovať distribúciu %2 na systémový oddiel <strong>%1</strong> typu %3 s funkciami <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Nastaviť oddiel <strong>%1</strong> typu %3 s bodom pripojenia <strong>%2</strong> a funkciami <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Nastaviť oddiel <strong>%1</strong> typu %3 s bodom pripojenia <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - Inštalovať distribúciu %2 na %3 systémovom oddieli <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Inštalovať zavádzač do <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Nastavujú sa body pripojení. + + Setting up mount points… + @status + @@ -1753,24 +1812,27 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Naformátovanie oddielu %1 (systém súborov: %2, veľkosť: %3 MiB) na %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Naformátovanie <strong>%3MiB</strong> oddielu <strong>%1</strong> so systémom súborov <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formátuje sa oddiel %1 so systémom súborov %2. + + Formatting partition %1 with file system %2… + @status + @@ -2263,20 +2325,38 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. MachineIdJob - + Generate machine-id. Generovanie identifikátora počítača. - + Configuration Error Chyba konfigurácie - + No root mount point is set for MachineId. + + + + + + File not found + Súbor sa nenašiel + + + + Path <pre>%1</pre> must be an absolute path. + Cesta <pre>%1</pre> musí byť úplnou cestou. + + + + Could not create new random file <pre>%1</pre>. + Nepodarilo sa vytvoriť nový náhodný súbor <pre>%1</pre>. + Map @@ -2820,11 +2900,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Unknown error Neznáma chyba - - - Password is empty - Heslo je prázdne - PackageChooserPage @@ -2881,7 +2956,8 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2987,31 +3063,37 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Home + @label Domovský adresár Boot + @label Zavádzač EFI system + @label Systém EFI Swap + @label Odkladací priestor New partition for %1 + @label Nový oddiel pre %1 New partition + @label Nový oddiel @@ -3027,37 +3109,44 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Free Space + @title Voľné miesto - New partition - Nový oddiel + New Partition + @title + Name + @title Názov File System + @title Systém súborov File System Label + @title Menovka systému súborov Mount Point + @title Bod pripojenia Size + @title Veľkosť @@ -3136,16 +3225,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. PartitionViewStep - - - Gathering system information... - Zbierajú sa informácie o počítači... - - - - Partitions - Oddiely - Unsafe partition actions are enabled. @@ -3161,16 +3240,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. No partitions will be changed. Nebudú zmenené žiadne oddiely. - - - Current: - Teraz: - - - - After: - Potom: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3222,6 +3291,30 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. The filesystem must have flag <strong>%1</strong> set. Systém súborov musí mať nastavený príznak <strong>%1 . + + + Gathering system information… + @status + + + + + Partitions + @label + Oddiely + + + + Current: + @label + Teraz: + + + + After: + @label + Potom: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3267,8 +3360,9 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. PlasmaLnfJob - Plasma Look-and-Feel Job - Úloha vzhľadu a dojmu prostredia Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3295,6 +3389,7 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Look-and-Feel + @label Vzhľad a dojem @@ -3302,8 +3397,9 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. PreserveFiles - Saving files for later ... - Ukladajú sa súbory na neskôr... + Saving files for later… + @status + @@ -3399,26 +3495,12 @@ Výstup: Predvolený - - - - - File not found - Súbor sa nenašiel - - - - Path <pre>%1</pre> must be an absolute path. - Cesta <pre>%1</pre> musí byť úplnou cestou. - - - + Directory not found Adresár sa nenašiel - - + Could not create new random file <pre>%1</pre>. Nepodarilo sa vytvoriť nový náhodný súbor <pre>%1</pre>. @@ -3437,11 +3519,6 @@ Výstup: (no mount point) (žiadny bod pripojenia) - - - Unpartitioned space or unknown partition table - Nerozdelené miesto alebo neznáma tabuľka oddielov - unknown @@ -3466,6 +3543,12 @@ Výstup: @partition info odkladací + + + Unpartitioned space or unknown partition table + @info + Nerozdelené miesto alebo neznáma tabuľka oddielov + Recommended @@ -3481,8 +3564,9 @@ Výstup: RemoveUserJob - Remove live user from target system - Odstránenie live používateľa z cieľového systému + Removing live user from the target system… + @status + @@ -3490,13 +3574,15 @@ Výstup: - Remove Volume Group named %1. - Odstránenie skupiny zväzkov s názvom %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Odstránenie skupiny s názvom <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3610,22 +3696,25 @@ Výstup: ResizePartitionJob - - Resize partition %1. - Zmena veľkosti oddielu %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Zmena veľkosti <strong>%2MiB</strong> oddielu <strong>%1</strong> na <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Mení sa veľkosť %2MiB oddielu %1 na %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Inštalátor zlyhal pri zmene veľkosti oddielu %1 na disku „%2“. @@ -3635,6 +3724,7 @@ Výstup: Resize Volume Group + @title Zmeniť veľkosť skupiny zväzkov @@ -3642,17 +3732,24 @@ Výstup: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Zmena veľkosti skupiny zväzkov s názvom %1 z %2 na %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Zmena veľkosti skupiny zväzkov s názvom <strong>%1</strong> z <strong>%2</strong> na <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Inštalátor zlyhal pri zmene veľkosti skupiny zväzkov s názvom „%1“. @@ -3669,13 +3766,15 @@ Výstup: ScanningDialog - Scanning storage devices... - Prehľadávajú sa úložné zariadenia... + Scanning storage devices… + @status + - Partitioning - Rozdelenie oddielov + Partitioning… + @status + @@ -3692,8 +3791,9 @@ Výstup: - Setting hostname %1. - Nastavuje sa názov hostiteľa %1. + Setting hostname %1… + @status + @@ -3757,81 +3857,96 @@ Výstup: SetPartFlagsJob - Set flags on partition %1. - Nastavenie príznakov na oddieli %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Nastavenie príznakov na %1MiB oddieli %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Nastavenie príznakov na novom oddieli. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Vymazanie príznakov na oddieli <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Vymazanie príznakov na %1MiB oddieli <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Vymazanie príznakov na novom oddieli. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Nastavenie príznaku <strong>%1</strong> na <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Nastavenie príznaku %1MiB oddielu <strong>%2</strong> na <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Nastavenie príznaku nového oddielu na <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Vymazávajú sa príznaky na oddieli <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Vymazávajú sa príznaky na %1MiB oddieli <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Vymazávajú sa príznaky na novom oddieli. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Nastavujú sa príznaky <strong>%2</strong> na oddieli <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Nastavujú sa príznaky <strong>%3</strong> na %1MiB oddieli <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Nastavujú sa príznaky <strong>%1</strong> na novom oddieli. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Inštalátor zlyhal pri nastavovaní príznakov na oddieli %1. @@ -3845,32 +3960,33 @@ Výstup: - Setting password for user %1. - Nastavuje sa heslo pre používateľa %1. + Setting password for user %1… + @status + - + Bad destination system path. Nesprávny cieľ systémovej cesty. - + rootMountPoint is %1 rootMountPoint je %1 - + Cannot disable root account. Nedá sa zakázať účet správcu. - + Cannot set password for user %1. Nedá sa nastaviť heslo pre používateľa %1. - - + + usermod terminated with error code %1. Príkaz usermod ukončený s chybovým kódom %1. @@ -3919,8 +4035,9 @@ Výstup: SetupGroupsJob - Preparing groups. - Pripravujú sa skupiny. + Preparing groups… + @status + @@ -3938,8 +4055,9 @@ Výstup: SetupSudoJob - Configure <pre>sudo</pre> users. - Konfigurácia používateľov skupiny <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + @@ -3956,8 +4074,9 @@ Výstup: ShellProcessJob - Shell Processes Job - Úloha procesov príkazového riadku + Running shell processes… + @status + @@ -4006,8 +4125,9 @@ Výstup: - Sending installation feedback. - Odosiela sa spätná väzba inštalácie. + Sending installation feedback… + @status + @@ -4029,8 +4149,9 @@ Výstup: - Configuring KDE user feedback. - Nastavuje sa používateľská spätná väzba prostredia KDE. + Configuring KDE user feedback… + @status + @@ -4058,8 +4179,9 @@ Výstup: - Configuring machine feedback. - Nastavuje sa spätná väzba počítača. + Configuring machine feedback… + @status + @@ -4121,6 +4243,7 @@ Výstup: Feedback + @title Spätná väzba @@ -4128,8 +4251,9 @@ Výstup: UmountJob - Unmount file systems. - Odpojenie súborových systémov. + Unmounting file systems… + @status + @@ -4287,11 +4411,6 @@ Výstup: &Release notes &Poznámky k vydaniu - - - %1 support - Podpora distribúcie %1 - About %1 Setup @@ -4304,12 +4423,19 @@ Výstup: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Uvítanie @@ -4318,6 +4444,7 @@ Výstup: Welcome + @title Uvítanie @@ -4325,7 +4452,8 @@ Výstup: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4747,21 +4875,11 @@ Výstup: What is your name? Aké je vaše meno? - - - Your Full Name - Vaše celé meno - What name do you want to use to log in? Aké meno chcete použiť na prihlásenie? - - - Login Name - Prihlasovacie meno - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4782,11 +4900,6 @@ Výstup: What is the name of this computer? Aký je názov tohto počítača? - - - Computer Name - Názov počítača - This name will be used if you make the computer visible to others on a network. @@ -4807,16 +4920,21 @@ Výstup: Password Heslo - - - Repeat Password - Zopakovanie hesla - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Zadajte rovnaké heslo dvakrát, aby sa predišlo preklepom. Dobré heslo by malo obsahovať mix písmen, čísel a diakritiky, malo by mať dĺžku aspoň osem znakov a malo by byť pravidelne menené. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4832,11 +4950,31 @@ Výstup: Log in automatically without asking for the password Prihlásiť automaticky bez pýtania hesla + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4852,16 +4990,6 @@ Výstup: Choose a root password to keep your account safe. Zvoľte heslo správcu pre zachovanie vášho účtu v bezpečí. - - - Root Password - Heslo správcu - - - - Repeat Root Password - Zopakovanie hesla správcu - Enter the same password twice, so that it can be checked for typing errors. @@ -4880,21 +5008,11 @@ Výstup: What is your name? Aké je vaše meno? - - - Your Full Name - Vaše celé meno - What name do you want to use to log in? Aké meno chcete použiť na prihlásenie? - - - Login Name - Prihlasovacie meno - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4915,10 +5033,20 @@ Výstup: What is the name of this computer? Aký je názov tohto počítača? + + + Your full name + + + + + Login name + + - Computer Name - Názov počítača + Computer name + @@ -4947,8 +5075,18 @@ Výstup: - Repeat Password - Zopakovanie hesla + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4970,16 +5108,6 @@ Výstup: Choose a root password to keep your account safe. Zvoľte heslo správcu pre zachovanie vášho účtu v bezpečí. - - - Root Password - Heslo správcu - - - - Repeat Root Password - Zopakovanie hesla správcu - Enter the same password twice, so that it can be checked for typing errors. @@ -5017,13 +5145,13 @@ Výstup: - Known issues - Známe problémy + Known Issues + - Release notes - Poznámky k vydaniu + Release Notes + @@ -5047,13 +5175,13 @@ Výstup: - Known issues - Známe problémy + Known Issues + - Release notes - Poznámky k vydaniu + Release Notes + diff --git a/lang/calamares_sl.ts b/lang/calamares_sl.ts index a2b1affcac..f2d24aa03c 100644 --- a/lang/calamares_sl.ts +++ b/lang/calamares_sl.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info Zagonski razdelek System Partition + @info Sistemski razdelek Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Namesti @@ -632,18 +637,27 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info Namestilniku ni uspelo posodobiti razpredelnice razdelkov na disku '%1'. @@ -657,9 +671,20 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -668,56 +693,49 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Current: + @label After: + @label Potem: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -772,36 +790,49 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -835,11 +866,13 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -852,12 +885,9 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ClearTempMountsJob - Clear all temporary mounts. - Počisti vse začasne priklope. - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1007,42 +1037,43 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Povzetek - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1114,13 +1145,13 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1199,31 +1230,37 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. En&crypt + @action Logical + @label Logičen Primary + @label Primaren GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1231,43 +1268,51 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info Namestilniku ni uspelo ustvariti razdelka na disku '%1'. @@ -1303,17 +1348,15 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1331,28 +1374,32 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1361,6 +1408,7 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Create Volume Group + @title @@ -1368,17 +1416,15 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1392,12 +1438,14 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1410,17 +1458,15 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1606,11 +1652,13 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1632,56 +1680,67 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Set partition information + @title Nastavi informacije razdelka Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1751,23 +1810,26 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2261,20 +2323,38 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2816,11 +2896,6 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Unknown error - - - Password is empty - - PackageChooserPage @@ -2877,7 +2952,8 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2983,31 +3059,37 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label Nov razdelek @@ -3023,37 +3105,44 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Free Space + @title Razpoložljiv prostor - New partition - Nov razdelek + New Partition + @title + Name + @title Ime File System + @title Datotečni sistem File System Label + @title Mount Point + @title Priklopna točka Size + @title Velikost @@ -3132,16 +3221,6 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. PartitionViewStep - - - Gathering system information... - Zbiranje informacij o sistemu ... - - - - Partitions - Razdelki - Unsafe partition actions are enabled. @@ -3157,16 +3236,6 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. No partitions will be changed. - - - Current: - - - - - After: - Potem: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3218,6 +3287,30 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Razdelki + + + + Current: + @label + + + + + After: + @label + Potem: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3263,7 +3356,8 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3291,6 +3385,7 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Look-and-Feel + @label @@ -3298,7 +3393,8 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3392,26 +3488,12 @@ Output: Privzeto - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3430,11 +3512,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3459,6 +3536,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3473,7 +3556,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3482,12 +3566,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3600,22 +3686,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3625,6 +3714,7 @@ Output: Resize Volume Group + @title @@ -3632,17 +3722,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3659,12 +3756,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3682,7 +3781,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3747,81 +3847,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3835,32 +3950,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3909,7 +4025,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3928,7 +4045,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3946,7 +4064,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3996,7 +4115,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4019,7 +4139,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4048,7 +4169,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4111,6 +4233,7 @@ Output: Feedback + @title @@ -4118,7 +4241,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4277,11 +4401,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4294,12 +4413,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Dobrodošli @@ -4308,6 +4434,7 @@ Output: Welcome + @title Dobrodošli @@ -4315,7 +4442,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4731,21 +4859,11 @@ Output: What is your name? Vaše ime? - - - Your Full Name - - What name do you want to use to log in? Katero ime želite uporabiti za prijavljanje? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4766,11 +4884,6 @@ Output: What is the name of this computer? Ime računalnika? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4792,13 +4905,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4816,11 +4934,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4836,16 +4974,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4864,21 +4992,11 @@ Output: What is your name? Vaše ime? - - - Your Full Name - - What name do you want to use to log in? Katero ime želite uporabiti za prijavljanje? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4899,9 +5017,19 @@ Output: What is the name of this computer? Ime računalnika? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4931,7 +5059,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4954,16 +5092,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -5000,12 +5128,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5029,12 +5157,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_sq.ts b/lang/calamares_sq.ts index e5df480654..1518deb096 100644 --- a/lang/calamares_sq.ts +++ b/lang/calamares_sq.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Administroni rregullime vetëmontimi + Managing auto-mount settings… + @status + Po administrohen rregullime vetëmontimi… @@ -48,7 +49,7 @@ This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - Ky sistem qe nisur me një mjedis nisjesh <strong>BIOS</strong>.<br><br>Që të formësojë nisjen nga një mjedis BIOS, ky instalues duhet të instalojë një ngarkues nisjesh, të tillë si <strong>GRUB</strong>, ose në krye të një pjese, ose te <strong>Master Boot Record</strong> pranë fillimit të tabelës së pjesëve (e parapëlqyer). Kjo bëhet vetvetiu, veç në zgjedhshi pjesëtim dorazi, rast në të cilin duhet ta rregulloni ju vetë. + Ky sistem qe nisur me një mjedis nisjesh <strong>BIOS</strong>.<br><br>Që të formësojë nisjen nga një mjedis BIOS, ky instalues duhet të instalojë një ngarkues nisjesh, të tillë si <strong>GRUB</strong>, ose në krye të një pjese, ose te <strong>Master Boot Record</strong> pranë fillimit të tabelës së pjesëve (e parapëlqyer). Kjo bëhet vetvetiu, veç në zgjedhshi pjesëtim dorazi, rast në të cilin duhet ta ujdisni ju vetë. @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record për %1 Boot Partition + @info Pjesë Nisjesh System Partition + @info Pjesë Sistemi Do not install a boot loader + @label Mos instalo ngarkues nisjesh @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Ujdiseni - + Install @label Instaloje @@ -267,7 +272,7 @@ Internal script for python job %1 raised an exception. - Programth i brendshëm për akt python %1 nxroi një përjashtim. + Programth i brendshëm për akt python %1 nxori një përjashtim. @@ -453,7 +458,7 @@ The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - Programi i rregullimit %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të rregullojë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> + Programi i ujdisjes %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të ujdisë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> @@ -633,19 +638,28 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ChangeFilesystemLabelJob - Set filesystem label on %1. - Caktoni etiketë sistemi kartelash në %1. + Set filesystem label on %1 + @title + Caktoni etiketë sistemi kartelash në %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Caktoni etiketë sistemi kartelash <strong>%1</strong> te pjesa <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Ujdis etiketë sistemi kartelash <strong>%1</strong> te pjesa <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Po vihen parametrat <strong>%2</strong> në pjesën <strong>%1</strong>… + + + + The installer failed to update partition table on disk '%1'. - Instaluesi s’arriti të përditësojë tabelë ndarjesh në diskun '%1'. + @info + Instaluesi s’arriti të përditësojë tabelë pjesësh në diskun '%1'. @@ -658,9 +672,20 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Pjesëtim dorazi</strong><br/>Pjesët mund t’i krijoni dhe ripërmasoni ju vetë. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Përzgjidhni një pjesë që të zvogëlohet, mandej tërhiqni shtyllën e poshtme që ta ripërmasoni</strong> + Select storage de&vice: + @label Përzgjidhni &pajisje depozitimi: @@ -669,56 +694,49 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Current: - E tanishmja: + @label + I tanishmi: After: + @label Më Pas: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Pjesëtim dorazi</strong><br/>Pjesët mund t’i krijoni dhe ripërmasoni ju vetë. - - Reuse %1 as home partition for %2. - Ripërdore %1 si pjesën shtëpi për %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Përzgjidhni një pjesë që të zvogëlohet, mandej tërhiqni shtyllën e poshtme që ta ripërmasoni</strong> + Reuse %1 as home partition for %2 + @label + Ripërdore %1 si pjesën shtëpi për %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 do të tkurret në %2MiB dhe për %4 do të krijohet një pjesë e re %3MiB. - - - Boot loader location: - Vendndodhje ngarkuesi nisjesh: - <strong>Select a partition to install on</strong> + @label <strong>Përzgjidhni një pjesë ku të instalohet</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - Në këtë sistem s’gjendet gjëkundi një pjesë EFI sistemi. Ju lutemi, kthehuni mbrapsht dhe përdorni pjesëtimin dorazi që të rregulloni %1. + @info, %1 is product name + Në këtë sistem s’gjendet gjëkundi një pjesë EFI sistemi. Ju lutemi, kthehuni mbrapsht dhe përdorni pjesëtimin dorazi që të ujdisni %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Për nisjen e %2 do të përdoret pjesa EFI e sistemit te %1. EFI system partition: + @label Pjesë EFI sistemi: @@ -773,38 +791,51 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. This storage device has one of its partitions <strong>mounted</strong>. + @info Kjo pajisje depozitimi ka një nga pjesët e saj <strong>të montuar</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Kjo pajisje depozitimi është pjesë e një pajisje <strong>RAID jo aktive</strong> device. - No Swap - Pa Swap + No swap + @label + Pa “swap” - Reuse Swap - Ripërdor Swap-in + Reuse swap + @label + Ripërdor swap-in Swap (no Hibernate) + @label Swap (pa Plogështim) Swap (with Hibernate) + @label Swap (me Plogështim) Swap to file + @label Swap në kartelë + + + Bootloader location: + @label + Vendndodhje ngarkuesi nisësi: + ClearMountsJob @@ -836,12 +867,14 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Clear mounts for partitioning operations on %1 + @title Hiqi montimet për veprime pjesëtimi te %1 - Clearing mounts for partitioning operations on %1. - Po hiqen montimet për veprime pjesëtimi te %1. + Clearing mounts for partitioning operations on %1… + @status + Po hiqen montimet për veprime pjesëtimi te %1. {1…?} @@ -853,13 +886,10 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ClearTempMountsJob - Clear all temporary mounts. - Hiqi krejt montimet e përkohshme. - - - Clearing all temporary mounts. - Po hiqen krejt montimet e përkohshme. + Clearing all temporary mounts… + @status + Po hiqen krejt montimet e përkohshme… @@ -945,7 +975,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. <h1>Welcome to %1 setup</h1> - <h1>Mirë se vini te udjisja e %1</h1> + <h1>Mirë se vini te ujdisja e %1</h1> @@ -1008,42 +1038,43 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. OK! - + Package Selection Përzgjedhje Paketash - + Please pick a product from the list. The selected product will be installed. Ju lutemi, zgjidhni prej listës një produkt. Produkti i përzgjedhur do të instalohet. - + Packages Paketa - + Install option: <strong>%1</strong> Mundësi instalimi: <strong>%1</strong> - + None Asnjë - + Summary + @label Përmbledhje - + This is an overview of what will happen once you start the setup procedure. Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e ujdisjes. - + This is an overview of what will happen once you start the install procedure. Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e instalimit. @@ -1115,15 +1146,15 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. - The system language will be set to %1 + The system language will be set to %1. @info - Si gjuhë sistemi do të caktohet %1 + Si gjuhë sistemi do të vihet %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Si vendore numrash dhe datash do të caktohet %1 + Si vendore për numra dhe data do të vihet %1. @@ -1132,7 +1163,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Performing contextual processes' job… @status - Po kryhet akt procesesh kontekstuakë… + Po kryhet akt procesesh kontekstualë… @@ -1200,31 +1231,37 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. En&crypt + @action &Fshehtëzoje Logical + @label Logjike Primary + @label Parësore GPT + @label GPT Mountpoint already in use. Please select another one. + @info Pikë montimi tashmë e përdorur. Ju lutemi, përzgjidhni një tjetër. Mountpoint must start with a <tt>/</tt>. + @info Pika e montimit duhet të fillojë me një <tt>/</tt>. @@ -1232,43 +1269,51 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Krijo pjesë të re %1MiB te %3 (%2) me zëra %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Krijo pjesë të re %1MiB në %3 (%2) me zëra %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Krijo pjesë të re %1MiB te %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Krijo pjesë të re %1MiB në %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Krijo pjesë të re %2MiB te %4 (%3) me sistem kartelash %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Krijo pjesë të re %2MiB te %4 (%3) me sistem kartelash %1 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Krijo pjesë të re <strong>%1MiB</strong> te <strong>%3</strong> (%2) me zërat <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Krijo pjesë të re <strong>%1MiB</strong> në <strong>%3</strong> (%2) me zëra <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Krijo pjesë të re <strong>%1MiB</strong> te <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Krijo pjesë të re <strong>%1MiB</strong> te <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Krijo pjesë të re <strong>%2MiB</strong> te <strong>%4</strong> (%3) me sistem kartelash <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Krijo pjesë të re <strong>%2MiB</strong> te <strong>%4</strong> (%3) me sistem kartelash <strong>%1</strong> - - - Creating new %1 partition on %2. - Po krijohet pjesë e re %1 te %2. + + + Creating new %1 partition on %2… + @status + Po krijohet pjesë e re %1 te %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Instaluesi s’arriti të krijojë pjesë në diskun '%1'. @@ -1304,18 +1349,16 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CreatePartitionTableJob - Create new %1 partition table on %2. - Krijo tabelë të re pjesësh %1 te %2. + + Creating new %1 partition table on %2… + @status + Po krijohet tabelë e re pjesësh %1 te %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Krijo tabelë pjesësh të re <strong>%1</strong> te <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Po krijohet tabelë e re pjesësh %1 te %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Po krijohet tabelë e re pjesësh <strong>%1</strong> te <strong>%2</strong> (%3)… @@ -1332,29 +1375,33 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. - Create user <strong>%1</strong>. - Krijo përdoruesin <strong>%1</strong>. - - - - Preserving home directory - S’po preket drejtoria shtëpi + Create user <strong>%1</strong> + Krijo përdoruesin <strong>%1</strong> - Creating user %1 - Po krijohet përdoruesi %1 + Creating user %1… + @status + Po krijohet përdoruesi %1… + + + + Preserving home directory… + @status + S’po preket drejtoria shtëpi… Configuring user %1 + @status Po formësohet përdoruesi %1 - Setting file permissions - Po ujdisen leje mbi kartela + Setting file permissions… + @status + Po ujdisen leje mbi kartela… @@ -1362,6 +1409,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Create Volume Group + @title Krijoni Grup Volumesh @@ -1369,18 +1417,16 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CreateVolumeGroupJob - Create new volume group named %1. - Krijo grup të ri vëllimesh të quajtur %1. + + Creating new volume group named %1… + @status + Po krijohet grup i ri vëllimesh i quajtur %1. {1…?} - Create new volume group named <strong>%1</strong>. - Krijo grup të ri vëllimesh të quajtur <strong>%1</strong>. - - - - Creating new volume group named %1. - Po krijohet grup i ri vëllimesh i quajtur <strong>%1</strong>. + Creating new volume group named <strong>%1</strong>… + @status + Po krijohet grup i ri vëllimesh i quajtur <strong>%1</strong>… @@ -1393,13 +1439,15 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. - Deactivate volume group named %1. - Çaktivizoje grupin e vëllimeve të quajtur %1. + Deactivating volume group named %1… + @status + Po çaktivizohet grup vëllimesh i quajtur %1… - Deactivate volume group named <strong>%1</strong>. - Çaktivizoje grupin e vëllimeve të quajtur <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Po çaktivizohet grup vëllimesh i quajtur <strong>%1</strong>… @@ -1411,18 +1459,16 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. DeletePartitionJob - Delete partition %1. - Fshije pjesën %1. + + Deleting partition %1… + @status + Po fshihet pjesa %1. {1…?} - Delete partition <strong>%1</strong>. - Fshije pjesën <strong>%1</strong>. - - - - Deleting partition %1. - Po fshihet pjesa %1. + Deleting partition <strong>%1</strong>… + @status + Po fshihet pjesa <strong>%1</strong>… @@ -1607,12 +1653,14 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Please enter the same passphrase in both boxes. + @tooltip Ju lutemi, jepni të njëjtin frazëkalim në të dy kutizat. - Password must be a minimum of %1 characters - Fjalëkalimi duhet të jetë një minimum %1 shenjash + Password must be a minimum of %1 characters. + @tooltip + Fjalëkalimi duhet të ketë të paktën %1 shenja. @@ -1633,57 +1681,68 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Set partition information + @title Ujdisni hollësi pjese Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Instalo %1 te pjesë e <strong>re</strong> %2 sistemi, me veçoritë <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Instaloje %1 në pjesë sistemi <strong>të re</strong> %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + Instaloje %1 në pjesë sistemi <strong>të re</strong> %2 - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Ujdisni pjesë të <strong>re</strong> %2, me pikë montimi <strong>%1</strong> dhe veçori <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Ujdis pjesë <strong>të re</strong> %2 me pikë montimi <strong>%1</strong> dhe veçori <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Ujdisni pjesë të <strong>re</strong> %2, me pikë montimi <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Ujdis pjesë %3 <strong>%1</strong> me pikë montimi <strong>%2</strong>%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Instalo %2 në pjesë sistemi %3 <strong>%1</strong>, me veçoritë <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Instalo %2 në pjesë sistemit %3 <strong>%1</strong> me veçori <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Ujdisni pjesë %3 <strong>%1</strong>, me pikë montimi <strong>%2</strong> dhe veçori <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Instaloje %2 te pjesa e sistemit %3 <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Ujdisni pjesë %3 <strong>%1</strong> me pikë montimi <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Ujdis pjesë %3 <strong>%1</strong>, me pikë montimi <strong>%2</strong> dhe veçori <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - Instaloje %2 te pjesa e sistemit %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Ujdisni pjesë %3 1%11 me pikë montimi <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Instalo ngarkues nisjesh në <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Instalo ngarkues nisjesh në <strong>%1</strong>… - - Setting up mount points. - Po ujdisen pika montimesh. + + Setting up mount points… + @status + Po ujdisen pika montimesh… @@ -1752,24 +1811,27 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatoje pjesën %1 (sistem kartelash: %2, madhësi: %3 MiB) në %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Formatoje pjesën %1 (sistem kartelash: %2, madhësi: %3 MiB) te %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formato pjesën <strong>%3MiB</strong> <strong>%1</strong> me sistem kartelash <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Formato pjesën <strong>%3MiB</strong> <strong>%1</strong> me sistem kartelash <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Po formatohet pjesa %1 me sistem kartelash %2. + + Formatting partition %1 with file system %2… + @status + Po formatohet pjesa %1 me sistem kartelash %2. {1 ?} {2…?} @@ -2256,26 +2318,44 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Could not create LUKS key file for root partition %1. - S’u krijua dot kartelë kyçi LUKS për ndarjen rrënjë %1. + S’u krijua dot kartelë kyçi LUKS për pjesën rrënjë %1. MachineIdJob - + Generate machine-id. Prodho machine-id. - + Configuration Error Gabim Formësimi - + No root mount point is set for MachineId. S’është caktuar pikë montimi rrënjë për MachineId. + + + + + + File not found + S’u gjet kartelë + + + + Path <pre>%1</pre> must be an absolute path. + Shtegu <pre>%1</pre> duhet të jetë shteg absolut. + + + + Could not create new random file <pre>%1</pre>. + S’u krijua dot kartelë e re kuturu <pre>%1</pre>. + Map @@ -2556,7 +2636,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Memory allocation error when setting '%1' - Gabim caktimi kujtese kur rregullohej '%1' + Gabim caktimi kujtese, kur ujdisej '%1' @@ -2805,11 +2885,6 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Unknown error Gabim i panjohur - - - Password is empty - Fjalëkalimi është i zbrazët - PackageChooserPage @@ -2857,7 +2932,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Keyboard model: - Model tastiere + Model tastiere: @@ -2866,8 +2941,9 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. - Keyboard switch: - Ndërrim tastiere: + Switch Keyboard: + shortcut for switching between keyboard layouts + Ndërroni Tastierë: @@ -2972,31 +3048,37 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Home + @label Shtëpi Boot + @label Nisje EFI system + @label Sistem EFI Swap + @label Swap New partition for %1 + @label Pjesë e re për %1 New partition + @label Pjesë e re @@ -3012,37 +3094,44 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Free Space + @title Hapësirë e Lirë - New partition - Pjesë e re + New Partition + @title + Pjesë e Re Name + @title Emër File System + @title Sistem Kartelash File System Label + @title Etiketë Sistemi Kartelash Mount Point + @title Pikë Montimi Size + @title Madhësi @@ -3121,16 +3210,6 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. PartitionViewStep - - - Gathering system information... - Po grumbullohen hollësi sistemi… - - - - Partitions - Pjesë - Unsafe partition actions are enabled. @@ -3146,20 +3225,10 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. No partitions will be changed. S’do të ndryshohet ndonjë pjesë. - - - Current: - I tanishmi: - - - - After: - Më Pas: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Pjesa EFI e sistemit nuk plotësosn rekomandimet. Rekomandohet të ktheheni nbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. + Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Pjesa EFI e sistemit nuk plotëson rekomandimet. Rekomandohet të ktheheni mbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. @@ -3179,12 +3248,12 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. EFI system partition configured incorrectly - Pjesë EFI sistemi e formësuar pasaktësisht + Pjesë EFI sistemi e formësuar jo saktë An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Që të formësoni një pjesë sistemi EFI, kthehuni nbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. + Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Që të formësoni një pjesë sistemi EFI, kthehuni mbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. @@ -3207,6 +3276,30 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. The filesystem must have flag <strong>%1</strong> set. Sistemi i kartelave duhet të ketë të përzgjedhur parametrin <strong>%1</strong>. + + + Gathering system information… + @status + Po grumbullohen hollësi mbi sistemin… + + + + Partitions + @label + Pjesë + + + + Current: + @label + I tanishmi: + + + + After: + @label + Më Pas: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3235,7 +3328,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - Tok me pjesën e fshehtëzuar <em>root</em> qe rregulluar edhe një pjesë <em>boot</em> veçmas, por pjesa <em>boot</em> s’është e fshehtëzuar.<br/><br/>Ka preokupime mbi sigurinë e këtij lloj rregullimi, ngaqë kartela të rëndësishme sistemi mbahen në një pjesë të pafshehtëzuar.<br/>Mund të vazhdoni, nëse doni, por shkyçja e sistemit të kartelave do të ndodhë më vonë, gjatë nisjes së sistemit.<br/>Që të fshehtëzoni pjesën <em>boot</em>, kthehuni mbrapsht dhe rikrijojeni, duke përzgjedhur te skena e krijimit të pjesës <strong>Fshehtëzoje</strong>. + Tok me pjesën e fshehtëzuar rrënjë qe ujdisur edhe një pjesë nisjeje veçmas, por pjesa nisje s’është e fshehtëzuar.<br/><br/>Ka preokupime mbi sigurinë e kësaj lloj ujdisjeje, ngaqë kartela të rëndësishme sistemi mbahen në një pjesë të pafshehtëzuar.<br/>Mund të vazhdoni, nëse doni, por shkyçja e sistemit të kartelave do të ndodhë më vonë, gjatë nisjes së sistemit.<br/>Që të fshehtëzoni pjesën nisje, kthehuni mbrapsht dhe rikrijojeni, duke përzgjedhur <strong>Fshehtëzoje</strong>, te skena e krijimit të pjesës. @@ -3252,8 +3345,9 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. PlasmaLnfJob - Plasma Look-and-Feel Job - Akt Plasma Pamje-dhe-Ndjesi + Applying Plasma Look-and-Feel… + @status + Po aplikohen Pamje-dhe-Ndjesi Plasma… @@ -3267,7 +3361,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is set up. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - Ju lutemi, zgjidhni një grup parametrash pamje-dhe-ndjesi për KDE Plasma Desktop. Mundeni edhe ta anashkaloni këtë hap dhe të formësoni pamje-dhe-ndjesi pasi të jetë rregulluar sistemi. Klikimi mbi një përzgjedhje pamje-dhe-ndjesi do t’ju japë një paraparje të atypëratyshme të saj. + Ju lutemi, zgjidhni një grup parametrash pamje-dhe-ndjesi për KDE Plasma Desktop. Mundeni edhe ta anashkaloni këtë hap dhe të formësoni pamje-dhe-ndjesi pasi të jetë ujdisur sistemi. Klikimi mbi një përzgjedhje pamje-dhe-ndjesi do t’ju japë një paraparje të atypëratyshme të saj. @@ -3280,6 +3374,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Look-and-Feel + @label Pamje-dhe-Ndjesi @@ -3287,8 +3382,9 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. PreserveFiles - Saving files for later ... - Po ruhen kartela për më vonë ... + Saving files for later… + @status + Po ruhen kartela për më vonë… @@ -3384,26 +3480,12 @@ Përfundim: Parazgjedhje - - - - - File not found - S’u gjet kartelë - - - - Path <pre>%1</pre> must be an absolute path. - Shtegu <pre>%1</pre> duhet të jetë shteg absolut. - - - + Directory not found Drejtoria s’u gjet - - + Could not create new random file <pre>%1</pre>. S’u krijua dot kartelë e re kuturu <pre>%1</pre>. @@ -3422,11 +3504,6 @@ Përfundim: (no mount point) (s’ka pikë montimi) - - - Unpartitioned space or unknown partition table - Hapësirë e papjesëtuar, ose tabelë e panjohur pjesësh - unknown @@ -3451,6 +3528,12 @@ Përfundim: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Hapësirë e papjesëtuar, ose tabelë e panjohur pjesësh + Recommended @@ -3466,8 +3549,9 @@ Përfundim: RemoveUserJob - Remove live user from target system - Hiq përdoruesin live nga sistemi i synuar + Removing live user from the target system… + @status + Po hiqet përdoruesi “live” nga sistemi i synuar… @@ -3475,13 +3559,15 @@ Përfundim: - Remove Volume Group named %1. - Hiqe Grupin e Vëllimeve të quajtur %1. + Removing Volume Group named %1… + @status + Po hiqet Grupi i Vëllimeve i quajtur %1… - Remove Volume Group named <strong>%1</strong>. - Hiqe Grupin e Vëllimeve të quajtur <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Po hiqet Grupi i Vëllimeve i quajtur <strong>%1</strong>… @@ -3595,22 +3681,25 @@ Përfundim: ResizePartitionJob - - Resize partition %1. - Ripërmaso pjesën %1. + + Resize partition %1 + @title + Ripërmaso pjesën %1 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Ripërmasoje pjesën <strong>%2MiB</strong> <strong>%1</strong> në <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Ripërmasoje pjesën <strong>%2MiB</strong> <strong>%1</strong> në <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - Po ripërmasohet pjesa %2MiB %1 në %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Po ripërmasohet pjesa %2MiB %1 në %3MiB… - + The installer failed to resize partition %1 on disk '%2'. Instaluesi s’arriti të ripërmasojë pjesën %1 në diskun '%2'. @@ -3620,6 +3709,7 @@ Përfundim: Resize Volume Group + @title Ripërmaso Grup Vëllimesh @@ -3627,17 +3717,24 @@ Përfundim: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ripërmasoje grupin e vëllimeve të quajtur %1 nga %2 në %3. + Resize volume group named %1 from %2 to %3 + @title + Ripërmasoje grupin e vëllimeve të quajtur %1 nga %2 në %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Ripërmasoje grupin e vëllimeve të quajtur <strong>%1</strong> nga <strong>%2</strong> në <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Ripërmasoje grupin e vëllimeve të quajtur <strong>%1</strong> nga <strong>%2</strong> në <strong>%3</strong> - + + Resizing volume group named %1 from %2 to %3… + @status + Po ripërmasohet grupin e vëllimeve të quajtur %1 nga %2 në %3… + + + The installer failed to resize a volume group named '%1'. Instaluesi s’arriti të ripërmasojë një grup vëllimesh të quajtur '%1'. @@ -3654,13 +3751,15 @@ Përfundim: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Po kontrollohen pajisje depozitimi… - Partitioning - Pjesëtim + Partitioning… + @status + Po pjesëtohet… @@ -3677,8 +3776,9 @@ Përfundim: - Setting hostname %1. - Po caktohet strehëemri %1. + Setting hostname %1… + @status + Po caktohet strehëemri %1… {1…?} @@ -3742,81 +3842,96 @@ Përfundim: SetPartFlagsJob - Set flags on partition %1. - Caktoni parametra në pjesën %1. + Set flags on partition %1 + @title + Ujdis parametra në pjesën %1 - Set flags on %1MiB %2 partition. - Caktoni parametra në pjesën %1MiB %2. + Set flags on %1MiB %2 partition + @title + Ujdis parametra në pjesën %1MiB %2 - Set flags on new partition. - Caktoni parametra në pjesë të re. + Set flags on new partition + @title + Ujdis parametra në pjesë të re - Clear flags on partition <strong>%1</strong>. - Hiqi parametrat te pjesa <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Hiqi parametrat te pjesa <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Hiqi parametrat te pjesa %1MiB <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Hiqi parametrat te pjesa %1MiB <strong>%2</strong> - Clear flags on new partition. - Hiqi parametrat te ndarja e re. + Clear flags on new partition + @info + Hiqi parametrat te pjesa e re - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Vëri pjesës <strong>%1</strong> parametrin <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Parametrat në pjesën <strong>%1</strong> vëri si <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Vëri pjesës %1MiB <strong>%2</strong> parametrin <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Parametrat në pjesën %1MiB <strong>%2</strong>vëri si <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Vëri pjesës së re parametrin <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Parametrat në pjesën e re vëri si <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Po hiqen parametrat në pjesën <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Po hiqen parametrat në pjesën <strong>%1</strong>… - - Clearing flags on %1MiB <strong>%2</strong> partition. - Po hiqen parametrat në pjesën %1MiB <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Po hiqen parametrat në pjesën %1MiB <strong>%2</strong>… - - Clearing flags on new partition. - Po hiqen parametrat në pjesën e re. + + Clearing flags on new partition… + @status + Po hiqen parametrat në pjesën e re… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Po vihen parametrat <strong>%2</strong> në pjesën <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Po ujdisen parametrat <strong>%2</strong> në pjesën <strong>%1</strong>… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Po vihen parametrat <strong>%3</strong> në pjesën %1MiB <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Po ujdisen parametrat <strong>%3</strong> në pjesën %1MiB <strong>%2</strong>… - - Setting flags <strong>%1</strong> on new partition. - Po vihen parametrat <strong>%1</strong> në pjesën e re. + + Setting flags <strong>%1</strong> on new partition… + @status + Po ujdisen parametrat <strong>%1</strong> në pjesën e re… - + The installer failed to set flags on partition %1. Instaluesi s’arriti të vërë parametra në pjesën %1. @@ -3830,32 +3945,33 @@ Përfundim: - Setting password for user %1. - Po caktohet fjalëkalim për përdoruesin %1. + Setting password for user %1… + @status + Po ujdiset fjalëkalim për përdoruesin %1. {1…?} - + Bad destination system path. Shteg i gabuar destinacioni sistemi. - + rootMountPoint is %1 rootMountPoint është %1 - + Cannot disable root account. S’mund të çaktivizohet llogaria rrënjë. - + Cannot set password for user %1. S’caktohet dot fjalëkalim për përdoruesin %1. - - + + usermod terminated with error code %1. usermod përfundoi me kod gabimi %1. @@ -3904,8 +4020,9 @@ Përfundim: SetupGroupsJob - Preparing groups. - Po përgatiten grupe. + Preparing groups… + @status + Po përgatiten grupe… @@ -3923,8 +4040,9 @@ Përfundim: SetupSudoJob - Configure <pre>sudo</pre> users. - Formësoni përdorues <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + Po formësohen përdorues <pre>sudo</pre>… @@ -3941,8 +4059,9 @@ Përfundim: ShellProcessJob - Shell Processes Job - Akt Procesesh Shelli + Running shell processes… + @status + Po xhirohen procese shelli… @@ -3991,8 +4110,9 @@ Përfundim: - Sending installation feedback. - Po dërgohen përshtypjet mbi instalimin. + Sending installation feedback… + @status + Po dërgohen përshtypjet mbi instalimin… @@ -4014,8 +4134,9 @@ Përfundim: - Configuring KDE user feedback. - Formësim përshtypjesh nga përdorues të KDE-së. + Configuring KDE user feedback… + @status + Po formësohen përshtypje përdoruesi KDE… @@ -4039,12 +4160,13 @@ Përfundim: Machine feedback - Hollësi nga makina + Hollësi dhënë nga makina - Configuring machine feedback. - Po formësohet moduli i hollësive nga makina. + Configuring machine feedback… + @status + Po formësohet hollësi dhënë nga makina… @@ -4106,6 +4228,7 @@ Përfundim: Feedback + @title Përshtypje @@ -4113,8 +4236,9 @@ Përfundim: UmountJob - Unmount file systems. - Çmontoni sisteme kartelash. + Unmounting file systems… + @status + Po çmontohen sisteme kartelash… @@ -4272,11 +4396,6 @@ Përfundim: &Release notes Shënime hedhjesh në &qarkullim - - - %1 support - Asistencë %1 - About %1 Setup @@ -4289,12 +4408,19 @@ Përfundim: @title Mbi Instaluesin %1 + + + %1 Support + @action + Asistencë %1 + WelcomeQmlViewStep Welcome + @title Mirë se vini @@ -4303,6 +4429,7 @@ Përfundim: Welcome + @title Mirë se vini @@ -4310,13 +4437,14 @@ Përfundim: ZfsJob - Create ZFS pools and datasets - Krijoni pool-e dhe grupe të dhënash ZFS + Creating ZFS pools and datasets… + @status + Po krijohen pool-e dhe grupe të dhënash ZFS… Failed to create zpool on - S’u arrit të krijohej zpool në + S’u arrit të krijohej zpool në @@ -4326,7 +4454,7 @@ Përfundim: No partitions are available for ZFS. - S’ka pjesë të passhme për ZFS + S’ka pjesë të passhme për ZFS. @@ -4758,21 +4886,11 @@ Përfundim: What is your name? Si quheni? - - - Your Full Name - Emri Juaj i Plotë - What name do you want to use to log in? Ç’emër doni të përdorni për t’u futur? - - - Login Name - Emër Hyrjeje - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4793,11 +4911,6 @@ Përfundim: What is the name of this computer? Cili është emri i këtij kompjuteri? - - - Computer Name - Emër Kompjuteri - This name will be used if you make the computer visible to others on a network. @@ -4818,16 +4931,21 @@ Përfundim: Password Fjalëkalim - - - Repeat Password - Rijepeni Fjalëkalimin - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Jepeni të njëjtin fjalëkalim dy herë, që të kontrollohet për gabime shkrimi. Një fjalëkalim i mirë do të përmbante një përzierje shkronjash, numrash dhe shenjash pikësimi, do të duhej të ishte të paktën tetë shenja i gjatë dhe do të duhej të ndryshohej periodikisht. + + + Root password + Fjalëkalim rrënje + + + + Repeat root password + Rijepni fjalëkalim rrënje + Validate passwords quality @@ -4841,13 +4959,33 @@ Përfundim: Log in automatically without asking for the password - Kryej hyrje vetvetiu, pa kërkuar fjalëkalimin. + Kryej hyrje vetvetiu, pa kërkuar fjalëkalimin + + + + Your full name + Emri juaj i plotë + + + + Login name + Emër hyrjeje + + + + Computer name + Emër kompjuteri Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Lejohen vetëm shkronja, numra, nënvijë dhe vijë ndarëse. minimumi dy shenja. + + + Repeat password + Rijepeni fjalëkalimin + Reuse user password as root password @@ -4861,17 +4999,7 @@ Përfundim: Choose a root password to keep your account safe. - Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje - - - - Root Password - Fjalëkalim Rrënje - - - - Repeat Root Password - Përsëritni Fjalëkalim Rrënje + Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje. @@ -4891,21 +5019,11 @@ Përfundim: What is your name? Si quheni? - - - Your Full Name - Emri Juaj i Plotë - What name do you want to use to log in? Ç’emër doni të përdorni për t’u futur? - - - Login Name - Emër Hyrjeje - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4926,10 +5044,20 @@ Përfundim: What is the name of this computer? Cili është emri i këtij kompjuteri? + + + Your full name + Emri juaj i plotë + + + + Login name + Emër hyrjeje + - Computer Name - Emër Kompjuteri + Computer name + Emër kompjuteri @@ -4958,8 +5086,18 @@ Përfundim: - Repeat Password - Rijepeni Fjalëkalimin + Repeat password + Rijepeni fjalëkalimin + + + + Root password + Fjalëkalim rrënje + + + + Repeat root password + Rijepni fjalëkalim rrënje @@ -4979,17 +5117,7 @@ Përfundim: Choose a root password to keep your account safe. - Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje - - - - Root Password - Fjalëkalim Rrënje - - - - Repeat Root Password - Përsëritni Fjalëkalim Rrënje + Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje. @@ -4999,7 +5127,7 @@ Përfundim: Log in automatically without asking for the password - Kryej hyrje vetvetiu, pa kërkuar fjalëkalimin. + Kryej hyrje vetvetiu, pa kërkuar fjalëkalimin @@ -5028,13 +5156,13 @@ Përfundim: - Known issues - Probleme të ditura + Known Issues + Probleme të Ditura - Release notes - Shënime hedhjeje në qarkullim + Release Notes + Shënime Hedhjeje Në Qarkullim @@ -5058,13 +5186,13 @@ Përfundim: - Known issues - Probleme të ditura + Known Issues + Probleme të Ditura - Release notes - Shënime hedhjeje në qarkullim + Release Notes + Shënime Hedhjeje Në Qarkullim diff --git a/lang/calamares_sr.ts b/lang/calamares_sr.ts index 6360e02bee..1e4b6f49ef 100644 --- a/lang/calamares_sr.ts +++ b/lang/calamares_sr.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info Подизна партиција System Partition + @info Системска партиција Do not install a boot loader + @label Не инсталирај подизни учитавач @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Инсталирај @@ -630,18 +635,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info Инсталација није успела да ажурира табелу партиција на диску '%1'. @@ -655,9 +669,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ручно партиционисање</strong><br/>Сами можете креирати или мењати партције. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label Изаберите у&ређај за смештање: @@ -666,56 +691,49 @@ The installer will quit and all changes will be lost. Current: + @label Тренутно: After: + @label После: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ручно партиционисање</strong><br/>Сами можете креирати или мењати партције. - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - Подизни учитавач на: - <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -770,36 +788,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -833,11 +864,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Уклони тачке припајања за операције партиције на %1 - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -850,12 +883,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1005,42 +1035,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Сажетак - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1112,13 +1143,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Системски језик биће постављен на %1 - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1197,31 +1228,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Логичка Primary + @label Примарна GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1229,43 +1266,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info Инсталација није успела да направи партицију на диску '%1'. @@ -1301,17 +1346,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1329,28 +1372,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1359,6 +1406,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1366,17 +1414,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1390,12 +1436,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1408,17 +1456,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1604,11 +1650,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1630,56 +1678,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1749,23 +1808,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2259,20 +2321,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error Грешка поставе - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2805,11 +2885,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2866,7 +2941,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2972,31 +3048,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3012,37 +3094,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title Назив File System + @title Фајл систем File System Label + @title Mount Point + @title Size + @title @@ -3121,16 +3210,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3146,16 +3225,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Тренутно: - - - - After: - После: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3207,6 +3276,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + Тренутно: + + + + After: + @label + После: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3252,7 +3345,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3280,6 +3374,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3287,7 +3382,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3381,26 +3477,12 @@ Output: подразумевано - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3419,11 +3501,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3448,6 +3525,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3462,7 +3545,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3471,12 +3555,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3589,22 +3675,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3614,6 +3703,7 @@ Output: Resize Volume Group + @title @@ -3621,17 +3711,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3648,13 +3745,15 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning - Партиционисање + Partitioning… + @status + @@ -3671,7 +3770,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3736,81 +3836,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3824,32 +3939,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3898,7 +4014,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3917,7 +4034,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3935,7 +4053,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3985,7 +4104,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4008,7 +4128,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4037,7 +4158,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4100,6 +4222,7 @@ Output: Feedback + @title @@ -4107,8 +4230,9 @@ Output: UmountJob - Unmount file systems. - Демонтирање фајл-система. + Unmounting file systems… + @status + @@ -4266,11 +4390,6 @@ Output: &Release notes - - - %1 support - %1 подршка - About %1 Setup @@ -4283,12 +4402,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Добродошли @@ -4297,6 +4423,7 @@ Output: Welcome + @title Добродошли @@ -4304,7 +4431,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4720,21 +4848,11 @@ Output: What is your name? Како се зовете? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4755,11 +4873,6 @@ Output: What is the name of this computer? Како ћете звати ваш рачунар? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4781,13 +4894,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4805,11 +4923,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4825,16 +4963,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4853,21 +4981,11 @@ Output: What is your name? Како се зовете? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4888,9 +5006,19 @@ Output: What is the name of this computer? Како ћете звати ваш рачунар? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4920,7 +5048,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4943,16 +5081,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4989,12 +5117,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5018,12 +5146,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_sr@latin.ts b/lang/calamares_sr@latin.ts index f6050dc063..f0463428ed 100644 --- a/lang/calamares_sr@latin.ts +++ b/lang/calamares_sr@latin.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record na %1 Boot Partition + @info Particija za pokretanje sistema System Partition + @info Sistemska particija Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Instaliraj @@ -630,18 +635,27 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info Instaler ne može promjeniti tabelu particija na disku '%1'. @@ -655,9 +669,20 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -666,56 +691,49 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Current: + @label After: + @label Poslije: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -770,36 +788,49 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -833,11 +864,13 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Clear mounts for partitioning operations on %1 + @title Skini tačke montiranja za operacije nad particijama na %1 - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -850,12 +883,9 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1005,42 +1035,43 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label Izveštaj - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1112,13 +1143,13 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1197,31 +1228,37 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. En&crypt + @action Logical + @label Logička Primary + @label Primarna GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1229,43 +1266,51 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info Instaler nije uspeo napraviti particiju na disku '%1'. @@ -1301,17 +1346,15 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1329,28 +1372,32 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1359,6 +1406,7 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Create Volume Group + @title @@ -1366,17 +1414,15 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1390,12 +1436,14 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1408,17 +1456,15 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1604,11 +1650,13 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1630,56 +1678,67 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1749,23 +1808,26 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2259,20 +2321,38 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2805,11 +2885,6 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Unknown error - - - Password is empty - - PackageChooserPage @@ -2866,7 +2941,8 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2972,31 +3048,37 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label Nova particija @@ -3012,37 +3094,44 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Free Space + @title Slobodan prostor - New partition - Nova particija + New Partition + @title + Name + @title Naziv File System + @title Fajl sistem File System Label + @title Mount Point + @title Size + @title Veličina @@ -3121,16 +3210,6 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. PartitionViewStep - - - Gathering system information... - - - - - Partitions - Particije - Unsafe partition actions are enabled. @@ -3146,16 +3225,6 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. No partitions will be changed. - - - Current: - - - - - After: - Poslije: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3207,6 +3276,30 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Particije + + + + Current: + @label + + + + + After: + @label + Poslije: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3252,7 +3345,8 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3280,6 +3374,7 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Look-and-Feel + @label @@ -3287,7 +3382,8 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3381,26 +3477,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3419,11 +3501,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3448,6 +3525,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3462,7 +3545,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3471,12 +3555,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3589,22 +3675,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Promjeni veličinu particije %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3614,6 +3703,7 @@ Output: Resize Volume Group + @title @@ -3621,17 +3711,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3648,12 +3745,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3671,7 +3770,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3736,81 +3836,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3824,32 +3939,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3898,7 +4014,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3917,7 +4034,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3935,7 +4053,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3985,7 +4104,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -4008,7 +4128,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4037,7 +4158,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4100,6 +4222,7 @@ Output: Feedback + @title @@ -4107,7 +4230,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4266,11 +4390,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4283,12 +4402,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Dobrodošli @@ -4297,6 +4423,7 @@ Output: Welcome + @title Dobrodošli @@ -4304,7 +4431,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4720,21 +4848,11 @@ Output: What is your name? Kako se zovete? - - - Your Full Name - - What name do you want to use to log in? Koje ime želite koristiti da se prijavite? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4755,11 +4873,6 @@ Output: What is the name of this computer? Kako želite nazvati ovaj računar? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4781,13 +4894,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4805,11 +4923,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4825,16 +4963,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4853,21 +4981,11 @@ Output: What is your name? Kako se zovete? - - - Your Full Name - - What name do you want to use to log in? Koje ime želite koristiti da se prijavite? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4888,9 +5006,19 @@ Output: What is the name of this computer? Kako želite nazvati ovaj računar? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4920,7 +5048,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4943,16 +5081,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4989,12 +5117,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5018,12 +5146,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_sv.ts b/lang/calamares_sv.ts index 9bc66de300..e1124e072d 100644 --- a/lang/calamares_sv.ts +++ b/lang/calamares_sv.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Hantera inställningar för automatisk montering + Managing auto-mount settings… + @status + Hanterar inställningar för automatisk montering… @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record på %1 Boot Partition - Startpartition + @info + Uppstartspartition System Partition + @info Systempartition Do not install a boot loader + @label Installera inte någon starthanterare @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Ställ in - + Install @label Installera @@ -632,18 +637,27 @@ Alla ändringar kommer att gå förlorade. ChangeFilesystemLabelJob - Set filesystem label on %1. - Sätt filsystem etikett på %1. + Set filesystem label on %1 + @title + Ställ in filsystems etikett på %1. - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Sätt filsystem etikett <strong>%1</strong> på partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Ställ in filsystems etikett <strong>%1</strong> på partition <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Ställer in filsystems etikett <strong>%1</strong> på partition <strong>%2</strong>… + + + + The installer failed to update partition table on disk '%1'. + @info Installationsprogrammet misslyckades med att uppdatera partitionstabellen på disk '%1'. @@ -657,9 +671,20 @@ Alla ändringar kommer att gå förlorade. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuell partitionering</strong><br/>Du kan själv skapa och ändra storlek på partitionerna. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Välj en partition att minska, sen dra i nedre fältet för att ändra storlek</strong> + Select storage de&vice: + @label Välj lagringsenhet: @@ -668,56 +693,49 @@ Alla ändringar kommer att gå förlorade. Current: + @label Nuvarande: After: + @label Efter: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuell partitionering</strong><br/>Du kan själv skapa och ändra storlek på partitionerna. - - Reuse %1 as home partition for %2. - Återanvänd %1 som hempartition för %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Välj en partition att minska, sen dra i nedre fältet för att ändra storlek</strong> + Reuse %1 as home partition for %2 + @label + Återanvänd %1 som hempartition för %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 kommer att förminskas till %2MiB och en ny %3MiB partition kommer att skapas för %4. - - - Boot loader location: - Sökväg till starthanterare: - <strong>Select a partition to install on</strong> + @label <strong>Välj en partition att installera på</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Ingen EFI-partition kunde inte hittas på systemet. Gå tillbaka och partitionera din lagringsenhet manuellt för att ställa in %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI-partitionen %1 kommer att användas för att starta %2. EFI system partition: + @label EFI-partition: @@ -772,38 +790,51 @@ Alla ändringar kommer att gå förlorade. This storage device has one of its partitions <strong>mounted</strong>. + @info Denna lagringsenhet har en av dess partitioner <strong>monterad</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Denna lagringsenhet är en del av en <strong>inaktiv RAID</strong>enhet. - No Swap - Ingen Swap + No swap + @label + Ingen swap - Reuse Swap - Återanvänd Swap + Reuse swap + @label + Återanvänd swap Swap (no Hibernate) + @label Swap (utan viloläge) Swap (with Hibernate) + @label Swap (med viloläge) Swap to file + @label Använd en fil som växlingsenhet + + + Bootloader location: + @label + Plats för starthanterare: + ClearMountsJob @@ -835,12 +866,14 @@ Alla ändringar kommer att gå förlorade. Clear mounts for partitioning operations on %1 + @title Rensa monteringspunkter för partitionering på %1 - Clearing mounts for partitioning operations on %1. - Rensar monteringspunkter för partitionering på %1. + Clearing mounts for partitioning operations on %1… + @status + Rensar monteringspunkter för partitioneringsoperationer på %1. {1...?}  @@ -852,13 +885,10 @@ Alla ändringar kommer att gå förlorade. ClearTempMountsJob - Clear all temporary mounts. - Rensa alla tillfälliga monteringspunkter. - - - Clearing all temporary mounts. - Rensar alla tillfälliga monteringspunkter. + Clearing all temporary mounts… + @status + Rensar alla tillfälliga monteringar... @@ -1007,42 +1037,43 @@ Alla ändringar kommer att gå förlorade. OK! - + Package Selection Paketval - + Please pick a product from the list. The selected product will be installed. Välj en produkt från listan. Den valda produkten kommer att installeras. - + Packages Paket - + Install option: <strong>%1</strong> Installations alternativ: <strong>%1</strong> - + None Ingen - + Summary + @label Översikt - + This is an overview of what will happen once you start the setup procedure. Detta är en översikt över vad som kommer hända när du startar installationsprocessen. - + This is an overview of what will happen once you start the install procedure. Detta är en överblick av vad som kommer att ske när du startar installationsprocessen. @@ -1114,15 +1145,15 @@ Alla ändringar kommer att gå förlorade. - The system language will be set to %1 + The system language will be set to %1. @info - Systemspråket kommer att ställas in på %1. {1?} + Systemspråket kommer ändras till %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Lokalen för siffror och datum kommer att ställas in på %1. {1?} + Systemspråket för siffror och datum kommer sättas till %1. @@ -1199,31 +1230,37 @@ Alla ändringar kommer att gå förlorade. En&crypt + @action Kr%yptera Logical + @label Logisk Primary + @label Primär GPT + @label GPT Mountpoint already in use. Please select another one. + @info Monteringspunkt används redan. Välj en annan. Mountpoint must start with a <tt>/</tt>. + @info Monteringspunkt måste starta med ett <tt>/</tt>. @@ -1231,43 +1268,51 @@ Alla ändringar kommer att gå förlorade. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Skapa ny %1MiB partition på %3 (%2) med poster %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Skapa ny %1MiB partition på %3 (%2) med poster %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Skapa ny %1MiB partition på %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Skapa ny %1MiB partition på %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Skapa ny %2MiB partition på %4 (%3) med filsystem %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Skapa ny %2MiB partition på %4 (%3) med filsystem %1 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Skapa ny <strong>%1MiB</strong> partition på <strong>%3</strong> (%2) med poster <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Skapa ny <strong>1MiB</strong> partition på <strong>%3</strong> (%2) med poster <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Skapa ny <strong>%1MiB</strong> partition på <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Skapa ny <strong>%1MiB</strong> partition på <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Skapa ny <strong>%2MiB</strong>partition på <strong>%4</strong> (%3) med filsystem <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Skapa ny <strong>%2MiB</strong> partition på <strong>%4</strong>(%3) med filsystem <strong>%1</strong> - - - Creating new %1 partition on %2. - Skapar ny %1 partition på %2. + + + Creating new %1 partition on %2… + @status + Skapar ny %1 partition på %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Installationsprogrammet kunde inte skapa partition på disk '%1'. @@ -1303,18 +1348,16 @@ Alla ändringar kommer att gå förlorade. CreatePartitionTableJob - Create new %1 partition table on %2. - Skapa ny %1 partitionstabell på %2. + + Creating new %1 partition table on %2… + @status + Skapar ny %1 partitionstabell på %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Skapa ny <strong>%1</strong> partitionstabell på <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Skapar ny %1 partitionstabell på %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Skapar ny <strong>%1</strong> partitionstabell på <strong>%2</strong> (%3)… @@ -1331,29 +1374,33 @@ Alla ändringar kommer att gå förlorade. - Create user <strong>%1</strong>. - Skapa användare <strong>%1</strong>. - - - - Preserving home directory - Bevara hemkatalogen + Create user <strong>%1</strong> + Skapar användare <strong>%1</strong> - Creating user %1 - Skapar användare %1 + Creating user %1… + @status + Skapar användare %1… + + + + Preserving home directory… + @status + Bevarar hemkatalog...  Configuring user %1 + @status Konfigurerar användare %1 - Setting file permissions - Ställer in filbehörigheter + Setting file permissions… + @status + Ställer in filbehörigheter… @@ -1361,6 +1408,7 @@ Alla ändringar kommer att gå förlorade. Create Volume Group + @title Skapa volymgrupp @@ -1368,18 +1416,16 @@ Alla ändringar kommer att gå förlorade. CreateVolumeGroupJob - Create new volume group named %1. - Skapa ny volymgrupp med namnet %1. + + Creating new volume group named %1… + @status + Skapar ny volymgrupp med namnet %1. {1…?} - Create new volume group named <strong>%1</strong>. - Skapa ny volymgrupp med namnet <strong>%1</strong>. - - - - Creating new volume group named %1. - Skapa ny volymgrupp med namnet %1. + Creating new volume group named <strong>%1</strong>… + @status + Skapar ny volymgrupp med namnet <strong>%1</strong>… @@ -1392,13 +1438,15 @@ Alla ändringar kommer att gå förlorade. - Deactivate volume group named %1. - Deaktivera volymgruppen med namnet %1. + Deactivating volume group named %1… + @status + Deaktivera volymgrupp med namnet %1… - Deactivate volume group named <strong>%1</strong>. - Deaktivera volymgruppen med namnet <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Deaktivera volymgrupp med namnet <strong>%1</strong>… @@ -1410,18 +1458,16 @@ Alla ändringar kommer att gå förlorade. DeletePartitionJob - Delete partition %1. - Ta bort partition %1. + + Deleting partition %1… + @status + Tar bort partition %1. {1…?} - Delete partition <strong>%1</strong>. - Ta bort partition <strong>%1</strong>. - - - - Deleting partition %1. - Tar bort partition %1. + Deleting partition <strong>%1</strong>… + @status + Tar bort partition <strong>%1</strong>… @@ -1606,12 +1652,14 @@ Alla ändringar kommer att gå förlorade. Please enter the same passphrase in both boxes. + @tooltip Vänligen skriv samma lösenord i båda fälten. - Password must be a minimum of %1 characters - Lösenordet måste vara minst %1 tecken + Password must be a minimum of %1 characters. + @tooltip + Lösenordet måste vara minst %1 tecken. @@ -1632,57 +1680,68 @@ Alla ändringar kommer att gå förlorade. Set partition information - Ange partitionsinformation + @title + Ställ in partitionsinformation Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Installera %1 på <strong>ny</strong> %2 system partition med funktioner <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Installera %1 på <strong>ny</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info + Installera %1 på en <strong>ny</strong> %2 system partition - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Skapa <strong>ny</strong>%2 partition med monteringspunkt <strong>%1</strong> och funktioner <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Ställ in en <strong>ny</strong> %2 partition med monteringspunkt <strong>%1</strong> och funktioner <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Skapa <strong>ny</strong> %2 partition med monteringspunkt <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Ställ in en <strong>ny</strong> %2 partition med monteringspunkt <strong>%1</strong>%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Installera %2 på %3 system partition <strong>%1</strong> med funktioner <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Installera %2 på %3 system partition <strong>%1</strong> med funktioner <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Skapa %3 partition <strong>%1</strong>med monteringspunkt <strong>%2</strong>och funktioner <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Installera %2 på %3 system partition <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Skapa %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong> %4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Ställ in %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong> och funktioner <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - Installera %2 på %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Ställ in %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Installera uppstartshanterare på <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Installera starthanterare på <strong>%1</strong>… - - Setting up mount points. - Ställer in monteringspunkter. + + Setting up mount points… + @status + Ställer in monteringspunkter… @@ -1751,24 +1810,27 @@ Alla ändringar kommer att gå förlorade. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Formatera partition %1 (filsystem: %2, storlek: %3 MiB) på %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Formatera partition %1 (filsystem: %2, storlek: %3 MiB) på %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Formatera <strong>%3MiB</strong> partition <strong>%1</strong> med filsystem <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Formatera <strong>%3MiB</strong> partition <strong>%1</strong> med filsystem <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Formatera partition %1 med filsystem %2. + + Formatting partition %1 with file system %2… + @status + Formaterar partition %1 med filsystem %2. {1 ?} {2...?} @@ -2261,20 +2323,38 @@ Alla ändringar kommer att gå förlorade. MachineIdJob - + Generate machine-id. Generera maskin-id. - + Configuration Error Konfigurationsfel - + No root mount point is set for MachineId. Ingen root monteringspunkt är satt för MachineId. + + + + + + File not found + Filen hittades inte + + + + Path <pre>%1</pre> must be an absolute path. + Sökväg <pre>%1</pre> måste vara en absolut sökväg. + + + + Could not create new random file <pre>%1</pre>. + Kunde inte skapa ny slumpmässig fil <pre>%1</pre>. + Map @@ -2804,11 +2884,6 @@ Sök på kartan genom att dra Unknown error Okänt fel - - - Password is empty - Lösenordet är blankt - PackageChooserPage @@ -2865,8 +2940,9 @@ Sök på kartan genom att dra - Keyboard switch: - Tangentbordsväxlare: + Switch Keyboard: + shortcut for switching between keyboard layouts + Byt tangentbordslayout: @@ -2971,31 +3047,37 @@ Sök på kartan genom att dra Home + @label Hem Boot + @label Boot EFI system + @label EFI-system Swap + @label Swap New partition for %1 + @label Ny partition för %1 New partition + @label Ny partition @@ -3011,37 +3093,44 @@ Sök på kartan genom att dra Free Space + @title Ledigt utrymme - New partition + New Partition + @title Ny partition Name + @title Namn File System + @title Filsystem File System Label + @title Filsystem etikett Mount Point + @title Monteringspunkt Size + @title Storlek @@ -3120,16 +3209,6 @@ Sök på kartan genom att dra PartitionViewStep - - - Gathering system information... - Samlar systeminformation... - - - - Partitions - Partitioner - Unsafe partition actions are enabled. @@ -3145,16 +3224,6 @@ Sök på kartan genom att dra No partitions will be changed. Inga partitioner kommer att ändras. - - - Current: - Nuvarande: - - - - After: - Efter: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3206,6 +3275,30 @@ Sök på kartan genom att dra The filesystem must have flag <strong>%1</strong> set. Filsystemet måste ha flagga <strong>%1</strong> satt. + + + Gathering system information… + @status + Samlar systeminformation... + + + + Partitions + @label + Partitioner + + + + Current: + @label + Nuvarande: + + + + After: + @label + Efter: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3251,8 +3344,9 @@ Sök på kartan genom att dra PlasmaLnfJob - Plasma Look-and-Feel Job - Jobb för Plasmas utseende och känsla + Applying Plasma Look-and-Feel… + @status + Verkställer Plasma Titta-och-känn… @@ -3279,6 +3373,7 @@ Sök på kartan genom att dra Look-and-Feel + @label Utseende och känsla @@ -3286,8 +3381,9 @@ Sök på kartan genom att dra PreserveFiles - Saving files for later ... - Sparar filer tills senare ... + Saving files for later… + @status + Sparar filer för senare... @@ -3383,26 +3479,12 @@ Utdata: Standard - - - - - File not found - Filen hittades inte - - - - Path <pre>%1</pre> must be an absolute path. - Sökväg <pre>%1</pre> måste vara en absolut sökväg. - - - + Directory not found Katalog hittades inte - - + Could not create new random file <pre>%1</pre>. Kunde inte skapa ny slumpmässig fil <pre>%1</pre>. @@ -3421,11 +3503,6 @@ Utdata: (no mount point) (ingen monteringspunkt) - - - Unpartitioned space or unknown partition table - Opartitionerat utrymme eller okänd partitionstabell - unknown @@ -3450,6 +3527,12 @@ Utdata: @partition info swap + + + Unpartitioned space or unknown partition table + @info + Opartitionerat utrymme eller okänd partitionstabell + Recommended @@ -3465,8 +3548,9 @@ Utdata: RemoveUserJob - Remove live user from target system - Tar bort live användare från målsystemet + Removing live user from the target system… + @status + Tar bort live användare från målsystemet… @@ -3474,13 +3558,15 @@ Utdata: - Remove Volume Group named %1. - Ta bort volymgrupp med namnet %1. + Removing Volume Group named %1… + @status + Tar bort volymgrupp med namnet %1… - Remove Volume Group named <strong>%1</strong>. - Ta bort volymgrupp med namnet <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Tar bort volymgrupp med namnet <strong>%1</strong>… @@ -3594,22 +3680,25 @@ Installationen kan inte fortsätta.</p> ResizePartitionJob - - Resize partition %1. - Ändra storlek på partition %1. + + Resize partition %1 + @title + Ändra storlek på partition %1 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Ändra <strong>%2MiB</strong>-partitionen <strong>%1</strong> till <strong>%3MB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Ändra storlek på <strong>%2MiB</strong> partition <strong>%1</strong> till <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - Ändrar storlek på partitionen %1 från %2MB till %3MB. + + Resizing %2MiB partition %1 to %3MiB… + @status + Ändrar storlek på %2MiB partition %1 till %3MiB… - + The installer failed to resize partition %1 on disk '%2'. Installationsprogrammet misslyckades med att ändra storleken på partition %1 på disk '%2'. @@ -3619,6 +3708,7 @@ Installationen kan inte fortsätta.</p> Resize Volume Group + @title Ändra storlek på volymgrupp @@ -3626,17 +3716,24 @@ Installationen kan inte fortsätta.</p> ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Ändra storlek på volymgruppen som heter %1 från %2 till %3. + Resize volume group named %1 from %2 to %3 + @title + Ändra storlek på volymgrupp med namnet %1 från %2 till %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Byt storlek på volymgrupp med namn <strong>%1</strong> från <strong>%2</strong>till <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Byt storlek på volymgrupp med namnet <strong>%1</strong> från <strong>%2</strong> till <strong>%3</strong> - + + Resizing volume group named %1 from %2 to %3… + @status + Byter storlek på volymgrupp med namnet %1 från %2 till %3… + + + The installer failed to resize a volume group named '%1'. Installationsprogrammet misslyckades att byta storlek på en volymgrupp med namn '%1'. @@ -3653,13 +3750,15 @@ Installationen kan inte fortsätta.</p> ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Skannar lagringsenheter... - Partitioning - Partitionering + Partitioning… + @status + Partitionerar... @@ -3676,8 +3775,9 @@ Installationen kan inte fortsätta.</p> - Setting hostname %1. - Anger värdnamn %1. + Setting hostname %1… + @status + Anger värdnamn till %1. {1…?} @@ -3741,81 +3841,96 @@ Installationen kan inte fortsätta.</p> SetPartFlagsJob - Set flags on partition %1. - Sätt flaggor på partition %1. + Set flags on partition %1 + @title + Sätter flaggor på partition %1 - Set flags on %1MiB %2 partition. - Sätt flaggor på %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title + Sätter flaggor på %1MiB %2 partition - Set flags on new partition. - Sätt flaggor på ny partition. + Set flags on new partition + @title + Sätter flaggor på ny partition - Clear flags on partition <strong>%1</strong>. - Rensa flaggor på partition <strong>%1</strong>, + Clear flags on partition <strong>%1</strong> + @info + Rensar flaggor på partition <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Rensa flaggor på %1MiB <strong>%2</strong>partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Rensar flaggor %1MiB <strong>%2</strong> partition - Clear flags on new partition. - Rensa flaggor på ny partition. + Clear flags on new partition + @info + Rensar flaggor på ny partition - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Flagga partition <strong>%1</strong> som <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Ställ in flaggor på partition <strong>%1</strong> till <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Flagga %1MiB <strong>%2</strong>partition som <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Ställ in flaggor på %1MiB <strong>%2</strong> partition till <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Flagga ny partition som <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + Ställ in flaggor på ny partition till <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Rensar flaggor på partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Rensar flaggor på partition <strong>%1</strong>… - - Clearing flags on %1MiB <strong>%2</strong> partition. - Rensa flaggor på %1MiB <strong>%2</strong>partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Rensar flaggor på %1MiB <strong>%2</strong>partition… - - Clearing flags on new partition. - Rensar flaggor på ny partition. + + Clearing flags on new partition… + @status + Rensar flaggor på ny partition… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Sätter flaggor <strong>%2</strong> på partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Ställer in flaggor <strong>%2</strong> på partition <strong>%1</strong>… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Sätter flaggor <strong>%3</strong> på %11MiB <strong>%2</strong>partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Ställer in flaggor <strong>%3</strong> på %1MiB <strong>%2</strong> partition… - - Setting flags <strong>%1</strong> on new partition. - Sätter flaggor <strong>%1</strong> på ny partition + + Setting flags <strong>%1</strong> on new partition… + @status + Ställer in flaggor <strong>%1</strong> på ny partition… - + The installer failed to set flags on partition %1. Installationsprogrammet misslyckades med att sätta flaggor på partition %1. @@ -3829,32 +3944,33 @@ Installationen kan inte fortsätta.</p> - Setting password for user %1. - Ställer in lösenord för användaren %1. + Setting password for user %1… + @status + Ställer in lösenord för användaren %1. {1...?} - + Bad destination system path. Ogiltig systemsökväg till målet. - + rootMountPoint is %1 rootMonteringspunkt är %1 - + Cannot disable root account. Kunde inte inaktivera root konto. - + Cannot set password for user %1. Kan inte ställa in lösenord för användare %1. - - + + usermod terminated with error code %1. usermod avslutade med felkod %1. @@ -3903,8 +4019,9 @@ Installationen kan inte fortsätta.</p> SetupGroupsJob - Preparing groups. - Förbereder grupper. + Preparing groups… + @status + Förbereder grupper… @@ -3922,8 +4039,9 @@ Installationen kan inte fortsätta.</p> SetupSudoJob - Configure <pre>sudo</pre> users. - Konfigurerar <pre>sudo</pre> användare. + Configuring <pre>sudo</pre> users… + @status + Konfigurerar <pre>sudo</pre>användare… @@ -3940,8 +4058,9 @@ Installationen kan inte fortsätta.</p> ShellProcessJob - Shell Processes Job - Jobb för skalprocesser + Running shell processes… + @status + Kör skalprocesser... @@ -3990,8 +4109,9 @@ Installationen kan inte fortsätta.</p> - Sending installation feedback. - Skickar installationsåterkoppling + Sending installation feedback… + @status + Skickar installationsåterkoppling… @@ -4013,8 +4133,9 @@ Installationen kan inte fortsätta.</p> - Configuring KDE user feedback. - Konfigurerar KDE användarfeedback. + Configuring KDE user feedback… + @status + Konfigurerar KDE användarfeedback… @@ -4042,8 +4163,9 @@ Installationen kan inte fortsätta.</p> - Configuring machine feedback. - Konfigurerar maskin feedback + Configuring machine feedback… + @status + Konfigurerar maskin feedback… @@ -4105,6 +4227,7 @@ Installationen kan inte fortsätta.</p> Feedback + @title Feedback @@ -4112,8 +4235,9 @@ Installationen kan inte fortsätta.</p> UmountJob - Unmount file systems. - Avmontera filsystem. + Unmounting file systems… + @status + Avmonterar filsystem… @@ -4271,11 +4395,6 @@ Installationen kan inte fortsätta.</p> &Release notes Versionsinformation, &R - - - %1 support - %1-support - About %1 Setup @@ -4288,12 +4407,19 @@ Installationen kan inte fortsätta.</p> @title Om %1 installationsprogrammet + + + %1 Support + @action + %1 Support + WelcomeQmlViewStep Welcome + @title Välkommen @@ -4302,6 +4428,7 @@ Installationen kan inte fortsätta.</p> Welcome + @title Välkommen @@ -4309,8 +4436,9 @@ Installationen kan inte fortsätta.</p> ZfsJob - Create ZFS pools and datasets - Skapa ZFS pools och datasets + Creating ZFS pools and datasets… + @status + Skapar ZFS pools och datasets… @@ -4757,21 +4885,11 @@ Installationen kan inte fortsätta.</p> What is your name? Vad heter du? - - - Your Full Name - Ditt Fullständiga namn - What name do you want to use to log in? Vilket namn vill du använda för att logga in? - - - Login Name - Inloggningsnamn - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4792,11 +4910,6 @@ Installationen kan inte fortsätta.</p> What is the name of this computer? Vad är namnet på datorn? - - - Computer Name - Datornamn - This name will be used if you make the computer visible to others on a network. @@ -4817,16 +4930,21 @@ Installationen kan inte fortsätta.</p> Password Lösenord - - - Repeat Password - Repetera Lösenord - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ange samma lösenord två gånger, så att det kan kontrolleras för stavfel. Ett bra lösenord innehåller en blandning av bokstäver, nummer och interpunktion, bör vara minst åtta tecken långt, och bör ändras regelbundet. + + + Root password + Root lösenord + + + + Repeat root password + Repetera root lösenord + Validate passwords quality @@ -4842,11 +4960,31 @@ Installationen kan inte fortsätta.</p> Log in automatically without asking for the password Logga in automatiskt utan att fråga efter ett lösenord. + + + Your full name + Ditt fullständiga namn + + + + Login name + Inloggningsnamn + + + + Computer name + Datornamn + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Endast bokstäver, nummer, understreck och bindestreck är tillåtet, minst två tecken. + + + Repeat password + Repetera lösenord + Reuse user password as root password @@ -4862,16 +5000,6 @@ Installationen kan inte fortsätta.</p> Choose a root password to keep your account safe. Välj ett root lösenord för att hålla ditt konto säkert. - - - Root Password - Root Lösenord - - - - Repeat Root Password - Repetera Root Lösenord - Enter the same password twice, so that it can be checked for typing errors. @@ -4890,21 +5018,11 @@ Installationen kan inte fortsätta.</p> What is your name? Vad heter du? - - - Your Full Name - Ditt Fullständiga namn - What name do you want to use to log in? Vilket namn vill du använda för att logga in? - - - Login Name - Inloggningsnamn - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4925,9 +5043,19 @@ Installationen kan inte fortsätta.</p> What is the name of this computer? Vad är namnet på datorn? + + + Your full name + Ditt fullständiga namn + + + + Login name + Inloggningsnamn + - Computer Name + Computer name Datornamn @@ -4957,8 +5085,18 @@ Installationen kan inte fortsätta.</p> - Repeat Password - Repetera Lösenord + Repeat password + Repetera lösenord + + + + Root password + Root lösenord + + + + Repeat root password + Repetera root lösenord @@ -4980,16 +5118,6 @@ Installationen kan inte fortsätta.</p> Choose a root password to keep your account safe. Välj ett root lösenord för att hålla ditt konto säkert. - - - Root Password - Root Lösenord - - - - Repeat Root Password - Repetera Root Lösenord - Enter the same password twice, so that it can be checked for typing errors. @@ -5027,12 +5155,12 @@ Installationen kan inte fortsätta.</p> - Known issues - Kända problem + Known Issues + Kända Problem - Release notes + Release Notes Versionsinformation @@ -5057,12 +5185,12 @@ Installationen kan inte fortsätta.</p> - Known issues - Kända problem + Known Issues + Kända Problem - Release notes + Release Notes Versionsinformation diff --git a/lang/calamares_ta_IN.ts b/lang/calamares_ta_IN.ts index 52ee4a50cd..a1b43a1cff 100644 --- a/lang/calamares_ta_IN.ts +++ b/lang/calamares_ta_IN.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info இயக்கப் பகுதிப்பிரிப்பு System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4285,6 +4411,7 @@ Output: Welcome + @title @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4977,12 +5105,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5006,12 +5134,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_te.ts b/lang/calamares_te.ts index d4b115fa36..8fd34754c4 100644 --- a/lang/calamares_te.ts +++ b/lang/calamares_te.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -57,21 +58,25 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి Master Boot Record of %1 + @info %1 యొక్క మాస్టర్ బూట్ రికార్డ్ Boot Partition + @info బూట్ పార్టిషన్ System Partition + @info సిస్టమ్ పార్టిషన్ Do not install a boot loader + @label బూట్ లోడర్‌ను ఇన్‌స్టాల్ చేయవద్దు @@ -167,19 +172,19 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ఇన్‌స్టాల్ @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -769,36 +787,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -832,11 +863,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -849,12 +882,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1111,13 +1142,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1300,17 +1345,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1365,17 +1413,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1389,12 +1435,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1407,17 +1455,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,56 +1677,67 @@ The installer will quit and all changes will be lost. Set partition information + @title విభజన సమాచారం ఏర్పాటు Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1748,23 +1807,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2795,11 +2875,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2856,7 +2931,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2962,31 +3038,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3002,37 +3084,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3111,16 +3200,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3136,16 +3215,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3197,6 +3266,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3242,7 +3335,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3270,6 +3364,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3277,7 +3372,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3371,26 +3467,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3409,11 +3491,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3438,6 +3515,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3452,7 +3535,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3461,12 +3545,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3579,22 +3665,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3604,6 +3693,7 @@ Output: Resize Volume Group + @title @@ -3611,17 +3701,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3638,12 +3735,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3661,7 +3760,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3726,81 +3826,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3814,32 +3929,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3888,7 +4004,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3907,7 +4024,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3925,7 +4043,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3975,7 +4094,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3998,7 +4118,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4027,7 +4148,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4090,6 +4212,7 @@ Output: Feedback + @title @@ -4097,7 +4220,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4256,11 +4380,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4273,12 +4392,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4287,6 +4413,7 @@ Output: Welcome + @title @@ -4294,7 +4421,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4710,21 +4838,11 @@ Output: What is your name? మీ పేరు ఏమిటి ? - - - Your Full Name - - What name do you want to use to log in? ప్రవేశించడానికి ఈ పేరుని ఉపయోగిస్తారు - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4745,11 +4863,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4771,13 +4884,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4795,11 +4913,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4815,16 +4953,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4843,21 +4971,11 @@ Output: What is your name? మీ పేరు ఏమిటి ? - - - Your Full Name - - What name do you want to use to log in? ప్రవేశించడానికి ఈ పేరుని ఉపయోగిస్తారు - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4878,9 +4996,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4910,7 +5038,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4933,16 +5071,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4979,12 +5107,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -5008,12 +5136,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_tg.ts b/lang/calamares_tg.ts index 7eb7164f1e..2b77e71523 100644 --- a/lang/calamares_tg.ts +++ b/lang/calamares_tg.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Идора кардани танзимоти васлкунии худкор + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Сабти роҳандозии асосӣ барои %1 Boot Partition + @info Қисми диски роҳандозӣ System Partition + @info Қисми диски низомӣ Do not install a boot loader + @label Боркунандаи роҳандозӣ насб карда нашавад @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Насбкунӣ @@ -629,18 +634,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info @@ -654,9 +668,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Қисмбандии диск ба таври дастӣ</strong><br/>Шумо худатон метавонед қисмҳои дискро эҷод кунед ё андозаи онҳоро иваз намоед. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Қисми дискеро, ки мехоҳед хурдтар кунед, интихоб намоед, пас лавҳаи поёнро барои ивази андоза кашед</strong> + Select storage de&vice: + @label Интихоби дастгоҳи &захирагоҳ: @@ -665,56 +690,49 @@ The installer will quit and all changes will be lost. Current: + @label Танзимоти ҷорӣ: After: + @label Баъд аз тағйир: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Қисмбандии диск ба таври дастӣ</strong><br/>Шумо худатон метавонед қисмҳои дискро эҷод кунед ё андозаи онҳоро иваз намоед. - - Reuse %1 as home partition for %2. - Дубора истифода бурдани %1 ҳамчун диски асосӣ барои %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Қисми дискеро, ки мехоҳед хурдтар кунед, интихоб намоед, пас лавҳаи поёнро барои ивази андоза кашед</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 то андозаи %2MiB хурдтар мешавад ва қисми диски нав бо андозаи %3MiB барои %4 эҷод карда мешавад. - - - Boot loader location: - Ҷойгиршавии боркунандаи роҳандозӣ: - <strong>Select a partition to install on</strong> + @label <strong>Қисми дискеро барои насб интихоб намоед</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Қисми диски низомии EFI дар дохили низоми ҷорӣ ёфт нашуд. Лутфан, ба қафо гузаред ва барои танзим кардани %1 аз имкони қисмбандии диск ба таври дастӣ истифода баред. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Қисми диски низомии EFI дар %1 барои оғоз кардани %2 истифода бурда мешавад. EFI system partition: + @label Қисми диски низомии: @@ -769,38 +787,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info Яке аз қисмҳои диски ин дастгоҳи захирагоҳ <strong>васлшуда</strong> мебошад. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Ин дастгоҳи захирагоҳ қисми дасгоҳи <strong>RAID-и ғайрифаъол</strong> мебошад. - No Swap - Бе мубодила + No swap + @label + - Reuse Swap - Истифодаи муҷаддади мубодила + Reuse swap + @label + Swap (no Hibernate) + @label Мубодила (бе реҷаи Нигаҳдорӣ) Swap (with Hibernate) + @label Мубодила (бо реҷаи Нигаҳдорӣ) Swap to file + @label Мубодила ба файл + + + Bootloader location: + @label + + ClearMountsJob @@ -832,12 +863,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Пок кардани васлҳо барои амалиётҳои қисмбандӣ дар %1 - Clearing mounts for partitioning operations on %1. - Поксозии васлҳо барои амалиётҳои қисмбандӣ дар %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -849,13 +882,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Пок кардани ҳамаи васлҳои муваққатӣ. - - - Clearing all temporary mounts. - Поксозии ҳамаи васлҳои муваққатӣ. + Clearing all temporary mounts… + @status + @@ -1004,42 +1034,43 @@ The installer will quit and all changes will be lost. ХУБ! - + Package Selection Интихоби бастаҳо - + Please pick a product from the list. The selected product will be installed. Лутфан, маҳсулеро аз рӯйхат интихоб намоед. Маҳсули интихобшуда насб карда мешавад. - + Packages Бастаҳо - + Install option: <strong>%1</strong> - + None Ҳеҷ чиз - + Summary + @label Ҷамъбаст - + This is an overview of what will happen once you start the setup procedure. Дар ин ҷамъбаст шумо мебинед, ки чӣ мешавад пас аз он ки шумо раванди танзимкуниро оғоз мекунед. - + This is an overview of what will happen once you start the install procedure. Дар ин ҷамъбаст шумо мебинед, ки чӣ мешавад пас аз он ки шумо раванди насбкуниро оғоз мекунед. @@ -1111,15 +1142,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + Забони низом ба %1 танзим карда мешавад. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Низоми рақамҳо ва санаҳо ба %1 танзим карда мешавад. @@ -1196,31 +1227,37 @@ The installer will quit and all changes will be lost. En&crypt + @action &Рамзгузорӣ Logical + @label Мантиқӣ Primary + @label Асосӣ GPT + @label GPT Mountpoint already in use. Please select another one. + @info Нуқтаи васл аллакай дар истифода аст. Лутфан, нуқтаи васли дигареро интихоб намоед. Mountpoint must start with a <tt>/</tt>. + @info @@ -1228,43 +1265,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - Қисми диски нав бо ҳаҷми %2MiB дар %4 (%3) бо низоми файлии %1 эҷод карда мешавад. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Қисми диски нав бо ҳаҷми <strong>%2MiB</strong> дар <strong>%4</strong> (%3) бо низоми файлии <strong>%1</strong> эҷод карда мешавад. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Эҷодкунии қисми диски нави %1 дар %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Насбкунанда қисми дискро дар '%1' эҷод карда натавонист. @@ -1300,18 +1345,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Ҷадвали қисми диски нави %1 дар %2 эҷод карда мешавад. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Ҷадвали қисми диски нави <strong>%1</strong> дар <strong>%2</strong> (%3) эҷод карда мешавад. - - - - Creating new %1 partition table on %2. - Эҷодкунии ҷадвали қисми диски нави %1 дар %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1328,28 +1371,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Эҷод кардани корбари <strong>%1</strong>. - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1358,6 +1405,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Эҷод кардани гурӯҳи ҳаҷм @@ -1365,18 +1413,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - Гурӯҳи ҳаҷми нав бо номи %1 эҷод карда мешавад. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Гурӯҳи ҳаҷми нав бо номи <strong>%1</strong> эҷод карда мешавад. - - - - Creating new volume group named %1. - Эҷодкунии гурӯҳи ҳаҷм бо номи %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1389,13 +1435,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - Ғайрифаъол кардани гурӯҳи ҳаҷм бо номи %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Ғайрифаъол кардани гурӯҳи ҳаҷм бо номи <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1407,18 +1455,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Қисми диски %1 нест карда мешавад. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Қисми диски <strong>%1</strong> нест карда мешавад. - - - - Deleting partition %1. - Несткунии қисми диски %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1603,11 +1649,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Лутфан, гузарвожаи ягонаро дар ҳар дуи сатр ворид намоед. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1629,57 +1677,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Танзими иттилооти қисми диск Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Насбкунии %1 дар қисми диски низомии <strong>нави</strong> %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Насбкунии %2 дар қисми диски низомии %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Боркунандаи роҳандозӣ дар <strong>%1</strong> насб карда мешавад. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Танзимкунии нуқтаҳои васл. + + Setting up mount points… + @status + @@ -1748,24 +1807,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Шаклбандии қисми диски %1 (низоми файлӣ: %2, андоза: %3 МБ) дар %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Шаклбандии қисми диск бо ҳаҷми <strong>%3MiB</strong> - <strong>%1</strong> бо низоми файлии <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Шаклбандии қисми диски %1 бо низоми файлии %2. + + Formatting partition %1 with file system %2… + @status + @@ -2258,20 +2320,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Эҷодкунии рақами мушаххаси компютер (machine-id). - + Configuration Error Хатои танзимкунӣ - + No root mount point is set for MachineId. Нуқтаи васли реша (root) барои MachineId танзим нашудааст. + + + + + + File not found + Файл ёфт нашуд + + + + Path <pre>%1</pre> must be an absolute path. + Масири <pre>%1</pre> бояд масири мутлақ бошад. + + + + Could not create new random file <pre>%1</pre>. + Файл тасодуфии нави <pre>%1</pre> эҷод карда нашуд. + Map @@ -2799,11 +2879,6 @@ The installer will quit and all changes will be lost. Unknown error Хатои номаълум - - - Password is empty - Ниҳонвожаро ворид накардед - PackageChooserPage @@ -2860,7 +2935,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2966,31 +3042,37 @@ The installer will quit and all changes will be lost. Home + @label Асосӣ Boot + @label Роҳандозӣ EFI system + @label Низоми EFI Swap + @label Мубодила New partition for %1 + @label Қисми диски нав барои %1 New partition + @label Қисми диски нав @@ -3006,37 +3088,44 @@ The installer will quit and all changes will be lost. Free Space + @title Фазои озод - New partition - Қисми диски нав + New Partition + @title + Name + @title Ном File System + @title Низоми файлӣ File System Label + @title Mount Point + @title Нуқтаи васл Size + @title Андоза @@ -3115,16 +3204,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Ҷамъкунии иттилооти низомӣ... - - - - Partitions - Қисмҳои диск - Unsafe partition actions are enabled. @@ -3140,16 +3219,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - Танзимоти ҷорӣ: - - - - After: - Баъд аз тағйир: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3201,6 +3270,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Қисмҳои диск + + + + Current: + @label + Танзимоти ҷорӣ: + + + + After: + @label + Баъд аз тағйир: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3246,8 +3339,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Вазифаи намуди зоҳирии Plasma + Applying Plasma Look-and-Feel… + @status + @@ -3274,6 +3368,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Намуди зоҳирӣ @@ -3281,8 +3376,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Нигоҳдории файлҳо барои коркарди минбаъда ... + Saving files for later… + @status + @@ -3378,26 +3474,12 @@ Output: Муқаррар - - - - - File not found - Файл ёфт нашуд - - - - Path <pre>%1</pre> must be an absolute path. - Масири <pre>%1</pre> бояд масири мутлақ бошад. - - - + Directory not found Феҳрист ёфт нашуд - - + Could not create new random file <pre>%1</pre>. Файл тасодуфии нави <pre>%1</pre> эҷод карда нашуд. @@ -3416,11 +3498,6 @@ Output: (no mount point) (бе нуқтаи васл) - - - Unpartitioned space or unknown partition table - Фазои диск бо қисми диски ҷудонашуда ё ҷадвали қисми диски номаълум - unknown @@ -3445,6 +3522,12 @@ Output: @partition info мубодила + + + Unpartitioned space or unknown partition table + @info + Фазои диск бо қисми диски ҷудонашуда ё ҷадвали қисми диски номаълум + Recommended @@ -3460,8 +3543,9 @@ Output: RemoveUserJob - Remove live user from target system - Тоза кардани корбари фаъол аз низоми интихобшуда + Removing live user from the target system… + @status + @@ -3469,13 +3553,15 @@ Output: - Remove Volume Group named %1. - Тоза кардани гурӯҳи ҳаҷм бо номи %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Тоза кардани гурӯҳи ҳаҷм бо номи <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3589,22 +3675,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Иваз кардани андозаи қисми диски %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Андозаи қисми диск бо ҳаҷми <strong>%2MiB</strong> - <strong>%1</strong> ба ҳаҷми<strong>%3MiB</strong> иваз карда мешавад. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Ивазкунии андозаи қисми диски %1 бо ҳаҷми %2MiB то ҳаҷми %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Насбкунанда андозаи қисми диски %1-ро дар диски '%2' иваз карда натавонист. @@ -3614,6 +3703,7 @@ Output: Resize Volume Group + @title Иваз кардани андозаи гурӯҳи ҳаҷм @@ -3621,17 +3711,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Иваз кардани андозаи гурӯҳи ҳаҷм бо номи %1 аз %2 ба %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Иваз кардани андозаи гурӯҳи ҳаҷм бо номи <strong>%1</strong> аз <strong>%2</strong> ба <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + - + + Resizing volume group named %1 from %2 to %3… + @status + + + + The installer failed to resize a volume group named '%1'. Насбкунанда андозаи гурӯҳи ҳаҷмро бо номи '%1' иваз карда натавонист. @@ -3648,13 +3745,15 @@ Output: ScanningDialog - Scanning storage devices... - Ҷустуҷӯи дастгоҳҳои захирагоҳ... + Scanning storage devices… + @status + - Partitioning - Қисмбандии диск + Partitioning… + @status + @@ -3671,8 +3770,9 @@ Output: - Setting hostname %1. - Танзимкунии номи мизбони %1. + Setting hostname %1… + @status + @@ -3736,81 +3836,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Танзим кардани нишонҳо дар қисми диски %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Танзим кардани нишонҳо дар қисми диски %1MiB %2. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Танзим кардани нишонҳо дар қисми диски нав. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Пок кардани нишонҳо дар қисми диски <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Пок кардани нишонҳо дар қисми диски <strong>%2</strong> %1MiB. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Пок кардани нишонҳо дар қисми диски нав. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Нишони қисми диски <strong>%1</strong> ҳамчун <strong>%2</strong> танзим карда мешавад. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Нишони қисми диски <strong>%2</strong> бо ҳаҷми %1MiB <strong>%3</strong> танзим карда мешавад. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Нишони қисми диски нав ҳамчун <strong>%1</strong> танзим карда мешавад. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Поксозии нишонҳо дар қисми диски <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Поксозии нишонҳо дар қисми диски <strong>%2</strong> бо ҳаҷми %1MiB. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Поксозии нишонҳо дар қисми диски нав + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Танзимкунии нишонҳои <strong>%2</strong> дар қисми диски <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Танзимкунии нишонҳои <strong>%3</strong> дар қисми диски <strong>%2</strong> бо ҳаҷми %1MiB. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Танзимкунии нишонҳои <strong>%1</strong> дар қисми диски нав + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Насбкунанда нишонҳоро дар қисми диски %1 танзим карда натавонист. @@ -3824,32 +3939,33 @@ Output: - Setting password for user %1. - Танзимкунии ниҳонвожа барои корбари %1. + Setting password for user %1… + @status + - + Bad destination system path. Масири ҷойи таъиноти низомӣ нодуруст аст. - + rootMountPoint is %1 rootMountPoint: %1 - + Cannot disable root account. Ҳисоби реша (root) ғайрифаъол карда намешавад. - + Cannot set password for user %1. Ниҳонвожа барои корбари %1 танзим карда намешавад. - - + + usermod terminated with error code %1. usermod бо рамзи хатои %1 қатъ шуд. @@ -3898,7 +4014,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3917,7 +4034,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3935,8 +4053,9 @@ Output: ShellProcessJob - Shell Processes Job - Вазифаи равандҳои восит + Running shell processes… + @status + @@ -3985,8 +4104,9 @@ Output: - Sending installation feedback. - Фиристодани алоқаи бозгашти насбкунӣ. + Sending installation feedback… + @status + @@ -4008,8 +4128,9 @@ Output: - Configuring KDE user feedback. - Танзимкунии изҳори назари корбари KDE. + Configuring KDE user feedback… + @status + @@ -4037,8 +4158,9 @@ Output: - Configuring machine feedback. - Танзимкунии алоқаи бозгашти компютерӣ. + Configuring machine feedback… + @status + @@ -4100,6 +4222,7 @@ Output: Feedback + @title Изҳори назар ва алоқаи бозгашт @@ -4107,8 +4230,9 @@ Output: UmountJob - Unmount file systems. - Ҷудо кардани низомҳои файлӣ. + Unmounting file systems… + @status + @@ -4266,11 +4390,6 @@ Output: &Release notes &Қайдҳои нашр - - - %1 support - Дастгирии %1 - About %1 Setup @@ -4283,12 +4402,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Хуш омадед @@ -4297,6 +4423,7 @@ Output: Welcome + @title Хуш омадед @@ -4304,7 +4431,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4742,21 +4870,11 @@ Output: What is your name? Номи шумо чист? - - - Your Full Name - Номи пурраи шумо - What name do you want to use to log in? Кадом номро барои ворид шудан ба низом истифода мебаред? - - - Login Name - Номи корбар - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4777,11 +4895,6 @@ Output: What is the name of this computer? Номи ин компютер чист? - - - Computer Name - Номи компютери шумо - This name will be used if you make the computer visible to others on a network. @@ -4802,16 +4915,21 @@ Output: Password Ниҳонвожаро ворид намоед - - - Repeat Password - Ниҳонвожаро тасдиқ намоед - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ниҳонвожаи ягонаро ду маротиба ворид намоед, то ки он барои хатоҳои имлоӣ тафтиш карда шавад. Ниҳонвожаи хуб бояд дар омезиш калимаҳо, рақамҳо ва аломатҳои китобатиро дар бар гирад, ақаллан аз ҳашт аломат иборат шавад ва мунтазам иваз карда шавад. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4827,11 +4945,31 @@ Output: Log in automatically without asking for the password Ба таври худкор бе дархости ниҳонвожа ворид карда шавад + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4847,16 +4985,6 @@ Output: Choose a root password to keep your account safe. Барои эмин нигоҳ доштани ҳисоби худ ниҳонвожаи root-ро интихоб намоед. - - - Root Password - Ниҳонвожаи root - - - - Repeat Root Password - Ниҳонвожаи root-ро тасдиқ намоед - Enter the same password twice, so that it can be checked for typing errors. @@ -4875,21 +5003,11 @@ Output: What is your name? Номи шумо чист? - - - Your Full Name - Номи пурраи шумо - What name do you want to use to log in? Кадом номро барои ворид шудан ба низом истифода мебаред? - - - Login Name - Номи корбар - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,10 +5028,20 @@ Output: What is the name of this computer? Номи ин компютер чист? + + + Your full name + + + + + Login name + + - Computer Name - Номи компютери шумо + Computer name + @@ -4942,8 +5070,18 @@ Output: - Repeat Password - Ниҳонвожаро тасдиқ намоед + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4965,16 +5103,6 @@ Output: Choose a root password to keep your account safe. Барои эмин нигоҳ доштани ҳисоби худ ниҳонвожаи root-ро интихоб намоед. - - - Root Password - Ниҳонвожаи root - - - - Repeat Root Password - Ниҳонвожаи root-ро тасдиқ намоед - Enter the same password twice, so that it can be checked for typing errors. @@ -5012,13 +5140,13 @@ Output: - Known issues - Масъалаҳои маълум + Known Issues + - Release notes - Қайдҳои нашр + Release Notes + @@ -5042,13 +5170,13 @@ Output: - Known issues - Масъалаҳои маълум + Known Issues + - Release notes - Қайдҳои нашр + Release Notes + diff --git a/lang/calamares_th.ts b/lang/calamares_th.ts index 731170d4a1..79018f2ab5 100644 --- a/lang/calamares_th.ts +++ b/lang/calamares_th.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Master Boot Record ของ %1 Boot Partition + @info พาร์ทิชันบูต System Partition + @info พาร์ทิชันระบบ Do not install a boot loader + @label ไม่ต้องติดตั้งบูตโหลดเดอร์ @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label ติดตั้ง @@ -626,18 +631,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info ตัวติดตั้งไม่สามารถอัพเดทตารางพาร์ทิชันบนดิสก์ '%1' @@ -651,9 +665,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>กำหนดพาร์ทิชันด้วยตนเอง</strong><br/>คุณสามารถสร้างหรือเปลี่ยนขนาดของพาร์ทิชันได้ด้วยตนเอง + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>เลือกพาร์ทิชันที่จะลดขนาด แล้วลากแถบด้านล่างเพื่อปรับขนาด</strong> + Select storage de&vice: + @label เลือกอุปก&รณ์จัดเก็บ: @@ -662,56 +687,49 @@ The installer will quit and all changes will be lost. Current: + @label ปัจจุบัน: After: + @label หลัง: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>กำหนดพาร์ทิชันด้วยตนเอง</strong><br/>คุณสามารถสร้างหรือเปลี่ยนขนาดของพาร์ทิชันได้ด้วยตนเอง - - Reuse %1 as home partition for %2. + Reuse %1 as home partition for %2 + @label - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>เลือกพาร์ทิชันที่จะลดขนาด แล้วลากแถบด้านล่างเพื่อปรับขนาด</strong> - %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name - - - Boot loader location: - ที่อยู่บูตโหลดเดอร์: - <strong>Select a partition to install on</strong> + @label <strong>เลือกพาร์ทิชันที่จะติดตั้ง</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name ไม่พบพาร์ทิชันสำหรับระบบ EFI อยู่ที่ไหนเลยในระบบนี้ กรุณากลับไปเลือกใช้การแบ่งพาร์ทิชันด้วยตนเอง เพื่อติดตั้ง %1 The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name พาร์ทิชันสำหรับระบบ EFI ที่ %1 จะถูกใช้เพื่อเริ่มต้น %2 EFI system partition: + @label พาร์ทิชันสำหรับระบบ EFI: @@ -766,36 +784,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -829,12 +860,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title ล้างจุดเชื่อมต่อสำหรับการแบ่งพาร์ทิชันบน %1 - Clearing mounts for partitioning operations on %1. - กำลังล้างจุดเชื่อมต่อสำหรับการดำเนินงานเกี่ยวกับพาร์ทิชันบน %1 + Clearing mounts for partitioning operations on %1… + @status + @@ -846,13 +879,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - ล้างจุดเชื่อมต่อชั่วคราวทั้งหมด - - - Clearing all temporary mounts. - กำลังล้างจุดเชื่อมต่อชั่วคราวทุกจุด + Clearing all temporary mounts… + @status + @@ -1001,42 +1031,43 @@ The installer will quit and all changes will be lost. ตกลง! - + Package Selection เลือกแพ็กเกจ - + Please pick a product from the list. The selected product will be installed. เลือกผลิตภัณฑ์จากรายการ ผลิตภัณฑ์ที่เลือกไว้จะถูกติดตั้ง - + Packages แพ็กเกจ - + Install option: <strong>%1</strong> - + None - + Summary + @label สาระสำคัญ - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1108,15 +1139,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + ภาษาของระบบจะถูกตั้งค่าเป็น %1 - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + ตำแหน่งที่ตั้งสำหรับหมายเลขและวันที่จะถูกตั้งค่าเป็น %1 @@ -1193,31 +1224,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label โลจิคอล Primary + @label หลัก GPT + @label GPT Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1225,43 +1262,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info ตัวติดตั้งไม่สามารถสร้างพาร์ทิชันบนดิสก์ '%1' @@ -1297,18 +1342,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - สร้างตารางพาร์ทิชัน %1 ใหม่บน %2 + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - สร้างตารางพาร์ทิชัน <strong>%1</strong> ใหม่บน <strong>%2</strong> (%3) - - - - Creating new %1 partition table on %2. - กำลังสร้างตารางพาร์ทิชัน %1 ใหม่บน %2 + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1325,28 +1368,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - สร้างผู้ใช้ <strong>%1</strong> - - - - Preserving home directory + Create user <strong>%1</strong> - Creating user %1 - กำลังสร้างผู้ใช้ %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status กำลังกำหนดค่าผู้ใช้ %1 - Setting file permissions + Setting file permissions… + @status @@ -1355,6 +1402,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1362,17 +1410,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1386,12 +1432,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1404,18 +1452,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - ลบพาร์ทิชัน %1 + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - ลบพาร์ทิชัน <strong>%1</strong> - - - - Deleting partition %1. - กำลังลบพาร์ทิชัน %1 + Deleting partition <strong>%1</strong>… + @status + @@ -1600,11 +1646,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1626,56 +1674,67 @@ The installer will quit and all changes will be lost. Set partition information + @title ตั้งค่าข้อมูลพาร์ทิชัน Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1745,23 +1804,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2255,20 +2317,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + ไม่พบไฟล์ + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2783,11 +2863,6 @@ The installer will quit and all changes will be lost. Unknown error ข้อผิดพลาดที่ไม่รู้จัก - - - Password is empty - รหัสผ่านว่าง - PackageChooserPage @@ -2844,7 +2919,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2950,31 +3026,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label พาร์ทิชันใหม่ @@ -2990,37 +3072,44 @@ The installer will quit and all changes will be lost. Free Space + @title พื้นที่ว่าง - New partition - พาร์ทิชันใหม่ + New Partition + @title + Name + @title ชื่อ File System + @title ระบบไฟล์ File System Label + @title Mount Point + @title จุดเชื่อมต่อ Size + @title ขนาด @@ -3099,16 +3188,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - กำลังรวบรวมข้อมูลของระบบ... - - - - Partitions - พาร์ทิชัน - Unsafe partition actions are enabled. @@ -3124,16 +3203,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - ปัจจุบัน: - - - - After: - หลัง: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3185,6 +3254,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + พาร์ทิชัน + + + + Current: + @label + ปัจจุบัน: + + + + After: + @label + หลัง: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3230,7 +3323,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3258,6 +3352,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3265,7 +3360,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3359,26 +3455,12 @@ Output: ค่าเริ่มต้น - - - - - File not found - ไม่พบไฟล์ - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3397,11 +3479,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3426,6 +3503,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3440,7 +3523,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3449,12 +3533,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3567,22 +3653,25 @@ Output: ResizePartitionJob - - Resize partition %1. - เปลี่ยนขนาดพาร์ทิชัน %1 + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. ตัวติดตั้งไม่สามารถเปลี่ยนขนาดพาร์ทิชัน %1 บนดิสก์ '%2' @@ -3592,6 +3681,7 @@ Output: Resize Volume Group + @title @@ -3599,17 +3689,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3626,12 +3723,14 @@ Output: ScanningDialog - Scanning storage devices... - กำลังสแกนอุปกรณ์จัดเก็บข้อมูล... + Scanning storage devices… + @status + - Partitioning + Partitioning… + @status @@ -3649,7 +3748,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3714,81 +3814,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3802,32 +3917,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. path ของระบบเป้าหมายไม่ถูกต้อง - + rootMountPoint is %1 rootMountPoint คือ %1 - + Cannot disable root account. - + Cannot set password for user %1. ไม่สามารถตั้งค่ารหัสผ่านสำหรับผู้ใช้ %1 - - + + usermod terminated with error code %1. usermod จบด้วยโค้ดข้อผิดพลาด %1 @@ -3876,7 +3992,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3895,8 +4012,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - กำหนดค่าผู้ใช้ <pre>sudo</pre> + Configuring <pre>sudo</pre> users… + @status + @@ -3913,7 +4031,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3963,7 +4082,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3986,7 +4106,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4015,7 +4136,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4078,6 +4200,7 @@ Output: Feedback + @title @@ -4085,7 +4208,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4244,11 +4368,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4261,12 +4380,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title ยินดีต้อนรับ @@ -4275,6 +4401,7 @@ Output: Welcome + @title ยินดีต้อนรับ @@ -4282,7 +4409,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4698,21 +4826,11 @@ Output: What is your name? ชื่อของคุณคืออะไร? - - - Your Full Name - ชื่อเต็มของคุณ - What name do you want to use to log in? ใส่ชื่อที่คุณต้องการใช้ในการเข้าสู่ระบบ - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4733,11 +4851,6 @@ Output: What is the name of this computer? คอมพิวเตอร์เครื่องนี้ชื่ออะไร? - - - Computer Name - ชื่อคอมพิวเตอร์ - This name will be used if you make the computer visible to others on a network. @@ -4758,16 +4871,21 @@ Output: Password รหัสผ่าน - - - Repeat Password - กรอกรหัสผ่านซ้ำ - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4783,11 +4901,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4803,16 +4941,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4831,21 +4959,11 @@ Output: What is your name? ชื่อของคุณคืออะไร? - - - Your Full Name - ชื่อเต็มของคุณ - What name do you want to use to log in? ใส่ชื่อที่คุณต้องการใช้ในการเข้าสู่ระบบ - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4866,10 +4984,20 @@ Output: What is the name of this computer? คอมพิวเตอร์เครื่องนี้ชื่ออะไร? + + + Your full name + + + + + Login name + + - Computer Name - ชื่อคอมพิวเตอร์ + Computer name + @@ -4898,8 +5026,18 @@ Output: - Repeat Password - กรอกรหัสผ่านซ้ำ + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4921,16 +5059,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4967,12 +5095,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4996,12 +5124,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_tr_TR.ts b/lang/calamares_tr_TR.ts index 0579d0eef1..17a6a4dec4 100644 --- a/lang/calamares_tr_TR.ts +++ b/lang/calamares_tr_TR.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Otomatik bağlama ayarlarını yönet + Managing auto-mount settings… + @status + Otomatik bağlama ayarları yönetimi… @@ -43,12 +44,12 @@ This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - Bu sistem, bir <strong>EFI</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir EFI ortamından başlatmayı yapılandırmak için bu kurulum programı, bir <strong>EFI Sistem Bölüntüsü</strong>'nde <strong>GRUB</strong> veya <strong>systemd-boot</strong> gibi bir önyükleyici yerleştirmelidir. Bu işlem, elle bölüntülendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölüntülendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. + Bu sistem, bir <strong>EFI</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir EFI ortamından başlatmayı yapılandırmak için bu kurulum programı, bir <strong>EFI Sistem Bölümü</strong>'nde <strong>GRUB</strong> veya <strong>systemd-boot</strong> gibi bir önyükleyici yerleştirmelidir. Bu işlem, elle bölümlendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölümlendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - Bu sistem, bir <strong>BIOS</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir BIOS ortamından başlatmayı yapılandırmak için bu kurulum programı, bir bölüntünün başına veya bölüntüleme tablosunun başlangıcındaki <strong>Ana Önyükleme Kaydı</strong>'na (yeğlenen) <strong>GRUB</strong> gibi bir önyükleyici kurmalıdır. Bu işlem, elle bölüntülendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölüntülendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. + Bu sistem, bir <strong>BIOS</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir BIOS ortamından başlatmayı yapılandırmak için bu kurulum programı, bir bölümün başına veya bölümleme tablosunun başlangıcındaki <strong>Ana Önyükleme Kaydı</strong>'na (yeğlenen) <strong>GRUB</strong> gibi bir önyükleyici kurmalıdır. Bu işlem, elle bölümlendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölümlendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 Ana Önyükleme Kaydı Boot Partition - Önyükleme Bölüntüsü + @info + Önyükleme Bölümü System Partition - Sistem Bölüntüsü + @info + Sistem Bölümü Do not install a boot loader + @label Bir önyükleyici kurma @@ -165,22 +170,22 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - %%p + %​%p - + Set Up @label Ayarla - + Install @label - Kur + Sistem Kurulumu @@ -193,7 +198,7 @@ Programmed job failure was explicitly requested. - Programlanmış iş arızası açıkça istendi. + Programlanan iş arızası açıkça istenmişti. @@ -471,7 +476,7 @@ &Install Now @button - Şimdi &Yükle + Şimdi &Kur @@ -633,19 +638,28 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. ChangeFilesystemLabelJob - Set filesystem label on %1. - %1 üzerindeki dosya sistemi etiketini ayarla. + Set filesystem label on %1 + @title + %1 üzerindeki dosya sistemi etiketini ayarla - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - <strong>%1</strong> dosya sistemi etiketini <strong>%2</strong> bölüntüsüne ayarla. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + <strong>%1</strong> dosya sistemi etiketini <strong>%2</strong> bölümüne ayarla - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + <strong>%1</strong> dosya sistemi etiketini <strong>%2</strong> bölümüne ayarla + + + + The installer failed to update partition table on disk '%1'. - Kurulum programı, '%1' diskindeki bölüntü tablosunu güncelleyemedi. + @info + Kurulum programı, '%1' diskindeki bölümleme tablosunu güncelleyemedi. @@ -658,9 +672,20 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Elle bölümleme</strong><br/>Kendiniz bölümler oluşturabilir ve boyutlandırabilirsiniz. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Küçültmek için bir bölüm seçip alttaki çubuğu sürükleyerek boyutlandır</strong> + Select storage de&vice: + @label Depolama ay&gıtı seç: @@ -669,57 +694,50 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. Current: - Geçerli: + @label + Şu anki durum: After: + @label Sonrası: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Elle bölüntüleme</strong><br/>Kendiniz bölüntüler oluşturabilir ve boyutlandırabilirsiniz. - - Reuse %1 as home partition for %2. - %1 bölüntüsünü %2 için ev bölüntüsü olarak yeniden kullan. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Küçültmek için bir bölüm seçip alttaki çubuğu sürükleyerek boyutlandır</strong> + Reuse %1 as home partition for %2 + @label + %1'i %2 için ana bölüm olarak yeniden kullanın. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - %1, %2 MB olarak küçültülecek ve %4 için yeni bir %3 MB disk bölüntüsü oluşturulacak. - - - - Boot loader location: - Önyükleyici konumu: + @info, %1 is partition name, %4 is product name + %1, %2 MB olarak küçültülecek ve %4 için yeni bir %3 MB disk bölümü oluşturulacak. <strong>Select a partition to install on</strong> + @label <strong>Üzerine kurulum yapılacak disk bölümünü seç</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - Bu sistemde bir EFI sistem bölüntüsü bulunamadı. Lütfen geri için ve %1 ayar süreci için elle bölüntüleme gerçekleştirin. + @info, %1 is product name + Bu sistemde bir EFI sistem bölümü bulunamadı. Lütfen geri için ve %1 ayar süreci için elle bölümlendirme gerçekleştirin. The EFI system partition at %1 will be used for starting %2. - %1 konumundaki EFI sistem bölüntüsü, %2 başlatılması için kullanılacak. + @info, %1 is partition path, %2 is product name + %1 konumundaki EFI sistem bölümü, %2 başlatılması için kullanılacak. EFI system partition: - EFI sistem bölüntüsü: + @label + EFI sistem bölümü: @@ -740,7 +758,7 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. <strong>Install alongside</strong><br/>The installer will shrink a partition to make room for %1. - <strong>Yanına kur</strong><br/>Kurulum programı, %1 için yer açmak üzere bir bölüntüyü küçültecektir. + <strong>Yanına kur</strong><br/>Kurulum programı, %1 için yer açmak üzere bir bölümü küçültecektir. @@ -748,7 +766,7 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. <strong>Replace a partition</strong><br/>Replaces a partition with %1. - <strong>Bir bölüntüyü başkasıyla değiştir</strong><br/>Bir bölüntüyü %1 ile değiştirir. + <strong>Bir bölümü başkasıyla değiştir</strong><br/>Bir bölümü %1 ile değiştirir. @@ -768,43 +786,56 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. This storage device already has an operating system on it, but the partition table <strong>%1</strong> is different from the needed <strong>%2</strong>.<br/> - Bu depolama aygıtında halihazırda bir işletim sistemi var; ancak <strong>%1</strong> bölüntüleme tablosu, gereken <strong>%2</strong> tablosundan farklı.<br/> + Bu depolama aygıtında halihazırda bir işletim sistemi var; ancak <strong>%1</strong> bölümlendirme tablosu, gereken <strong>%2</strong> tablosundan farklı.<br/> This storage device has one of its partitions <strong>mounted</strong>. - Bu depolama aygıtının bölüntülerinden biri <strong>bağlı</strong>. + @info + Bu depolama aygıtının bölümlerinden biri <strong>bağlı</strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Bu depolama aygıtı, <strong>etkin olmayan bir RAID</strong> aygıtının parçasıdır. - No Swap - Takas Alanı Yok + No swap + @label + Takas alanı yok - Reuse Swap - Takas Alanının Yeniden Kullan + Reuse swap + @label + Takas işlemini yeniden kullan Swap (no Hibernate) + @label Takas Alanı (Hazırda Bekletme Kullanılamaz) Swap (with Hibernate) + @label Takas Alanı (Hazırda Beklet ile) Swap to file + @label Dosyaya Takas Yaz + + + Bootloader location: + @label + Önyükleyici konumu: + ClearMountsJob @@ -836,12 +867,14 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. Clear mounts for partitioning operations on %1 - %1 üzerinde gerçekleştirilecek bölüntüleme işlemleri için bağlantıları kes + @title + %1 üzerinde gerçekleştirilecek bölümleme işlemleri için bağlantıları kes - Clearing mounts for partitioning operations on %1. - %1 üzerinde gerçekleştirilecek bölüntüleme işlemleri için bağlantılar kesiliyor. + Clearing mounts for partitioning operations on %1… + @status + %1 üzerinde bölümleme işlemleri için bağlar temizleniyor. {1…?} @@ -853,13 +886,10 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. ClearTempMountsJob - Clear all temporary mounts. - Tüm geçici bağlantıları kes. - - - Clearing all temporary mounts. - Tüm geçici bağlantılar kesiliyor. + Clearing all temporary mounts… + @status + Tüm geçici bağlantılar kesiliyor.... @@ -1009,42 +1039,43 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir TAMAM! - + Package Selection Paket Seçimi - + Please pick a product from the list. The selected product will be installed. Lütfen listeden bir ürün seçin. Seçili ürün kurulacak. - + Packages Paketler - + Install option: <strong>%1</strong> Kurulum seçeneği: <strong>%1</strong> - + None Yok - + Summary - Özet + @label + Kurulum Özeti - + This is an overview of what will happen once you start the setup procedure. Bu, kurulum prosedürünü başlattıktan sonra neler olacağının genel bir görünümüdür. - + This is an overview of what will happen once you start the install procedure. Kurulum süreci başladıktan sonra yapılacak işlere genel bir bakış. @@ -1116,15 +1147,15 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir - The system language will be set to %1 + The system language will be set to %1. @info - Sistem dili %1 olarak ayarlanacak. {1?} + Sistem dili %1 olarak ayarlanacak. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Sayılar ve tarihler yerel ayarı %1 olarak ayarlanacak. {1?} + Sayılar ve günler için sistem yereli %1 olarak ayarlanacak. @@ -1141,7 +1172,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Create a Partition - Yeni Bölüntü Oluştur + Yeni Bölüm Oluştur @@ -1156,7 +1187,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Partition &Type: - Bölüntü &türü: + Bölüm &türü: @@ -1201,31 +1232,37 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir En&crypt + @action Şif&rele Logical + @label Mantıksal Primary + @label Birincil GPT + @label GPT Mountpoint already in use. Please select another one. + @info Bağlama noktası halihazırda kullanımda. Lütfen başka bir tane seçin. Mountpoint must start with a <tt>/</tt>. + @info Bağlantı noktası bir <tt>/</tt> ile başlamalıdır. @@ -1233,44 +1270,52 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - %3 (%2) üzerinde %4 girdileriyle ile yeni bir %1 MiB bölüntü oluştur. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + %3 (%2) üzerinde %4 girişleriyle yeni %1MiB bölümü oluşturun. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - %3 (%2) üzerinde yeni bir %1 MiB bölüntü oluştur. + Create new %1MiB partition on %3 (%2) + @title + %3 (%2) üzerinde yeni bir %1 MB bölüm oluştur - Create new %2MiB partition on %4 (%3) with file system %1. - %4 üzerinde (%3) ile %1 dosya sisteminde %2 MB bölüntü oluştur. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + %4 üzerinde (%3) ile %1 dosya sisteminde %2 MB bölüm oluştur - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - <strong>%3</strong> (%2) üzerinde <em>%4</em> girdisi ile yeni bir <strong>%1 MiB</strong> bölüntü oluştur. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + <strong>%3</strong> (%2) üzerinde <em>%4</em> girdisi ile yeni bir <strong>%1 MB</strong> bölüm oluştur - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - <strong>%3</strong> (%2) üzerinde yeni bir <strong>%1 MiB</strong> bölüntü oluştur. + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + <strong>%3</strong> (%2) üzerinde yeni bir <strong>%1 MB</strong> bölüm oluştur - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - <strong>%4</strong> (%3) üzerinde ile <strong>%1</strong> dosya sistemiyle <strong>%2 MB</strong>bölüntü oluşturun. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + <strong>%4</strong> (%3) üzerinde ile <strong>%1</strong> dosya sistemiyle <strong>%2 MB</strong>bölüm oluşturun - - - Creating new %1 partition on %2. - %2 üzerinde yeni %1 bölüntüsü oluşturuluyor. + + + Creating new %1 partition on %2… + @status + %2 üzerinde yeni %1 bölümü oluşturuluyor. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. - Kurulum programı, '%1' diskinde bölüntü oluşturamadı. + @info + Kurulum programı, '%1' diskinde bölüm oluşturamadı. @@ -1278,17 +1323,17 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Create Partition Table - Bölüntü Tablosu Oluştur + Bölümlendirme Tablosu Oluştur Creating a new partition table will delete all existing data on the disk. - Yeni bir bölüntü tablosu oluşturmak, disk üzerinde var olan tüm veriyi siler. + Yeni bir bölümledirme tablosu oluşturmak, disk üzerinde var olan tüm veriyi siler. What kind of partition table do you want to create? - Ne tür bir bölüntü tablosu oluşturmak istiyorsunuz? + Ne tür bir bölümlendirme tablosu oluşturmak istiyorsunuz? @@ -1298,30 +1343,28 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir GUID Partition Table (GPT) - GUID Bölüntü Tablosu (GPT) + GUID Bölüm Tablosu (GPT) CreatePartitionTableJob - Create new %1 partition table on %2. - %2 üzerinde %1 yeni bölüntü tablosu oluştur. + + Creating new %1 partition table on %2… + @status + %2 üzerinde yeni %1 bölüm tablosu oluşturuluyor. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - <strong>%2</strong> (%3) üzerinde <strong>%1</strong> yeni bölüntü tablosu oluştur. - - - - Creating new %1 partition table on %2. - %2 üzerinde %1 yeni bölüntü tablosu oluşturuluyor. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Yeni bir <strong>%1</strong> bölüm tablosu oluşturuluyor: <strong>%2</strong> (%3)... The installer failed to create a partition table on %1. - Kurulum programı, %1 üzerinde yeni bir bölüntü tablosu oluşturamadı. + Kurulum programı, %1 üzerinde yeni bir bölüm tablosu oluşturamadı. @@ -1333,29 +1376,33 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir - Create user <strong>%1</strong>. - <strong>%1</strong> kullanıcısını oluştur. - - - - Preserving home directory - Ana klasör korunuyor + Create user <strong>%1</strong> + <strong>%1</strong> kullanıcı oluştur. - Creating user %1 - %1 kullanıcısı oluşturuluyor + Creating user %1… + @status + %1 kullanıcısı oluşturuluyor... + + + + Preserving home directory… + @status + Ana dizin korunuyor Configuring user %1 + @status %1 kullanıcısı yapılandırılıyor - Setting file permissions - Dosya izinleri ayarlanıyor + Setting file permissions… + @status + Dosya izinleri ayarlanıyor... @@ -1363,6 +1410,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Create Volume Group + @title Disk Bölümü Grubu Oluştur @@ -1370,18 +1418,16 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir CreateVolumeGroupJob - Create new volume group named %1. - %1 adında yeni disk bölümü grubu oluştur. + + Creating new volume group named %1… + @status + %1 adında yeni disk bölümü grubu oluşturuluyor. {1…?} - Create new volume group named <strong>%1</strong>. - <strong>%1</strong> adında yeni disk bölümü grubu oluştur. - - - - Creating new volume group named %1. - %1 adında yeni disk bölümü grubu oluşturuluyor. + Creating new volume group named <strong>%1</strong>… + @status + Yeni disk bölümü grubu oluşturuluyor: <strong>%1</strong>... @@ -1394,13 +1440,15 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir - Deactivate volume group named %1. - %1 adlı disk bölümü grubunu devre dışı bırak. + Deactivating volume group named %1… + @status + %1 adlı disk bölümü grubu devre dışı bırakılıyor... - Deactivate volume group named <strong>%1</strong>. - <strong>%1</strong> adlı disk bölümü grubunu devre dışı bırak. + Deactivating volume group named <strong>%1</strong>… + @status + <strong>%1</strong> adlı disk bölümü grubu devre dışı bırakılıyor... @@ -1412,23 +1460,21 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir DeletePartitionJob - Delete partition %1. - %1 bölüntüsünü sil. + + Deleting partition %1… + @status + %1 bölümü siliniyor. {1…?} - Delete partition <strong>%1</strong>. - <strong>%1</strong> bölüntüsünü sil. - - - - Deleting partition %1. - %1 bölüntüsü siliniyor. + Deleting partition <strong>%1</strong>… + @status + Bölüm siliniyor <strong>%1</strong>… The installer failed to delete partition %1. - Kurulum programı, %1 bölüntüsünü silemedi. + Kurulum programı, %1 bölümünü silemedi. @@ -1436,32 +1482,32 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir This device has a <strong>%1</strong> partition table. - Bu aygıtta bir <strong>%1</strong> bölüntü tablosu var. + Bu aygıtta bir <strong>%1</strong> bölüm tablosu var. This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. - Bu bir <strong>döngü</strong> aygıtıdır.<br><br>Bir dosyayı blok aygıtı olarak erişilebilir hale getiren, bölüntü tablosu olmayan yalancı bir aygıttır. Bu tür kurulumlar genellikle yalnızca tek bir dosya sistemi içerir. + Bu bir <strong>döngü</strong> aygıtıdır.<br><br>Bir dosyayı blok aygıtı olarak erişilebilir hale getiren, bölüm tablosu olmayan yalancı bir aygıttır. Bu tür kurulumlar genellikle yalnızca tek bir dosya sistemi içerir. This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - Bu kurulum programı, seçili depolama aygıtındaki bir <strong>bölüntü tablosunu algılayamaz</strong>.<br><br>Aygıtın ya bölüntü tablosu yoktur ya da bölüntü tablosu bozuktur veya bilinmeyen bir türdedir.<br>Bu kurulum programı, kendiliğinden veya elle bölüntüleme sayfası aracılığıyla sizin için yeni bir bölüntü tablosu oluşturabilir. + Bu kurulum programı, seçili depolama aygıtındaki bir <strong>bölüm tablosunu algılayamaz</strong>.<br><br>Aygıtın ya bölüm tablosu yoktur ya da bölüm tablosu bozuktur veya bilinmeyen bir türdedir.<br>Bu kurulum programı, kendiliğinden veya elle bölümleme sayfası aracılığıyla sizin için yeni bir bölüm tablosu oluşturabilir. <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Bu, bir <strong>EFI</strong> önyükleme ortamından başlayan çağdaş sistemler için önerilen bölüntü tablosu türüdür. + <br><br>Bu, bir <strong>EFI</strong> önyükleme ortamından başlayan çağdaş sistemler için önerilen bölüm tablosu türüdür. <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Bu bölüntü tablosu, bir <strong>BIOS</strong> önyükleme ortamından başlayan eski sistemler için tavsiye edilir. Çoğu diğer durum için GPT önerilir.<br><br><strong>Uyarı:</strong> MBR bölüntü tablosu, artık eskimiş bir MS-DOS dönemi standardıdır. <br>Yalnızca 4<em>birincil</em> bölüntü oluşturulabilir ve bu dördün birisi, pek çok <em>mantıksal</em> bölüntü içeren bir <em>genişletilmiş</em> bölüntü olabilir. + <br><br>Bu bölümlendirme tablosu, bir <strong>BIOS</strong> önyükleme ortamından başlayan eski sistemler için tavsiye edilir. Çoğu diğer durum için GPT önerilir.<br><br><strong>Uyarı:</strong> MBR bölüm tablosu, artık eskimiş bir MS-DOS dönemi standardıdır. <br>Yalnızca 4<em>birincil</em> bölüm oluşturulabilir ve dört birincil bölümden birinin altında, pek çok <em>mantıksal</em> bölüm içeren bir <em>genişletilmiş</em> bölüm olabilir. The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. - Seçili depolama aygıtındaki <strong>bölüntü tablosu</strong> türü.<br><br>Bölüntü tablosu türünü değiştirmenin tek yolu, bölüntü tablosunu silip yeniden oluşturmaktır. Bu, depolama aygıtındaki tüm veriyi yok eder.<br>Kurulum programı, aksini seçmezseniz geçerli bölüntü tablosunu tutar.<br>Emin değilseniz çağdaş sistemlerde GPT seçebilirsiniz. + Seçili depolama aygıtındaki <strong>bölüm tablosu</strong> türü.<br><br>Bölüm tablosu türünü değiştirmenin tek yolu, bölüm tablosunu silip yeniden oluşturmaktır. Bu, depolama aygıtındaki tüm veriyi yok eder.<br>Kurulum programı, aksini seçmezseniz geçerli bölüm tablosunu tutar.<br>Emin değilseniz çağdaş sistemlerde GPT seçebilirsiniz. @@ -1514,7 +1560,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Edit Existing Partition - Var Olan Bölüntüyü Düzenle + Var Olan Bölümü Düzenle @@ -1534,7 +1580,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Warning: Formatting the partition will erase all existing data. - Uyarı: Bölüntüyü biçimlendirmek, var olan tüm veriyi siler. + Uyarı: Bölümü biçimlendirmek, var olan tüm veriyi siler. @@ -1574,12 +1620,12 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Passphrase for existing partition - Var olan bölüntü için parola + Var olan bölüm için parola Partition %1 could not be decrypted with the given passphrase.<br/><br/>Edit the partition again and give the correct passphrase or delete and create a new encrypted partition. - %1 bölüntüsünün şifresi verilen parola ile çözülemedi. <br/><br/>Bölüntüyü yeniden düzenleyip ve doğru parolayı girin veya silip yeni bir şifreli bölüntü oluşturun. + %1 bölümün şifresi verilen parola ile çözülemedi. <br/><br/>Bölümü yeniden düzenleyip ve doğru parolayı girin veya silip yeni bir şifreli bölüm oluşturun. @@ -1608,12 +1654,14 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Please enter the same passphrase in both boxes. + @tooltip Her iki kutuya da aynı parolayı girin. - Password must be a minimum of %1 characters - Parola en az %1 karakter olmalıdır + Password must be a minimum of %1 characters. + @tooltip + Parola en az %1 karakter olmalıdır. @@ -1634,57 +1682,68 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Set partition information - Bölüntü bilgisini ayarla + @title + Bölüm bilgisini ayarla Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> - <em>%3</em> özelliklerine sahip <strong>yeni</strong> %2 sistem bölüntüsüne %1 yazılımını kur + @info + <em>%3</em> özelliklerine sahip <strong>yeni</strong> %2 sistem bölümüne %1 yazılımını kur - - Install %1 on <strong>new</strong> %2 system partition. - %2 <strong>yeni</strong> sistem diskine %1 yükle. + + Install %1 on <strong>new</strong> %2 system partition + @info + %2 <strong>yeni</strong> sistem diskine %1 kur. - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - <strong>%1</strong> bağlama noktası ve <em>%3</em> özelliklerine sahip <strong>yeni</strong> bir %2 bölüntüsünü ayarla. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + %1 bağlama noktası ve %3 özelliklerine sahip yeni %2 bölümü ayarla. - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - <strong>%1</strong> %3 bağlama noktası olan <strong>yeni</strong> %2 bölüntüsünü ayarla. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + %1 bağlama noktası olan <strong>yeni</strong> %2 bölümü ayarla.%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - <em>%4</em> özelliklerine sahip %3 bölüntüsü <strong>%1</strong> üzerine %2 yazılımını kur. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + %1 üzerine %2 yazılımını %3 sistem bölümüne kur, <em>%4</em> özellikleriyle. - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - <em>%4</em> özelliklerine sahip ve <strong>%2</strong> bağlama noktasıyla %3 bölüntüsünü <strong>%1</strong> ayarla. + + Install %2 on %3 system partition <strong>%1</strong> + @info + %1 üzerine %2 yazılımını %3 sistem bölümüne kur. - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - <strong>%2</strong> %4 bağlama noktası ile %3 bölüntüsünü <strong>%1</strong> ayarla. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + %1 ile <strong>%2</strong> bağlama noktasına sahip %3 blümünü <em>%4</em> özellikleriyle ayarlayın. - - Install %2 on %3 system partition <strong>%1</strong>. - %3 <strong>%1</strong> sistem diskine %2 yükle. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + %1 ile <strong>%2</strong> bağlama noktasına sahip %3 bölümünü %4 özellikleriyle ayarlayın. - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info <strong>%1</strong> üzerine sistem önyükleyicisini kur. - - Setting up mount points. - Bağlama noktaları ayarlanıyor. + + Setting up mount points… + @status + Bağlama noktaları ayarlanıyor... @@ -1737,7 +1796,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Finish @label - Bitir + Kurulumu Tamamla @@ -1746,36 +1805,39 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Finish @label - Bitir + Kurulumu Tamamla FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4 üzerindeki %1 bölüntüsünü biçimlendir (dosya sistemi: %2, boyut: %3 MB). + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + %1 bölümünü (dosya sistemi: %2, boyut: %3 MB) %4 üzerinde biçimlendirin. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - <strong>%2</strong> dosya sistemiyle <strong>%3 MB</strong> <strong>%1</strong> bölüntüsünü biçimlendir. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + <strong>%1</strong> bölümünü <strong>%2</strong> dosya sistemiyle <strong>%3 MB</strong> biçimlendirin. - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - %1 bölüntüsü, %2 dosya sistemi ile biçimlendiriliyor. + + Formatting partition %1 with file system %2… + @status + %1 bölümü, %2 dosya sistemi ile biçimlendiriliyor. {1 ?} {2…?} The installer failed to format partition %1 on disk '%2'. - Kurulum programı, '%2' diski üzerindeki %1 bölüntüsünü biçimlendiremedi. + Kurulum programı, '%2' diski üzerindeki %1 bölümünü biçimlendiremedi. @@ -1966,7 +2028,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Konsole not installed. @error - Konsole yüklü değil. + Konsole kurulu değil. @@ -1996,7 +2058,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Keyboard @label - Klavye + Klavye Düzeni @@ -2005,7 +2067,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Keyboard @label - Klavye + Klavye Düzeni @@ -2210,7 +2272,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Location @label - Konum + Konum Bilgisi @@ -2227,7 +2289,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Location @label - Konum + Konum Bilgisi @@ -2241,7 +2303,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir No partitions are defined. - Hiçbir bölüntü tanımlanmadı. + Hiçbir bölüm tanımlanmadı. @@ -2252,31 +2314,49 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Root partition %1 is LUKS but no passphrase has been set. - %1 kök bölüntüsü LUKS olacak; ancak bunun için parola ayarlanmadı. + %1 kök bölümü LUKS olacak; ancak bunun için parola ayarlanmadı. Could not create LUKS key file for root partition %1. - %1 kök bölüntüsü için LUKS anahtar dosyası oluşturulamadı. + %1 kök bölümü için LUKS anahtar dosyası oluşturulamadı. MachineIdJob - + Generate machine-id. Makine kimliği oluştur. - + Configuration Error Yapılandırma Hatası - + No root mount point is set for MachineId. MachineId için kök bağlama noktası ayarlanmadı. + + + + + + File not found + Dosya bulunamadı + + + + Path <pre>%1</pre> must be an absolute path. + <pre>%1</pre> yolu mutlak bir yol olmalı. + + + + Could not create new random file <pre>%1</pre>. + Yeni rastgele dosya<pre>%1</pre> oluşturulamadı. + Map @@ -2804,11 +2884,6 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Unknown error Bilinmeyen hata - - - Password is empty - Parola boş - PackageChooserPage @@ -2865,7 +2940,8 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts Klavye değiştir: @@ -2971,32 +3047,38 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Home + @label Ana Klasör Boot + @label Önyükleme EFI system + @label EFI Sistem Swap + @label Takas New partition for %1 - %1 için yeni bölüntü + @label + %1 için yeni bölüm New partition - Yeni bölüntü + @label + Yeni bölüm @@ -3011,37 +3093,44 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Free Space + @title Boş Alan - New partition - Yeni bölüntü + New Partition + @title + Yeni Bölüm Name + @title Ad File System + @title Dosya Sistemi File System Label + @title Dosya Sistemi Etiketi Mount Point + @title Bağlama Noktası Size + @title Boyut @@ -3060,7 +3149,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir New Partition &Table - Yeni Bölüntü &Tablosu + Yeni Bölüm &Tablosu @@ -3105,55 +3194,35 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Are you sure you want to create a new partition table on %1? - %1 üzerinde yeni bir bölüntü tablosu oluşturmak istiyor musunuz? + %1 üzerinde yeni bir bölüm tablosu oluşturmak istiyor musunuz? Can not create new partition - Yeni bölüntü oluşturulamıyor + Yeni bölüm oluşturulamıyor The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - %1 üzerindeki bölüntü tablosu halihazırda %2 birincil bölüntüye sahip ve artık eklenemiyor. Lütfen bir birincil bölüntüyü kaldırın ve bunun yerine genişletilmiş bir bölüntü ekleyin. + %1 üzerindeki bölüm tablosu halihazırda %2 birincil bölüme sahip ve artık eklenemiyor. Lütfen bir birincil bölümü kaldırın ve bunun yerine genişletilmiş bir bölüm ekleyin. PartitionViewStep - - - Gathering system information... - Sistem bilgisi toplanıyor... - - - - Partitions - Bölüntüler - Unsafe partition actions are enabled. - Güvenli olmayan bölüntü eylemleri etkinleştirildi. + Güvenli olmayan bölüm eylemleri etkinleştirildi. Partitioning is configured to <b>always</b> fail. - Bölüntüleme, <b>her zaman</b> başarısız olacak şekilde yapılandırıldı. + Bölümleme, <b>her zaman</b> başarısız olacak şekilde yapılandırıldı. No partitions will be changed. - Hiçbir bölüntü değiştirilmeyecek. - - - - Current: - Şu anki durum: - - - - After: - Sonrası: + Hiçbir bölüm değiştirilmeyecek. @@ -3173,17 +3242,17 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir No EFI system partition configured - Yapılandırılan EFI sistem bölüntüsü yok + Yapılandırılan EFI sistem bölümü yok EFI system partition configured incorrectly - EFI sistem bölüntüsü yanlış yapılandırılmış + EFI sistem bölümü yanlış yapılandırılmış An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - %1 yazılımını başlatmak için bir EFI sistem bölüntüsü gereklidir. <br/><br/> Bir EFI sistem bölüntüsü yapılandırmak için geri dönün ve uygun bir dosya sistemi seçin veya oluşturun. + %1 yazılımını başlatmak için bir EFI sistem bölümü gereklidir. <br/><br/> Bir EFI sistem bölümü yapılandırmak için geri dönün ve uygun bir dosya sistemi seçin veya oluşturun. @@ -3206,10 +3275,34 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir The filesystem must have flag <strong>%1</strong> set. Dosya sisteminde <strong>%1</strong> bayrağı ayarlanmış olmalıdır. + + + Gathering system information… + @status + Sistem bilgileri toplanıyor... + + + + Partitions + @label + Bölümlendirmeler + + + + Current: + @label + Şu anki durum: + + + + After: + @label + Sonrası: + You can continue without setting up an EFI system partition but your system may fail to start. - Bir EFI sistem bölüntüsü kurmadan sürdürebilirsiniz; ancak sisteminiz başlamayabilir. + Bir EFI sistem bölümü ayarlamadan kurulumu sürdürebilirsiniz; ancak sisteminiz başlamayabilir. @@ -3224,17 +3317,17 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - GPT bölüntü tablosu, tüm sistemler için en iyi seçenektir. Bu kurulum programı, BIOS sistemleri için de böyle bir düzeni destekler.<br/><br/>BIOS'ta bir GPT bölüntü tablosu yapılandırmak için (önceden yapılmadıysa) geri dönün ve bölüntü tablosunu GPT olarak ayarlayın; sonrasında <strong>%2</strong> bayrağı etkinleştirilmiş bir biçimde 8 MB'lık biçimlendirilmemiş bir bölüntü oluşturun.<br/><br/>%1 yazılımını bir BIOS sistemde GPT ile başlatmak için 8 MB'lık biçimlendirilmemiş bir bölüntü gereklidir. + GPT bölüm tablosu, tüm sistemler için en iyi seçenektir. Bu kurulum programı, BIOS sistemleri için de böyle bir düzeni destekler.<br/><br/>BIOS'ta bir GPT bölüm tablosu yapılandırmak için (önceden yapılmadıysa) geri dönün ve bölüm tablosunu GPT olarak ayarlayın; sonrasında <strong>%2</strong> bayrağı etkinleştirilmiş bir biçimde 8 MB'lık biçimlendirilmemiş bir bölüm oluşturun.<br/><br/>%1 yazılımını bir BIOS sistemde GPT ile başlatmak için 8 MB'lık biçimlendirilmemiş bir bölüm gereklidir. Boot partition not encrypted - Önyükleme bölüntüsü şifreli değil + Önyükleme bölümü şifreli değil A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - Şifrelenmiş bir kök bölümü ile birlikte ayrı bir önyükleme bölüntüsü ayarlandı; ancak önyükleme bölüntüsü şifrelenmiyor.<br/><br/>Bu tür düzenler ile ilgili güvenlik endişeleri vardır; çünkü önemli sistem dosyaları şifrelenmemiş bir bölümde tutulur.<br/>İsterseniz sürdürebilirsiniz; ancak dosya sistemi kilidini açma, sistem başlatma işlem silsilesinde daha sonra gerçekleşecektir.<br/>Önyükleme bölüntüsünü şifrelemek için geri dönüp bölüntü oluşturma penceresinde <strong>Şifrele</strong>'yi seçerek onu yeniden oluşturun. + Şifrelenmiş bir kök bölümü ile birlikte ayrı bir önyükleme bölümü ayarlandı; ancak önyükleme bölümü şifrelenmiyor.<br/><br/>Bu tür düzenler ile ilgili güvenlik endişeleri vardır; çünkü önemli sistem dosyaları şifrelenmemiş bir bölümde tutulur.<br/>İsterseniz sürdürebilirsiniz; ancak dosya sistemi kilidini açma, sistem başlatma işlem silsilesinde daha sonra gerçekleşecektir.<br/>Önyükleme bölümünü şifrelemek için geri dönüp bölüm oluşturma penceresinde <strong>Şifrele</strong>'yi seçerek onu yeniden oluşturun. @@ -3244,15 +3337,16 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir There are no partitions to install on. - Üzerine kurulacak bir bölüntü yok. + Üzerine kurulacak bir bölüm yok. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma Görünüm ve His + Applying Plasma Look-and-Feel… + @status + Plazma Görünüm ve Hissi Uygulanıyor... @@ -3279,6 +3373,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Look-and-Feel + @label Görünüm ve His @@ -3286,8 +3381,9 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir PreserveFiles - Saving files for later ... - Dosyalar daha sonrası için kaydediliyor ... + Saving files for later… + @status + Dosyalar daha sonrası için kaydediliyor... @@ -3383,26 +3479,12 @@ Output: Öntanımlı - - - - - File not found - Dosya bulunamadı - - - - Path <pre>%1</pre> must be an absolute path. - <pre>%1</pre> yolu mutlak bir yol olmalı. - - - + Directory not found Dizin bulunamadı - - + Could not create new random file <pre>%1</pre>. Yeni rastgele dosya<pre>%1</pre> oluşturulamadı. @@ -3421,11 +3503,6 @@ Output: (no mount point) (bağlama noktası yok) - - - Unpartitioned space or unknown partition table - Bölüntülenmemiş alan veya bilinmeyen bölüntü tablosu - unknown @@ -3450,6 +3527,12 @@ Output: @partition info takas + + + Unpartitioned space or unknown partition table + @info + Bölümlenmemiş alan veya bilinmeyen bölüm tablosu + Recommended @@ -3465,8 +3548,9 @@ Output: RemoveUserJob - Remove live user from target system - Canlı kullanıcıyı hedef sistemden kaldır + Removing live user from the target system… + @status + Liveuser kullanıcı hedef sistemden kaldırılıyor.. @@ -3474,13 +3558,15 @@ Output: - Remove Volume Group named %1. - %1 adlı disk bölümü grubunu kaldır. + Removing Volume Group named %1… + @status + %1 adlı disk bölümü grubu kaldırılıyor... - Remove Volume Group named <strong>%1</strong>. - <strong>%1</strong> adlı disk bölümü grubunu kaldır. + Removing Volume Group named <strong>%1</strong>… + @status + <strong>%1</strong> adlı disk bölümü grubu kaldırılıyor... @@ -3594,24 +3680,27 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title %1 bölümünü yeniden boyutlandır. - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - <strong>%2 MB</strong> <strong>%1</strong> bölüntüsünü <strong>%3 MB</strong> olarak yeniden boyutlandır. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + <strong>%1</strong> bölümünü <strong>%2MB</strong> olarak yeniden boyutlandır. - - Resizing %2MiB partition %1 to %3MiB. - %1 bölüntüsü, %2 -> %3 olarak yeniden boyutlandırılıyor. + + Resizing %2MiB partition %1 to %3MiB… + @status + %1 bölümü %2MB boyutundan %3MB boyutuna yeniden boyutlandırılıyor... - + The installer failed to resize partition %1 on disk '%2'. - Kurulum programı, '%2' diski üzerindeki %1 bölüntüsünü yeniden boyutlandırılamadı. + Kurulum programı, '%2' diski üzerindeki %1 bölümünü yeniden boyutlandırılamadı. @@ -3619,6 +3708,7 @@ Output: Resize Volume Group + @title Disk Bölümü Grubunu Yeniden Boyutlandır @@ -3626,17 +3716,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title %1 adlı disk bölümü grubunu %2 -> %3 olarak yeniden boyutlandır. - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - <strong>%1</strong> adlı disk bölümü grubunu <strong>%2</strong> -> <strong>%3</strong> olarak yeniden boyutlandır. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + <text_to_translate>%1</text_to_translate> adlı disk bölümü grubunu <strong>%2</strong> -> <strong>%3</strong> olarak yeniden boyutlandır. + + + + Resizing volume group named %1 from %2 to %3… + @status + %1 adlı disk bölümü grubu %2 -> %3 olarak yeniden boyutlandırılıyor... - + The installer failed to resize a volume group named '%1'. Kurulum programı, '%1' adlı bir disk bölümü grubunu yeniden boyutlandıramadı. @@ -3653,13 +3750,15 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Depolama aygıtları taranıyor... - Partitioning - Bölüntüleme + Partitioning… + @status + Bölümleniyor... @@ -3676,8 +3775,9 @@ Output: - Setting hostname %1. - %1 makine adı ayarlanıyor. + Setting hostname %1… + @status + %1 makine adı ayarlanıyor. {1…?} @@ -3741,83 +3841,98 @@ Output: SetPartFlagsJob - Set flags on partition %1. - %1 bölüntüsüne bayrakları ayarla. + Set flags on partition %1 + @title + %1 bölümüne bayrakları ayarla. - Set flags on %1MiB %2 partition. - %1 MB %2 bölüntüsüne bayraklar ayarla. + Set flags on %1MiB %2 partition + @title + %1 MB %2 bölümüne bayrak ayarla. - Set flags on new partition. - Yeni bölüntüye bayrakları ayarla. + Set flags on new partition + @title + Yeni bölümüne bayrakları ayarla. - Clear flags on partition <strong>%1</strong>. - <strong>%1</strong> bölüntüsündeki bayrakları kaldır. + Clear flags on partition <strong>%1</strong> + @info + <strong>%1</strong> bölümündeki bayrakları kaldır. - Clear flags on %1MiB <strong>%2</strong> partition. - %1 MB <strong>%2</strong> bölüntüsündeki bayrakları temizle. + Clear flags on %1MiB <strong>%2</strong> partition + @info + %1 MB <strong>%2</strong> bölümündeki bayrakları temizle. - Clear flags on new partition. - Yeni bölüntüdeki bayrakları temizle. + Clear flags on new partition + @info + Yeni bölümündeki bayrakları temizle. - Flag partition <strong>%1</strong> as <strong>%2</strong>. - <strong>%1</strong> bölüntüsünü <strong>%2</strong> olarak bayrakla. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Bölüm <strong>%1</strong> üzerindeki bayrakları <strong>%2</strong> olarak ayarlayın. - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - %1 MB <strong>%2</strong> bölüntüsünü <strong>%3</strong> olarak bayrakla. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + %1 MB <strong>%2</strong> bölümün bayraklarını <strong>%3</strong> olarak ayarla. - - Flag new partition as <strong>%1</strong>. - Yeni bölüntüyü <strong>%1</strong> olarak bayrakla. + + Set flags on new partition to <strong>%1</strong> + @info + Yeni bölüme bayrakları ayarla <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - <strong>%1</strong> bölüntüsündeki bayraklar kaldırılıyor. + + Clearing flags on partition <strong>%1</strong>… + @status + <strong>%1</strong> bölümündeki bayraklar kaldırılıyor... - - Clearing flags on %1MiB <strong>%2</strong> partition. - %1 MB <strong>%2</strong> bölüntüsündeki bayraklar temizleniyor. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + %1 MB <strong>%2</strong> bölümündeki bayraklar temizleniyor. - - Clearing flags on new partition. - Yeni bölüntüdeki bayraklar temizleniyor. + + Clearing flags on new partition… + @status + Yeni bölümündeki bayraklar temizleniyor. - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - <strong>%1</strong> bölüntüsüne <strong>%2</strong> bayrakları ayarlanıyor. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + <strong>%1</strong> bölümüne <strong>%2</strong> bayrakları ayarlanıyor. - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - %1 MiB <strong>%2</strong> bölüntüsüne <strong>%3</strong> bayrakları ayarlanıyor. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + %1 MiB <strong>%2</strong> bölümüne <strong>%3</strong> bayrakları ayarlanıyor. - - Setting flags <strong>%1</strong> on new partition. - Yeni bölüntüye <strong>%1</strong> bayrakları ayarlanıyor. + + Setting flags <strong>%1</strong> on new partition… + @status + Yeni bölüme <strong>%1</strong> bayrakları ayarlanıyor. - + The installer failed to set flags on partition %1. - Kurulum programı, %1 bölüntüsüne bayrakları ayarlayamadı. + Kurulum programı, %1 bölümüne bayrakları ayarlayamadı. @@ -3829,32 +3944,33 @@ Output: - Setting password for user %1. - %1 kullanıcısı için parola ayarlanıyor. + Setting password for user %1… + @status + %1 kullanıcısı için parola ayarlanıyor. {1…?} - + Bad destination system path. Bozuk hedef sistem yolu. - + rootMountPoint is %1 rootBağlamaNoktası %1 - + Cannot disable root account. Kök hesabı devre dışı bırakılamaz. - + Cannot set password for user %1. %1 kullanıcısı için parola ayarlanamıyor. - - + + usermod terminated with error code %1. usermod %1 hata koduyla sonlandı. @@ -3903,7 +4019,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status Gruplar hazırlanıyor. @@ -3922,8 +4039,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - <pre>sudo</pre> kullanıcılarını yapılandır. + Configuring <pre>sudo</pre> users… + @status + <pre>sudo</pre> kullanıcıları yapılandırılıyor. @@ -3940,8 +4058,9 @@ Output: ShellProcessJob - Shell Processes Job - Kabuk Süreç İşleri + Running shell processes… + @status + Shell işlemleri çalışıyor... @@ -3990,7 +4109,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status Kurulum geri bildirimi gönderiliyor. @@ -4013,7 +4133,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status KDE kullanıcı geri bildirimleri yapılandırılıyor. @@ -4042,7 +4163,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status Makine geri bildirimini yapılandırılıyor. @@ -4105,6 +4227,7 @@ Output: Feedback + @title Geri Bildirim @@ -4112,8 +4235,9 @@ Output: UmountJob - Unmount file systems. - Dosya sistemleri bağlantılarını kes. + Unmounting file systems… + @status + Dosya sistemleri ayırılıyor... @@ -4144,7 +4268,7 @@ Output: Users - Kullanıcılar + Kullanıcı Hesabı @@ -4152,7 +4276,7 @@ Output: Users - Kullanıcılar + Kullanıcı Hesabı @@ -4271,11 +4395,6 @@ Output: &Release notes &Sürüm notları - - - %1 support - %1 desteği - About %1 Setup @@ -4286,7 +4405,13 @@ Output: About %1 Installer @title - %1 Yükleyici Hakkında + %1 Kurulum Programı Hakkında + + + + %1 Support + @action + %1 Destek @@ -4294,6 +4419,7 @@ Output: Welcome + @title Hoş Geldiniz @@ -4302,6 +4428,7 @@ Output: Welcome + @title Hoş Geldiniz @@ -4309,8 +4436,9 @@ Output: ZfsJob - Create ZFS pools and datasets - ZFS havuzları ve veri kümeleri oluşturun + Creating ZFS pools and datasets… + @status + ZFS havuzları ve veri kümeleri oluşturuluyor... @@ -4325,7 +4453,7 @@ Output: No partitions are available for ZFS. - ZFS için kullanılabilir bölüntü yok. + ZFS için kullanılabilir bölüm yok. @@ -4757,21 +4885,11 @@ Output: What is your name? Adınız nedir? - - - Your Full Name - Tam Adınız - What name do you want to use to log in? Oturum açmak için hangi adı kullanmak istersiniz? - - - Login Name - Oturum Açma Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4792,11 +4910,6 @@ Output: What is the name of this computer? Bu bilgisayarın adı nedir? - - - Computer Name - Bilgisayar Adı - This name will be used if you make the computer visible to others on a network. @@ -4817,16 +4930,21 @@ Output: Password Parola - - - Repeat Password - Parolayı Yinele - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Yazım hatalarının denetlenebilmesi için aynı parolayı iki kez girin. İyi bir şifre, harflerin, sayıların ve noktalama işaretlerinin bir karışımını içerir; en az sekiz karakter uzunluğunda olmalı ve düzenli aralıklarla değiştirilmelidir. + + + Root password + Kök Parolası + + + + Repeat root password + Kök Parolasını Yinele + Validate passwords quality @@ -4842,11 +4960,31 @@ Output: Log in automatically without asking for the password Parola sormadan kendiliğinden oturum aç + + + Your full name + Tam Adınız + + + + Login name + Oturum Açma Adı + + + + Computer name + Bilgisayar Adı + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. En az iki karakter olmak üzere yalnızca harflere, sayılara, alt çizgiye ve kısa çizgiye izin verilir. + + + Repeat password + Parolayı Yinele + Reuse user password as root password @@ -4862,16 +5000,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı güvende tutmak için bir kök parolası seçin. - - - Root Password - Kök Parolası - - - - Repeat Root Password - Kök Parolasını Yinele - Enter the same password twice, so that it can be checked for typing errors. @@ -4890,21 +5018,11 @@ Output: What is your name? Adınız nedir? - - - Your Full Name - Tam Adınız - What name do you want to use to log in? Oturum açmak için hangi adı kullanmak istiyorsunuz? - - - Login Name - Oturum Açma Adı - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4925,9 +5043,19 @@ Output: What is the name of this computer? Bu bilgisayarın adı nedir? + + + Your full name + Tam Adınız + + + + Login name + Oturum Açma Adı + - Computer Name + Computer name Bilgisayar Adı @@ -4957,9 +5085,19 @@ Output: - Repeat Password + Repeat password Parolayı Yinele + + + Root password + Kök Parolası + + + + Repeat root password + Kök Parolasını Yinele + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4980,16 +5118,6 @@ Output: Choose a root password to keep your account safe. Hesabınızı güvende tutmak için bir kök parolası seçin. - - - Root Password - Kök Parolası - - - - Repeat Root Password - Kök Parolasını Yinele - Enter the same password twice, so that it can be checked for typing errors. @@ -5027,13 +5155,13 @@ Output: - Known issues - Bilinen sorunlar + Known Issues + Bilinen Sorunlar - Release notes - Sürüm notları + Release Notes + Sürüm Notları @@ -5057,13 +5185,13 @@ Output: - Known issues - Bilinen sorunlar + Known Issues + Bilinen Sorunlar - Release notes - Sürüm notları + Release Notes + Sürüm Notları diff --git a/lang/calamares_uk.ts b/lang/calamares_uk.ts index 1ce683d876..d3c8d1bf91 100644 --- a/lang/calamares_uk.ts +++ b/lang/calamares_uk.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Керування параметрами автомонтування + Managing auto-mount settings… + @status + Керування параметрами автомонтування… @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Головний Завантажувальний Запис (Master Boot Record) %1 Boot Partition + @info Завантажувальний розділ System Partition + @info Системний розділ Do not install a boot loader + @label Не встановлювати завантажувач @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label Налаштувати - + Install @label Встановити @@ -637,18 +642,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - Встановити мітку файлової системи для %1. + Set filesystem label on %1 + @title + Встановити мітку файлової системи для %1 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - Встановити мітку файлової системи <strong>%1</strong> для розділу <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + Встановити мітку файлової системи <strong>%1</strong> для розділу <strong>%2</strong> + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + Встановити мітку файлової системи <strong>%1</strong> для розділу <strong>%2</strong>… - - + + The installer failed to update partition table on disk '%1'. + @info Установник зазнав невдачі під час оновлення таблиці розділів на диску '%1'. @@ -662,9 +676,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Розподілення вручну</strong><br/>Ви можете створити або змінити розмір розділів власноруч. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Оберіть розділ для зменшення, потім тягніть повзунок, щоб змінити розмір</strong> + Select storage de&vice: + @label Обрати &пристрій зберігання: @@ -673,56 +698,49 @@ The installer will quit and all changes will be lost. Current: + @label Зараз: After: + @label Після: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Розподілення вручну</strong><br/>Ви можете створити або змінити розмір розділів власноруч. - - Reuse %1 as home partition for %2. - Використати %1 як домашній розділ (home) для %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Оберіть розділ для зменшення, потім тягніть повзунок, щоб змінити розмір</strong> + Reuse %1 as home partition for %2 + @label + Повторно використати %1 як домашній розділ для %2. {1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 буде стиснуто до %2 МіБ. Натомість буде створено розділ розміром %3 МіБ для %4. - - - Boot loader location: - Розташування завантажувача: - <strong>Select a partition to install on</strong> + @label <strong>Оберіть розділ, на який встановити</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name В цій системі не знайдено жодного системного розділу EFI. Щоб встановити %1, будь ласка, поверніться та оберіть розподілення вручну. The EFI system partition at %1 will be used for starting %2. - Системний розділ EFI %1 буде використано для встановлення %2. + @info, %1 is partition path, %2 is product name + Системний розділ EFI на %1 буде використано для запуску %2. EFI system partition: + @label Системний розділ EFI: @@ -777,38 +795,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info На цьому пристрої для зберігання даних <strong>змонтовано</strong> один із його розділів. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Цей пристрій для зберігання даних є частиною пристрою <strong>неактивного RAID</strong>. - No Swap + No swap + @label Без резервної пам'яті - Reuse Swap + Reuse swap + @label Повторно використати резервну пам'ять Swap (no Hibernate) + @label Резервна пам'ять (без присипляння) Swap (with Hibernate) + @label Резервна пам'ять (із присиплянням) Swap to file + @label Резервна пам'ять у файлі + + + Bootloader location: + @label + Розташування завантажувача: + ClearMountsJob @@ -840,12 +871,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title Очистити точки підключення для операцій над розділами на %1 - Clearing mounts for partitioning operations on %1. - Очищення точок підключення для операцій над розділами на %1. + Clearing mounts for partitioning operations on %1… + @status + Очищення точок підключення для операцій над розділами на %1. {1…?} @@ -857,13 +890,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - Очистити всі тимчасові точки підключення. - - - Clearing all temporary mounts. - Очищення всіх тимчасових точок підключення. + Clearing all temporary mounts… + @status + Очищення всіх тимчасових точок монтування… @@ -1012,42 +1042,43 @@ The installer will quit and all changes will be lost. Гаразд! - + Package Selection Вибір пакетів - + Please pick a product from the list. The selected product will be installed. Будь ласка, виберіть продукт зі списку. Буде встановлено вибраний продукт. - + Packages Пакунки - + Install option: <strong>%1</strong> Варіант встановлення: <strong>%1</strong> - + None Немає - + Summary + @label Огляд - + This is an overview of what will happen once you start the setup procedure. Це огляд того, що трапиться коли ви почнете процедуру налаштовування. - + This is an overview of what will happen once you start the install procedure. Це огляд того, що трапиться коли ви почнете процедуру встановлення. @@ -1119,15 +1150,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - Буде встановлено мову системи %1. {1?} + Мову %1 буде встановлено як системну. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - Локаль чисел і дат буде встановлено у значення %1. {1?} + %1 буде встановлено як локаль чисел та дат. @@ -1204,31 +1235,37 @@ The installer will quit and all changes will be lost. En&crypt + @action За&шифрувати Logical + @label Логічний Primary + @label Основний GPT + @label GPT Mountpoint already in use. Please select another one. + @info Точка підключення наразі використовується. Оберіть, будь ласка, іншу. Mountpoint must start with a <tt>/</tt>. + @info Точка монтування має починатися з <tt>/</tt>. @@ -1236,43 +1273,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - Створити розділ %1МіБ на %3 (%2) із записами %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title + Створити розділ %1МіБ на %3 (%2) із записами %4. {1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - Створити розділ %1МіБ на %3 (%2). + Create new %1MiB partition on %3 (%2) + @title + Створити розділ %1МіБ на %3 (%2) - Create new %2MiB partition on %4 (%3) with file system %1. - Створити розділ у %2 МіБ на %4 (%3) із файловою системою %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + Створити розділ у %2 МіБ на %4 (%3) із файловою системою %1 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - Створити розділ <strong>%1МіБ</strong> на <strong>%3</strong> (%2) із записами <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + Створити розділ <strong>%1МіБ</strong> на <strong>%3</strong> (%2) із записами <em>%4</em> - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - Створити розділ <strong>%1МіБ</strong> на <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + Створити розділ <strong>%1МіБ</strong> на <strong>%3</strong> (%2) - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Створити розділ у <strong>%2 МіБ</strong> на <strong>%4</strong> (%3) із файловою системою <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + Створити розділ у <strong>%2 МіБ</strong> на <strong>%4</strong> (%3) із файловою системою <strong>%1</strong> - - - Creating new %1 partition on %2. - Створення нового розділу %1 на %2. + + + Creating new %1 partition on %2… + @status + Створення розділу %1 на %2. {1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info Засобу встановлення не вдалося створити розділ на диску «%1». @@ -1308,18 +1353,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - Створити нову таблицю розділів %1 на %2. + + Creating new %1 partition table on %2… + @status + Створення таблиці розділів %1 на %2. {1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Створити нову таблицю розділів <strong>%1</strong> на <strong>%2</strong> (%3). - - - - Creating new %1 partition table on %2. - Створення нової таблиці розділів %1 на %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + Створення таблиці розділів <strong>%1</strong> на <strong>%2</strong> (%3)… @@ -1336,29 +1379,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - Створити користувача <strong>%1</strong>. - - - - Preserving home directory - Зберігаємо домашній каталог + Create user <strong>%1</strong> + Створити користувача <strong>%1</strong> - Creating user %1 - Створення запису користувача %1 + Creating user %1… + @status + Створення запису користувача %1… + + + + Preserving home directory… + @status + Зберігаємо домашній каталог… Configuring user %1 + @status Налаштовуємо запис користувача %1 - Setting file permissions - Встановлюємо права доступу до файлів + Setting file permissions… + @status + Встановлюємо права доступу до файлів… @@ -1366,6 +1413,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title Створити групу томів @@ -1373,18 +1421,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - Створити групу томів із назвою %1. + + Creating new volume group named %1… + @status + Створення групи томів із назвою %1. {1…?} - Create new volume group named <strong>%1</strong>. - Створити групу томів із назвою <strong>%1</strong>. - - - - Creating new volume group named %1. - Створення групи томів із назвою %1. + Creating new volume group named <strong>%1</strong>… + @status + Створення групи томів із назвою <strong>%1</strong>… @@ -1397,13 +1443,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - Скасувати активацію групи томів із назвою %1. + Deactivating volume group named %1… + @status + Скасування активації групи томів із назвою %1… - Deactivate volume group named <strong>%1</strong>. - Скасувати активацію групи томів із назвою <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + Скасування активації групи томів із назвою <strong>%1</strong>… @@ -1415,18 +1463,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - Видалити розділ %1. + + Deleting partition %1… + @status + Вилучення розділу partition %1. {1…?} - Delete partition <strong>%1</strong>. - Видалити розділ <strong>%1</strong>. - - - - Deleting partition %1. - Видалення розділу %1. + Deleting partition <strong>%1</strong>… + @status + Вилучення розділу <strong>%1</strong>… @@ -1611,12 +1657,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip Будь ласка, введіть однакову ключову фразу у обидва текстові вікна. - Password must be a minimum of %1 characters - Пароль має складатися з принаймні %1 символів + Password must be a minimum of %1 characters. + @tooltip + Пароль має складатися з принаймні %1 символів. @@ -1637,57 +1685,68 @@ The installer will quit and all changes will be lost. Set partition information + @title Ввести інформацію про розділ Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info Встановити %1 на <strong>новий</strong> системний розділ %2 із можливостями <em>%3</em> - - Install %1 on <strong>new</strong> %2 system partition. - Встановити %1 на <strong>новий</strong> системний розділ %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + Встановити %1 на <strong>новий</strong> системний розділ %2 - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong> і можливостями <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong> і можливостями <em>%3</em> - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong>%3. {2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - Встановити %2 на системний розділ %3 <strong>%1</strong> із можливостями <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + Встановити %2 на системний розділ %3 <strong>%1</strong> із можливостями <em>%4</em> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong> і можливостями <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info + Встановити %2 на системний розділ %3 <strong>%1</strong> - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong> і можливостями <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - Встановити %2 на системний розділ %3 <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - Встановити завантажувач на <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info + Встановити завантажувач на <strong>%1</strong>… - - Setting up mount points. - Налаштування точок підключення. + + Setting up mount points… + @status + Налаштовування точок монтування… @@ -1756,24 +1815,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Форматувати розділ %1 (файлова система: %2, розмір: %3 МіБ) на %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + Форматувати розділ %1 (файлова система: %2, розмір: %3 МіБ) на %4. {1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Форматувати розділ у <strong>%3 МіБ</strong> <strong>%1</strong> з використанням файлової системи <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + Форматувати розділ у <strong>%3 МіБ</strong> <strong>%1</strong> з використанням файлової системи <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Форматування розділу %1 з файловою системою %2. + + Formatting partition %1 with file system %2… + @status + Форматування розділу %1 з файловою системою %2. {1 ?} {2…?} @@ -2266,20 +2328,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. Створити ідентифікатор машини. - + Configuration Error Помилка налаштовування - + No root mount point is set for MachineId. Не встановлено точки монтування кореневої файлової системи для MachineId. + + + + + + File not found + Файл не знайдено + + + + Path <pre>%1</pre> must be an absolute path. + Шлях <pre>%1</pre> має бути абсолютним. + + + + Could not create new random file <pre>%1</pre>. + Не вдалося створити випадковий файл <pre>%1</pre>. + Map @@ -2826,11 +2906,6 @@ The installer will quit and all changes will be lost. Unknown error Невідома помилка - - - Password is empty - Пароль є порожнім - PackageChooserPage @@ -2887,8 +2962,9 @@ The installer will quit and all changes will be lost. - Keyboard switch: - Перемикач клавіатури: + Switch Keyboard: + shortcut for switching between keyboard layouts + Перемикання розкладки: @@ -2993,31 +3069,37 @@ The installer will quit and all changes will be lost. Home + @label Домівка Boot + @label Завантажувальний розділ EFI system + @label EFI-система Swap + @label Резервна пам'ять New partition for %1 + @label Новий розділ для %1 New partition + @label Новий розділ @@ -3033,37 +3115,44 @@ The installer will quit and all changes will be lost. Free Space + @title Вільний простір - New partition + New Partition + @title Новий розділ Name + @title Назва File System + @title Файлова система File System Label + @title Мітка файлової системи Mount Point + @title Точка підключення Size + @title Розмір @@ -3142,16 +3231,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - Збір інформації про систему... - - - - Partitions - Розділи - Unsafe partition actions are enabled. @@ -3167,16 +3246,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. Змін до розділів внесено не буде. - - - Current: - Зараз: - - - - After: - Після: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3228,6 +3297,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. Для файлової системи має бути встановлено прапорець <strong>%1</strong>. + + + Gathering system information… + @status + Збираємо інформацію про систему... + + + + Partitions + @label + Розділи + + + + Current: + @label + Зараз: + + + + After: + @label + Після: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3273,8 +3366,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Завдання із налаштовування вигляду і поведінки Плазми + Applying Plasma Look-and-Feel… + @status + Застосовуємо вигляд і поведінку Плазми… @@ -3301,6 +3395,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label Вигляд і поведінка @@ -3308,8 +3403,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - Збереження файлів на потім ... + Saving files for later… + @status + Збереження файлів на потім… @@ -3405,26 +3501,12 @@ Output: Типовий - - - - - File not found - Файл не знайдено - - - - Path <pre>%1</pre> must be an absolute path. - Шлях <pre>%1</pre> має бути абсолютним. - - - + Directory not found Каталог не знайдено - - + Could not create new random file <pre>%1</pre>. Не вдалося створити випадковий файл <pre>%1</pre>. @@ -3443,11 +3525,6 @@ Output: (no mount point) (немає точки монтування) - - - Unpartitioned space or unknown partition table - Нерозподілений простір або невідома таблиця розділів - unknown @@ -3472,6 +3549,12 @@ Output: @partition info резервна пам'ять + + + Unpartitioned space or unknown partition table + @info + Нерозподілений простір або невідома таблиця розділів + Recommended @@ -3487,8 +3570,9 @@ Output: RemoveUserJob - Remove live user from target system - Вилучити користувача портативної системи із системи призначення + Removing live user from the target system… + @status + Вилучення користувача портативної системи із системи призначення… @@ -3496,13 +3580,15 @@ Output: - Remove Volume Group named %1. - Вилучити групу томів із назвою %1. + Removing Volume Group named %1… + @status + Вилучення групи томів із назвою %1… - Remove Volume Group named <strong>%1</strong>. - Вилучити групу томів із назвою <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + Вилучення групи томів із назвою <strong>%1</strong>… @@ -3616,22 +3702,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Змінити розмір розділу %1. + + Resize partition %1 + @title + Змінити розмір розділу %1 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Змінити розміри розділу у <strong>%2 МіБ</strong> <strong>%1</strong> до <strong>%3 МіБ</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + Змінити розміри розділу у <strong>%2 МіБ</strong> <strong>%1</strong> до <strong>%3 МіБ</strong> - - Resizing %2MiB partition %1 to %3MiB. - Змінюємо розміри розділу %2 МіБ %1 до %3 МіБ. + + Resizing %2MiB partition %1 to %3MiB… + @status + Змінюємо розміри розділу %2 МіБ %1 до %3 МіБ… - + The installer failed to resize partition %1 on disk '%2'. Засобу встановлення не вдалося змінити розміри розділу %1 на диску «%2». @@ -3641,6 +3730,7 @@ Output: Resize Volume Group + @title Змінити розміри групи томів @@ -3648,17 +3738,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Змінити розміри групи томів із назвою %1 з %2 до %3. + Resize volume group named %1 from %2 to %3 + @title + Змінити розміри групи томів із назвою %1 з %2 до %3. {1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Змінити розміри групи томів із назвою <strong>%1</strong> з <strong>%2</strong> до <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + Змінити розміри групи томів із назвою <strong>%1</strong> з <strong>%2</strong> до <strong>%3</strong> - + + Resizing volume group named %1 from %2 to %3… + @status + Зміна розмірів групи томів із назвою %1 з %2 до %3… + + + The installer failed to resize a volume group named '%1'. Засобу встановлення не вдалося змінити розміри групи томів із назвою «%1». @@ -3675,13 +3772,15 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status Скануємо пристрої зберігання... - Partitioning - Поділ на розділи + Partitioning… + @status + Поділ на розділи… @@ -3698,8 +3797,9 @@ Output: - Setting hostname %1. - Встановлення назви вузла %1. + Setting hostname %1… + @status + Встановлення назви вузла %1. {1…?} @@ -3763,81 +3863,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Встановити прапорці на розділі %1. + Set flags on partition %1 + @title + Встановити прапорці на розділі %1 - Set flags on %1MiB %2 partition. - Встановити прапорці для розділу у %1 МіБ %2. + Set flags on %1MiB %2 partition + @title + Встановити прапорці для розділу у %1 МіБ %2 - Set flags on new partition. - Встановити прапорці на новому розділі. + Set flags on new partition + @title + Встановити прапорці на новому розділі - Clear flags on partition <strong>%1</strong>. - Очистити прапорці на розділі <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + Очистити прапорці на розділі <strong>%1</strong> - Clear flags on %1MiB <strong>%2</strong> partition. - Зняти прапорці на розділі у %1 МіБ <strong>%2</strong>. + Clear flags on %1MiB <strong>%2</strong> partition + @info + Зняти прапорці на розділі у %1 МіБ <strong>%2</strong> - Clear flags on new partition. - Очистити прапорці на новому розділі. + Clear flags on new partition + @info + Очистити прапорці на новому розділі - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Встановити прапорці <strong>%2</strong> для розділу <strong>%1</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + Встановити прапорці <strong>%2</strong> для розділу <strong>%1</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Встановлення прапорця на розділі у %1 МіБ <strong>%2</strong> як <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + Встановити прапорці на розділі у %1 МіБ <strong>%2</strong> у значення <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - Встановити прапорці <strong>%1</strong> для нового розділу. + + Set flags on new partition to <strong>%1</strong> + @info + Встановити прапорці на новому розділі <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - Очищуємо прапорці для розділу <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + Очищуємо прапорці для розділу <strong>%1</strong>… - - Clearing flags on %1MiB <strong>%2</strong> partition. - Знімаємо прапорці на розділі у %1 МіБ <strong>%2</strong>. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + Знімаємо прапорці на розділі у %1 МіБ <strong>%2</strong>… - - Clearing flags on new partition. - Очищуємо прапорці для нового розділу. + + Clearing flags on new partition… + @status + Очищуємо прапорці для нового розділу… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Встановлюємо прапорці <strong>%2</strong> для розділу <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + Встановлюємо прапорці <strong>%2</strong> для розділу <strong>%1</strong>… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Встановлюємо прапорці <strong>%3</strong> на розділі у %1 МіБ <strong>%2</strong>. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + Встановлюємо прапорці <strong>%3</strong> на розділі у %1 МіБ <strong>%2</strong>… - - Setting flags <strong>%1</strong> on new partition. - Встановлюємо прапорці <strong>%1</strong> для нового розділу. + + Setting flags <strong>%1</strong> on new partition… + @status + Встановлюємо прапорці <strong>%1</strong> для нового розділу… - + The installer failed to set flags on partition %1. Засобу встановлення не вдалося встановити прапорці для розділу %1. @@ -3851,32 +3966,33 @@ Output: - Setting password for user %1. - Встановлення паролю для користувача %1. + Setting password for user %1… + @status + Встановлення паролю для користувача %1. {1…?} - + Bad destination system path. Поганий шлях призначення системи. - + rootMountPoint is %1 Коренева точка підключення %1 - + Cannot disable root account. Неможливо вимкнути обліковий запис root. - + Cannot set password for user %1. Не можу встановити пароль для користувача %1. - - + + usermod terminated with error code %1. usermod завершилася з кодом помилки %1. @@ -3925,8 +4041,9 @@ Output: SetupGroupsJob - Preparing groups. - Готуємо групи. + Preparing groups… + @status + Готуємо групи… @@ -3944,8 +4061,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Налаштувати користувачів <pre>sudo</pre>. + Configuring <pre>sudo</pre> users… + @status + Налаштовуємо користувачів <pre>sudo</pre>… @@ -3962,8 +4080,9 @@ Output: ShellProcessJob - Shell Processes Job - Завдання для процесів командної оболонки + Running shell processes… + @status + Запускаємо процеси оболонки… @@ -4012,8 +4131,9 @@ Output: - Sending installation feedback. - Надсилання відгуків щодо встановлення. + Sending installation feedback… + @status + Надсилання відгуків щодо встановлення… @@ -4035,8 +4155,9 @@ Output: - Configuring KDE user feedback. - Налаштовування зворотного зв'язку для користувачів KDE. + Configuring KDE user feedback… + @status + Налаштовування зворотного зв'язку для користувачів KDE… @@ -4064,8 +4185,9 @@ Output: - Configuring machine feedback. - Налаштовування надсилання даних щодо комп'ютера. + Configuring machine feedback… + @status + Налаштовування надсилання даних щодо комп'ютера… @@ -4127,6 +4249,7 @@ Output: Feedback + @title Відгуки @@ -4134,8 +4257,9 @@ Output: UmountJob - Unmount file systems. - Демонтувати файлові системи. + Unmounting file systems… + @status + Демонтовуємо файлові системи… @@ -4293,11 +4417,6 @@ Output: &Release notes При&мітки до випуску - - - %1 support - Підтримка %1 - About %1 Setup @@ -4310,12 +4429,19 @@ Output: @title Про засіб встановлення %1 + + + %1 Support + @action + Підтримка %1 + WelcomeQmlViewStep Welcome + @title Вітаємо @@ -4324,6 +4450,7 @@ Output: Welcome + @title Вітаємо @@ -4331,8 +4458,9 @@ Output: ZfsJob - Create ZFS pools and datasets - Створити буфери і набори даних ZFS + Creating ZFS pools and datasets… + @status + Створення буферів і наборів даних ZFS… @@ -4779,21 +4907,11 @@ Output: What is your name? Ваше ім'я? - - - Your Full Name - Ваше ім'я повністю - What name do you want to use to log in? Яке ім'я ви бажаєте використовувати для входу? - - - Login Name - Запис для входу - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4814,11 +4932,6 @@ Output: What is the name of this computer? Назва цього комп'ютера? - - - Computer Name - Назва комп'ютера - This name will be used if you make the computer visible to others on a network. @@ -4839,16 +4952,21 @@ Output: Password Пароль - - - Repeat Password - Повторіть пароль - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Введіть один й той самий пароль двічі, для перевірки щодо помилок введення. Надійному паролю слід містити суміш літер, чисел та розділових знаків, бути довжиною хоча б вісім символів та регулярно змінюватись. + + + Root password + Пароль root + + + + Repeat root password + Повторіть пароль root + Validate passwords quality @@ -4864,11 +4982,31 @@ Output: Log in automatically without asking for the password Входити автоматично без пароля + + + Your full name + Ваше ім'я повністю + + + + Login name + Запис для входу + + + + Computer name + Назва комп'ютера + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. Можна використовувати лише латинські літери, цифри, символи підкреслювання та дефіси; не менше двох символів. + + + Repeat password + Повторіть пароль + Reuse user password as root password @@ -4884,16 +5022,6 @@ Output: Choose a root password to keep your account safe. Виберіть пароль root для захисту вашого облікового запису. - - - Root Password - Пароль root - - - - Repeat Root Password - Повторіть пароль root - Enter the same password twice, so that it can be checked for typing errors. @@ -4912,21 +5040,11 @@ Output: What is your name? Ваше ім'я? - - - Your Full Name - Ваше ім'я повністю - What name do you want to use to log in? Яке ім'я ви бажаєте використовувати для входу? - - - Login Name - Запис для входу - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4947,9 +5065,19 @@ Output: What is the name of this computer? Назва цього комп'ютера? + + + Your full name + Ваше ім'я повністю + + + + Login name + Запис для входу + - Computer Name + Computer name Назва комп'ютера @@ -4979,9 +5107,19 @@ Output: - Repeat Password + Repeat password Повторіть пароль + + + Root password + Пароль root + + + + Repeat root password + Повторіть пароль root + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5002,16 +5140,6 @@ Output: Choose a root password to keep your account safe. Виберіть пароль root для захисту вашого облікового запису. - - - Root Password - Пароль root - - - - Repeat Root Password - Повторіть пароль root - Enter the same password twice, so that it can be checked for typing errors. @@ -5049,12 +5177,12 @@ Output: - Known issues + Known Issues Відомі вади - Release notes + Release Notes Нотатки щодо випуску @@ -5079,12 +5207,12 @@ Output: - Known issues + Known Issues Відомі вади - Release notes + Release Notes Нотатки щодо випуску diff --git a/lang/calamares_ur.ts b/lang/calamares_ur.ts index 886d1a336a..832e62185d 100644 --- a/lang/calamares_ur.ts +++ b/lang/calamares_ur.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -627,18 +632,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -663,56 +688,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -767,36 +785,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -830,11 +861,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -847,12 +880,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1002,42 +1032,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1109,13 +1140,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1194,31 +1225,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1298,17 +1343,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1326,28 +1369,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1356,6 +1403,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1363,17 +1411,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1387,12 +1433,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1405,17 +1453,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1601,11 +1647,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,56 +1675,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1746,23 +1805,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2256,20 +2318,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2793,11 +2873,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2854,7 +2929,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2960,31 +3036,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -3000,37 +3082,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3109,16 +3198,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3134,16 +3213,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3195,6 +3264,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3240,7 +3333,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3268,6 +3362,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3275,7 +3370,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3369,26 +3465,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3407,11 +3489,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3436,6 +3513,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3450,7 +3533,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3459,12 +3543,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3577,22 +3663,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3602,6 +3691,7 @@ Output: Resize Volume Group + @title @@ -3609,17 +3699,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3636,12 +3733,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3659,7 +3758,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3724,81 +3824,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3812,32 +3927,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3886,7 +4002,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3905,7 +4022,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3923,7 +4041,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3973,7 +4092,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3996,7 +4116,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4025,7 +4146,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4088,6 +4210,7 @@ Output: Feedback + @title @@ -4095,7 +4218,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4254,11 +4378,6 @@ Output: &Release notes - - - %1 support - ٪ 1 سپورٹ - About %1 Setup @@ -4271,12 +4390,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title خوش آمدید @@ -4285,6 +4411,7 @@ Output: Welcome + @title خوش آمدید @@ -4292,7 +4419,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4708,21 +4836,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4743,11 +4861,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4769,13 +4882,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4793,11 +4911,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4813,16 +4951,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4841,21 +4969,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4876,9 +4994,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4908,7 +5036,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4931,16 +5069,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4978,13 +5106,13 @@ Output: - Known issues - معلوم مسائل + Known Issues + - Release notes - جاری کردہ نوٹس + Release Notes + @@ -5008,13 +5136,13 @@ Output: - Known issues - معلوم مسائل + Known Issues + - Release notes - جاری کردہ نوٹس + Release Notes + diff --git a/lang/calamares_uz.ts b/lang/calamares_uz.ts index 1123066480..14b386abba 100644 --- a/lang/calamares_uz.ts +++ b/lang/calamares_uz.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -625,18 +630,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -650,9 +664,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -661,56 +686,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -765,36 +783,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -828,11 +859,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -845,12 +878,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1000,42 +1030,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1107,13 +1138,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1192,31 +1223,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1224,43 +1261,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1296,17 +1341,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1324,28 +1367,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1354,6 +1401,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1361,17 +1409,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1385,12 +1431,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1403,17 +1451,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1599,11 +1645,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1625,56 +1673,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1744,23 +1803,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2254,20 +2316,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2782,11 +2862,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2843,7 +2918,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2949,31 +3025,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -2989,37 +3071,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3098,16 +3187,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3123,16 +3202,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3184,6 +3253,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3229,7 +3322,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3257,6 +3351,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3264,7 +3359,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3358,26 +3454,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3396,11 +3478,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3425,6 +3502,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3439,7 +3522,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3448,12 +3532,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3566,22 +3652,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3591,6 +3680,7 @@ Output: Resize Volume Group + @title @@ -3598,17 +3688,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3625,12 +3722,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3648,7 +3747,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3713,81 +3813,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3801,32 +3916,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3875,7 +3991,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3894,7 +4011,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3912,7 +4030,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3962,7 +4081,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3985,7 +4105,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4014,7 +4135,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4077,6 +4199,7 @@ Output: Feedback + @title @@ -4084,7 +4207,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4243,11 +4367,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4260,12 +4379,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4274,6 +4400,7 @@ Output: Welcome + @title @@ -4281,7 +4408,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4697,21 +4825,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4732,11 +4850,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4758,13 +4871,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4782,11 +4900,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4802,16 +4940,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4830,21 +4958,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,9 +4983,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4897,7 +5025,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4920,16 +5058,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4966,12 +5094,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4995,12 +5123,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_vi.ts b/lang/calamares_vi.ts index 0a6ddde505..338dc840d3 100644 --- a/lang/calamares_vi.ts +++ b/lang/calamares_vi.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - Quản lý cài đặt tự động gắn kết(auto-mount) + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Bản ghi khởi động chính của %1 Boot Partition + @info Phân vùng khởi động System Partition + @info Phân vùng hệ thống Do not install a boot loader + @label Không cài đặt bộ tải khởi động @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label Cài đặt @@ -627,18 +632,27 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + + + + + The installer failed to update partition table on disk '%1'. + @info @@ -652,9 +666,20 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong> Phân vùng thủ công </strong> <br/> Bạn có thể tự tạo hoặc thay đổi kích thước phân vùng. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong> Chọn một phân vùng để thu nhỏ, sau đó kéo thanh dưới cùng để thay đổi kích thước </strong> + Select storage de&vice: + @label &Chọn thiết bị lưu trữ: @@ -663,56 +688,49 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Current: + @label Hiện tại: After: - Sau khi cài đặt: - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong> Phân vùng thủ công </strong> <br/> Bạn có thể tự tạo hoặc thay đổi kích thước phân vùng. + @label + Sau: - Reuse %1 as home partition for %2. - Sử dụng lại %1 làm phân vùng chính cho %2. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong> Chọn một phân vùng để thu nhỏ, sau đó kéo thanh dưới cùng để thay đổi kích thước </strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 sẽ được thu nhỏ thành %2MiB và phân vùng %3MiB mới sẽ được tạo cho %4. - - - Boot loader location: - Vị trí bộ tải khởi động: - <strong>Select a partition to install on</strong> + @label <strong> Chọn phân vùng để cài đặt </strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name Không thể tìm thấy phân vùng hệ thống EFI ở bất kỳ đâu trên hệ thống này. Vui lòng quay lại và sử dụng phân vùng thủ công để thiết lập %1. The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name Phân vùng hệ thống EFI tại %1 sẽ được sử dụng để bắt đầu %2. EFI system partition: + @label Phân vùng hệ thống EFI: @@ -767,38 +785,51 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< This storage device has one of its partitions <strong>mounted</strong>. + @info Thiết bị lưu trữ này có một trong các phân vùng được <strong> gắn kết </strong>. This storage device is a part of an <strong>inactive RAID</strong> device. + @info Thiết bị lưu trữ này là một phần của thiết bị <strong> RAID không hoạt động </strong>. - No Swap - Không hoán đổi + No swap + @label + - Reuse Swap - Sử dụng lại Hoán đổi + Reuse swap + @label + Swap (no Hibernate) + @label Hoán đổi (không ngủ đông) Swap (with Hibernate) + @label Hoán đổi (ngủ đông) Swap to file + @label Hoán đổi sang tệp + + + Bootloader location: + @label + + ClearMountsJob @@ -830,12 +861,14 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Clear mounts for partitioning operations on %1 + @title Xóa gắn kết cho các hoạt động phân vùng trên %1 - Clearing mounts for partitioning operations on %1. - Xóa các gắn kết cho các hoạt động phân vùng trên %1. + Clearing mounts for partitioning operations on %1… + @status + @@ -847,13 +880,10 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ClearTempMountsJob - Clear all temporary mounts. - Xóa tất cả các gắn kết tạm thời. - - - Clearing all temporary mounts. - Đang xóa tất cả các gắn kết tạm thời. + Clearing all temporary mounts… + @status + @@ -1002,42 +1032,43 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - + Package Selection Lựa chọn gói - + Please pick a product from the list. The selected product will be installed. Vui lòng chọn một sản phẩm từ danh sách. Sản phẩm đã chọn sẽ được cài đặt. - + Packages Gói - + Install option: <strong>%1</strong> - + None - + Summary + @label Tổng quan - + This is an overview of what will happen once you start the setup procedure. Đây là tổng quan về những gì sẽ xảy ra khi bạn bắt đầu quy trình thiết lập. - + This is an overview of what will happen once you start the install procedure. Đây là tổng quan về những gì sẽ xảy ra khi bạn bắt đầu quy trình cài đặt. @@ -1109,15 +1140,15 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - The system language will be set to %1 + The system language will be set to %1. @info - + Ngôn ngữ hệ thống sẽ được đặt thành %1. - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + Định dạng ngôn ngữ của số và ngày tháng sẽ được chuyển thành %1. @@ -1194,31 +1225,37 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< En&crypt + @action &Mã hóa Logical + @label Lô-gic Primary + @label Sơ cấp GPT + @label GPT Mountpoint already in use. Please select another one. + @info Điểm gắn kết đã được sử dụng. Vui lòng chọn một cái khác. Mountpoint must start with a <tt>/</tt>. + @info @@ -1226,43 +1263,51 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. - Tạo phân vùng %2MiB mới trên %4 (%3) với hệ thống tệp %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - Tạo phân vùng <strong>%2MiB </strong> mới trên <strong>%4 </strong> (%3) với hệ thống tệp <strong>%1 </strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - Tạo phân vùng %1 mới trên %2. + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info Trình cài đặt không tạo được phân vùng trên đĩa '%1'. @@ -1298,18 +1343,16 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< CreatePartitionTableJob - Create new %1 partition table on %2. - Tạo bảng phân vùng %1 mới trên %2. + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - Tạo bảng phân vùng <strong>%1 </strong> mới trên <strong>%2 </strong> (%3). - - - - Creating new %1 partition table on %2. - Tạo bảng phân vùng %1 mới trên %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1326,29 +1369,33 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - Create user <strong>%1</strong>. - Tạo người dùng <strong>%1</strong>. - - - - Preserving home directory - Giữ lại thư mục home + Create user <strong>%1</strong> + - Creating user %1 - Đang tạo người dùng %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status Đang cấu hình cho người dùng %1 - Setting file permissions - Đang thiết lập quyền hạn với tập tin + Setting file permissions… + @status + @@ -1356,6 +1403,7 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Create Volume Group + @title Tạo nhóm ổ đĩa @@ -1363,18 +1411,16 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< CreateVolumeGroupJob - Create new volume group named %1. - Tạo nhóm ổ đĩa mới có tên %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - Tạo nhóm ổ đĩa mới có tên <strong>%1</strong>. - - - - Creating new volume group named %1. - Đang tạo nhóm ổ đĩa mới có tên %1. + Creating new volume group named <strong>%1</strong>… + @status + @@ -1387,13 +1433,15 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - Deactivate volume group named %1. - Hủy kích hoạt nhóm ổ đĩa có tên %1. + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - Hủy kích hoạt nhóm ổ đĩa có tên <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1405,18 +1453,16 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< DeletePartitionJob - Delete partition %1. - Xóa phân vùng %1. + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - Xóa phân vùng <strong>%1</strong>. - - - - Deleting partition %1. - Đang xóa phân vùng %1. + Deleting partition <strong>%1</strong>… + @status + @@ -1601,11 +1647,13 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Please enter the same passphrase in both boxes. + @tooltip Vui lòng nhập cùng một cụm mật khẩu vào cả hai hộp. - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1627,57 +1675,68 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Set partition information + @title Đặt thông tin phân vùng Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. - Cài đặt %1 trên phân vùng hệ thống <strong> mới </strong> %2. + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. - Cài đặt %2 trên phân vùng hệ thống %3 <strong> %1 </strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - Cài đặt trình tải khởi động trên <strong> %1 </strong>. + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - Thiết lập điểm gắn kết. + + Setting up mount points… + @status + @@ -1746,24 +1805,27 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - Định dạng phân vùng %1 (tập tin hệ thống:%2, kích thước: %3 MiB) trên %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - Định dạng <strong>%3MiB</strong> phân vùng <strong>%1</strong>với tập tin hệ thống <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - Đang định dạng phân vùng %1 với tập tin hệ thống %2. + + Formatting partition %1 with file system %2… + @status + @@ -2256,20 +2318,38 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< MachineIdJob - + Generate machine-id. Tạo ID máy. - + Configuration Error Lỗi cấu hình - + No root mount point is set for MachineId. Không có điểm gắn kết gốc nào được đặt cho ID máy + + + + + + File not found + Không tìm thấy tập tin + + + + Path <pre>%1</pre> must be an absolute path. + Đường dẫn <pre>%1</pre> phải là đường dẫn tuyệt đối. + + + + Could not create new random file <pre>%1</pre>. + Không thể tạo tập tin ngẫu nhiên <pre>%1</pre>. + Map @@ -2788,11 +2868,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Unknown error Lỗi không xác định - - - Password is empty - Mật khẩu trống - PackageChooserPage @@ -2849,7 +2924,8 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2955,31 +3031,37 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Home + @label Nhà Boot + @label Khởi động EFI system + @label Hệ thống EFI Swap + @label Hoán đổi New partition for %1 + @label Phân vùng mới cho %1 New partition + @label Phân vùng mới @@ -2995,37 +3077,44 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Free Space + @title Không gian trống - New partition - Phân vùng mới + New Partition + @title + Name + @title Tên File System + @title Tập tin hệ thống File System Label + @title Mount Point + @title Điểm gắn kết Size + @title Kích cỡ @@ -3104,16 +3193,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< PartitionViewStep - - - Gathering system information... - Thu thập thông tin hệ thống ... - - - - Partitions - Phân vùng - Unsafe partition actions are enabled. @@ -3129,16 +3208,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< No partitions will be changed. - - - Current: - Hiện tại: - - - - After: - Sau: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3190,6 +3259,30 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + Phân vùng + + + + Current: + @label + Hiện tại: + + + + After: + @label + Sau: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3235,8 +3328,9 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< PlasmaLnfJob - Plasma Look-and-Feel Job - Công việc Plasma Look-and-Feel + Applying Plasma Look-and-Feel… + @status + @@ -3263,6 +3357,7 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Look-and-Feel + @label Look-and-Feel @@ -3270,8 +3365,9 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< PreserveFiles - Saving files for later ... - Đang lưu tập tin để dùng sau ... + Saving files for later… + @status + @@ -3367,26 +3463,12 @@ Output: Mặc định - - - - - File not found - Không tìm thấy tập tin - - - - Path <pre>%1</pre> must be an absolute path. - Đường dẫn <pre>%1</pre> phải là đường dẫn tuyệt đối. - - - + Directory not found Thư mục không tìm thấy - - + Could not create new random file <pre>%1</pre>. Không thể tạo tập tin ngẫu nhiên <pre>%1</pre>. @@ -3405,11 +3487,6 @@ Output: (no mount point) (không có điểm gắn kết) - - - Unpartitioned space or unknown partition table - Không gian chưa được phân vùng hoặc bảng phân vùng không xác định - unknown @@ -3434,6 +3511,12 @@ Output: @partition info hoán đổi + + + Unpartitioned space or unknown partition table + @info + Không gian chưa được phân vùng hoặc bảng phân vùng không xác định + Recommended @@ -3449,8 +3532,9 @@ Output: RemoveUserJob - Remove live user from target system - Xóa người dùng trực tiếp khỏi hệ thống đích + Removing live user from the target system… + @status + @@ -3458,13 +3542,15 @@ Output: - Remove Volume Group named %1. - Xóa nhóm ổ đĩa có tên %1. + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - Xóa nhóm ổ đĩa có tên <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3578,22 +3664,25 @@ Output: ResizePartitionJob - - Resize partition %1. - Đổi kích thước phân vùng %1. + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - Thay đổi kích thước <strong>%2MiB</strong> phân vùng <strong>%1</strong> toùng <strong>%3đếnMiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - Thay đổi %2MiB phân vùng %1 thành %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. Thất bại trong việc thay đổi kích thước phân vùng %1 trên đĩa '%2'. @@ -3603,6 +3692,7 @@ Output: Resize Volume Group + @title Thay đổi kích thước nhóm ổ đĩa @@ -3610,17 +3700,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - Thay đổi kích thước nhóm ổ đĩa có tên %1 từ %2 thành %3. + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - Thay đổi kích thước nhóm ổ đĩa có tên <strong> %1 </strong> từ <strong> %2 </strong> thành <strong> %3 </strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. Trình cài đặt không thể thay đổi kích thước một nhóm ổ đĩa có tên ' %1'. @@ -3637,13 +3734,15 @@ Output: ScanningDialog - Scanning storage devices... - Quét thiết bị lưu trữ... + Scanning storage devices… + @status + - Partitioning - Đang phân vùng + Partitioning… + @status + @@ -3660,8 +3759,9 @@ Output: - Setting hostname %1. - Đặt tên máy %1. + Setting hostname %1… + @status + @@ -3725,81 +3825,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - Chọn cờ trong phân vùng %1. + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - Chọn cờ %1MiB %2 phân vùng. + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - Chọn cờ trong phân vùng mới. + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - Xóa cờ trong phân vùng<strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - Xóa cờ trong %1MiB <strong>%2</strong> phân vùng. + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - Xóa cờ trong phân vùng mới. + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - Cờ phân vùng <strong>%1</strong> như <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - Cờ %1MiB <strong>%2</strong> phân vùng như <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - Cờ phân vùng mới như <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - Đang xóa cờ trên phân vùng <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - Đang xóa cờ trên %1MiB <strong>%2</strong> phân vùng. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - Đang xóa cờ trên phân vùng mới. + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - Chọn cờ <strong>%2</strong> trong phân vùng <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - Chọn cờ <strong>%3</strong> trong %1MiB <strong>%2</strong> phân vùng. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - Chọn cờ <strong>%1</strong> trong phân vùng mới. + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. Không thể tạo cờ cho phân vùng %1. @@ -3813,32 +3928,33 @@ Output: - Setting password for user %1. - Đang tạo mật khẩu người dùng %1. + Setting password for user %1… + @status + - + Bad destination system path. Đường dẫn hệ thống đích không hợp lệ. - + rootMountPoint is %1 Điểm gắn kết gốc là %1 - + Cannot disable root account. Không thể vô hiệu hoá tài khoản quản trị. - + Cannot set password for user %1. Không thể đặt mật khẩu cho người dùng %1. - - + + usermod terminated with error code %1. usermod bị chấm dứt với mã lỗi %1. @@ -3887,8 +4003,9 @@ Output: SetupGroupsJob - Preparing groups. - Đang chuẩn bị các nhóm + Preparing groups… + @status + @@ -3906,8 +4023,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - Cấu hình <pre>sudo</pre>cho người dùng. + Configuring <pre>sudo</pre> users… + @status + @@ -3924,8 +4042,9 @@ Output: ShellProcessJob - Shell Processes Job - Shell Xử lý Công việc + Running shell processes… + @status + @@ -3974,8 +4093,9 @@ Output: - Sending installation feedback. - Gửi phản hồi cài đặt. + Sending installation feedback… + @status + @@ -3997,8 +4117,9 @@ Output: - Configuring KDE user feedback. - Định cấu hình phản hồi của người dùng KDE. + Configuring KDE user feedback… + @status + @@ -4026,8 +4147,9 @@ Output: - Configuring machine feedback. - Cấu hình phản hồi máy. + Configuring machine feedback… + @status + @@ -4089,6 +4211,7 @@ Output: Feedback + @title Phản hồi @@ -4096,8 +4219,9 @@ Output: UmountJob - Unmount file systems. - Gỡ kết nối các hệ thống tập tin. + Unmounting file systems… + @status + @@ -4255,11 +4379,6 @@ Output: &Release notes &Ghi chú phát hành - - - %1 support - Hỗ trợ %1 - About %1 Setup @@ -4272,12 +4391,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title Chào mừng @@ -4286,6 +4412,7 @@ Output: Welcome + @title Chào mừng @@ -4293,7 +4420,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4730,21 +4858,11 @@ Output: What is your name? Hãy cho Vigo biết tên đầy đủ của bạn? - - - Your Full Name - Tên đầy đủ - What name do you want to use to log in? Bạn muốn dùng tên nào để đăng nhập máy tính? - - - Login Name - Tên đăng nhập - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4765,11 +4883,6 @@ Output: What is the name of this computer? Tên của máy tính này là? - - - Computer Name - Tên máy tính - This name will be used if you make the computer visible to others on a network. @@ -4790,16 +4903,21 @@ Output: Password Mật khẩu - - - Repeat Password - Lặp lại mật khẩu - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Nhập lại mật khẩu hai lần để kiểm tra. Một mật khẩu tốt phải có ít nhất 8 ký tự và bao gồm chữ, số, ký hiệu đặc biệt. Nên được thay đổi thường xuyên. + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4815,11 +4933,31 @@ Output: Log in automatically without asking for the password Tự động đăng nhập không hỏi mật khẩu + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4835,16 +4973,6 @@ Output: Choose a root password to keep your account safe. Chọn mật khẩu quản trị để giữ máy tính an toàn. - - - Root Password - Mật khẩu quản trị - - - - Repeat Root Password - Lặp lại mật khẩu quản trị - Enter the same password twice, so that it can be checked for typing errors. @@ -4863,21 +4991,11 @@ Output: What is your name? Hãy cho Vigo biết tên đầy đủ của bạn? - - - Your Full Name - Tên đầy đủ - What name do you want to use to log in? Bạn muốn dùng tên nào để đăng nhập máy tính? - - - Login Name - Tên đăng nhập - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4898,10 +5016,20 @@ Output: What is the name of this computer? Tên máy tính này là? + + + Your full name + + + + + Login name + + - Computer Name - Tên máy + Computer name + @@ -4930,8 +5058,18 @@ Output: - Repeat Password - Lặp lại mật khẩu + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4953,16 +5091,6 @@ Output: Choose a root password to keep your account safe. Chọn mật khẩu quản trị để giữ máy tính an toàn. - - - Root Password - Mật khẩu quản trị - - - - Repeat Root Password - Lặp lại mật khẩu quản trị - Enter the same password twice, so that it can be checked for typing errors. @@ -5000,13 +5128,13 @@ Output: - Known issues - Các vấn đề đã biết + Known Issues + - Release notes - Ghi chú phát hành + Release Notes + @@ -5030,13 +5158,13 @@ Output: - Known issues - Các vấn đề đã biết + Known Issues + - Release notes - Ghi chú phát hành + Release Notes + diff --git a/lang/calamares_zh.ts b/lang/calamares_zh.ts index d89c33ebeb..ade15d7f22 100644 --- a/lang/calamares_zh.ts +++ b/lang/calamares_zh.ts @@ -29,7 +29,8 @@ AutoMountManagementJob - Manage auto-mount settings + Managing auto-mount settings… + @status @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -625,18 +630,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -650,9 +664,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -661,56 +686,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -765,36 +783,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -828,11 +859,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -845,12 +878,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1000,42 +1030,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1107,13 +1138,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1192,31 +1223,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1224,43 +1261,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1296,17 +1341,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1324,28 +1367,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1354,6 +1401,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1361,17 +1409,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1385,12 +1431,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1403,17 +1451,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1599,11 +1645,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1625,56 +1673,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1744,23 +1803,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2254,20 +2316,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2782,11 +2862,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2843,7 +2918,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2949,31 +3025,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -2989,37 +3071,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3098,16 +3187,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3123,16 +3202,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3184,6 +3253,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3229,7 +3322,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3257,6 +3351,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3264,7 +3359,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3358,26 +3454,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3396,11 +3478,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3425,6 +3502,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3439,7 +3522,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3448,12 +3532,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3566,22 +3652,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3591,6 +3680,7 @@ Output: Resize Volume Group + @title @@ -3598,17 +3688,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3625,12 +3722,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3648,7 +3747,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3713,81 +3813,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3801,32 +3916,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3875,7 +3991,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3894,7 +4011,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3912,7 +4030,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3962,7 +4081,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3985,7 +4105,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4014,7 +4135,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4077,6 +4199,7 @@ Output: Feedback + @title @@ -4084,7 +4207,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4243,11 +4367,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4260,12 +4379,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4274,6 +4400,7 @@ Output: Welcome + @title @@ -4281,7 +4408,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4697,21 +4825,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4732,11 +4850,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4758,13 +4871,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4782,11 +4900,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4802,16 +4940,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4830,21 +4958,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,9 +4983,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4897,7 +5025,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4920,16 +5058,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4966,12 +5094,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4995,12 +5123,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_zh_CN.ts b/lang/calamares_zh_CN.ts index fe5350ec08..3f26e5d46c 100644 --- a/lang/calamares_zh_CN.ts +++ b/lang/calamares_zh_CN.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - 管理自动挂载设置 + Managing auto-mount settings… + @status + @@ -57,21 +58,25 @@ Master Boot Record of %1 + @info 主引导记录 %1 Boot Partition + @info 引导分区 System Partition + @info 系统分区 Do not install a boot loader + @label 不要安装引导程序 @@ -166,19 +171,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label - + Install @label 安装 @@ -632,18 +637,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - 在%1设置文件系统卷标。 + Set filesystem label on %1 + @title + - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - 设置文件系统标签 <strong>%1</strong> 至分区 <strong>%2</strong>。 + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + - - + + The installer failed to update partition table on disk '%1'. + @info 安装程序更新磁盘“%1”分区表失败。 @@ -657,9 +671,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手动分区</strong><br/>您可以自行创建或重新调整分区大小。 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>选择要缩小的分区,然后拖动底栏改变大小</strong> + Select storage de&vice: + @label 选择存储器(&V): @@ -668,56 +693,49 @@ The installer will quit and all changes will be lost. Current: + @label 当前: After: + @label 之后: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手动分区</strong><br/>您可以自行创建或重新调整分区大小。 - - Reuse %1 as home partition for %2. - 重复使用 %1 作为 %2 的 home 分区。 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>选择要缩小的分区,然后拖动底栏改变大小</strong> + Reuse %1 as home partition for %2 + @label + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 将会缩减到 %2MiB,然后为 %4 创建一个 %3MiB 分区。 - - - Boot loader location: - 引导程序位置: - <strong>Select a partition to install on</strong> + @label <strong>选择要安装到的分区</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name 在此系统上找不到任何 EFI 系统分区。请后退到上一步并使用手动分区配置 %1。 The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name %1 处的 EFI 系统分区将被用来启动 %2。 EFI system partition: + @label EFI 系统分区: @@ -772,38 +790,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info 此存储设备 <strong>已挂载</strong>其中一个分区。 This storage device is a part of an <strong>inactive RAID</strong> device. + @info 该存储设备是 <strong>非活动RAID</strong> 设备的一部分。 - No Swap - 无交换分区 + No swap + @label + - Reuse Swap - 重用交换分区 + Reuse swap + @label + Swap (no Hibernate) + @label 交换分区(无休眠) Swap (with Hibernate) + @label 交换分区(带休眠) Swap to file + @label 交换到文件 + + + Bootloader location: + @label + + ClearMountsJob @@ -835,12 +866,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title 清理挂载了的分区以在 %1 进行分区操作 - Clearing mounts for partitioning operations on %1. - 正在清理挂载了的分区以在 %1 进行分区操作。 + Clearing mounts for partitioning operations on %1… + @status + @@ -852,13 +885,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - 清除所有临时挂载点。 - - - Clearing all temporary mounts. - 正在清除所有临时挂载点。 + Clearing all temporary mounts… + @status + @@ -1007,42 +1037,43 @@ The installer will quit and all changes will be lost. 确定 - + Package Selection 软件包选择 - + Please pick a product from the list. The selected product will be installed. 请在列表中选一个产品。被选中的产品将会被安装。 - + Packages 软件包 - + Install option: <strong>%1</strong> 安装选项:<strong>%1</strong> - + None - + Summary + @label 摘要 - + This is an overview of what will happen once you start the setup procedure. 预览——当你启动安装过程,以下行为将被执行 - + This is an overview of what will happen once you start the install procedure. 这是您开始安装后所会发生的事情的概览。 @@ -1114,15 +1145,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - + 系统语言将设置为 %1。 - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - + 数字和日期地域将设置为 %1。 @@ -1199,31 +1230,37 @@ The installer will quit and all changes will be lost. En&crypt + @action 加密(&C) Logical + @label 逻辑分区 Primary + @label 主分区 GPT + @label GPT Mountpoint already in use. Please select another one. + @info 挂载点已被占用。请选择另一个。 Mountpoint must start with a <tt>/</tt>. + @info 挂载点必须以<tt>/</tt>开头。 @@ -1231,43 +1268,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - 在 %3 (%2) 上使用 %4 建立新的 %1MiB 分区。 + Create new %1MiB partition on %3 (%2) with entries %4 + @title + - Create new %1MiB partition on %3 (%2). - 在 %3 (%2) 上建立新的 %1MiB 分区。 + Create new %1MiB partition on %3 (%2) + @title + - Create new %2MiB partition on %4 (%3) with file system %1. - 在 %4 (%3) 上创建新的 %2MiB 分区,文件系统为 %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title + - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - 在 <strong>%3</strong> (%2) 上使用 <em>%4</em> 建立新的 <strong>%1MiB</strong> 分区。 + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - 在<strong>%3</strong>(%2)上创建新的<strong>%1MiB</strong>分区 + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - 在<strong>%4</strong>(%3)上创建一个<strong>%2MiB</strong>的%1分区。 + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + - - - Creating new %1 partition on %2. - 正在 %2 上创建新的 %1 分区。 + + + Creating new %1 partition on %2… + @status + - + The installer failed to create partition on disk '%1'. + @info 安装程序在磁盘“%1”创建分区失败。 @@ -1303,18 +1348,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - 在 %2 上创建新的 %1 分区表。 + + Creating new %1 partition table on %2… + @status + - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - 在 <strong>%2</strong> (%3) 上创建新的 <strong>%1</strong> 分区表。 - - - - Creating new %1 partition table on %2. - 正在 %2 上创建新的 %1 分区表。 + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + @@ -1331,29 +1374,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - 创建用户 <strong>%1</strong>。 - - - - Preserving home directory - 保留家目录 + Create user <strong>%1</strong> + - Creating user %1 - 创建用户 %1 + Creating user %1… + @status + + + + + Preserving home directory… + @status + Configuring user %1 + @status 配置用户 %1 - Setting file permissions - 设置文件权限 + Setting file permissions… + @status + @@ -1361,6 +1408,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title 创建存储组 @@ -1368,18 +1416,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - 新建分卷组 %1. + + Creating new volume group named %1… + @status + - Create new volume group named <strong>%1</strong>. - 新建名为 <strong>%1</strong>的分卷组。 - - - - Creating new volume group named %1. - 新建名为 %1的分卷组。 + Creating new volume group named <strong>%1</strong>… + @status + @@ -1392,13 +1438,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - 停用分卷组 %1。 + Deactivating volume group named %1… + @status + - Deactivate volume group named <strong>%1</strong>. - 停用分卷组<strong>%1</strong>。 + Deactivating volume group named <strong>%1</strong>… + @status + @@ -1410,18 +1458,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - 删除分区 %1。 + + Deleting partition %1… + @status + - Delete partition <strong>%1</strong>. - 删除分区 <strong>%1</strong>。 - - - - Deleting partition %1. - 正在删除分区 %1。 + Deleting partition <strong>%1</strong>… + @status + @@ -1607,11 +1653,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip 请在两个输入框中输入同样的密码。 - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1633,57 +1681,68 @@ The installer will quit and all changes will be lost. Set partition information + @title 设置分区信息 Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info 在有 <em>%3</em> 特性的<strong>新</strong> %2 系統分区上安裝 %1 - - Install %1 on <strong>new</strong> %2 system partition. - 在 <strong>新的</strong>系统分区 %2 上安装 %1。 + + Install %1 on <strong>new</strong> %2 system partition + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - 设置 <strong>新的</strong> 含挂载点 <strong>%1</strong>%3 的 %2 分区。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - 设置 <strong>新的</strong> 含挂载点 <strong>%1</strong>%3 的 %2 分区。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - 在具有功能<em>%4</em>的 %3 系统分区<strong>%1</strong>上安装 %2。 + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - 为分区 %3 <strong>%1</strong> 设定挂载点 <strong>%2</strong> 与特性 <em>%4</em>。 + + Install %2 on %3 system partition <strong>%1</strong> + @info + - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - 设置%3 分区的挂载点 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + - - Install %2 on %3 system partition <strong>%1</strong>. - 在 %3 系统割区 <strong>%1</strong> 上安装 %2。 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + - - Install boot loader on <strong>%1</strong>. - 在 <strong>%1</strong>上安装引导程序。 + + Install boot loader on <strong>%1</strong>… + @info + - - Setting up mount points. - 正在设置挂载点。 + + Setting up mount points… + @status + @@ -1752,24 +1811,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - 格式化在 %4 的分区 %1 (文件系统:%2,大小:%3 MB)。 + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - 以文件系统 <strong>%2</strong> 格式化 <strong>%3MB</strong> 的分区 <strong>%1</strong>。 + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + - + %1 (%2) partition label %1 (device path %2) %1(%2) - - Formatting partition %1 with file system %2. - 正在使用 %2 文件系统格式化分区 %1。 + + Formatting partition %1 with file system %2… + @status + @@ -2262,20 +2324,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. 生成 machine-id。 - + Configuration Error 配置错误 - + No root mount point is set for MachineId. MachineId未配置根挂载点/ + + + + + + File not found + 找不到文件 + + + + Path <pre>%1</pre> must be an absolute path. + 路径 <pre>%1</pre> 必须是绝对路径。 + + + + Could not create new random file <pre>%1</pre>. + 无法创建新的随机文件 <pre>%1</pre>. + Map @@ -2794,11 +2874,6 @@ The installer will quit and all changes will be lost. Unknown error 未知错误 - - - Password is empty - 密码是空 - PackageChooserPage @@ -2855,7 +2930,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2961,31 +3037,37 @@ The installer will quit and all changes will be lost. Home + @label 主目录 Boot + @label 引导 EFI system + @label EFI 系统 Swap + @label 交换 New partition for %1 + @label %1 的新分区 New partition + @label 新建分区 @@ -3001,37 +3083,44 @@ The installer will quit and all changes will be lost. Free Space + @title 空闲空间 - New partition - 新建分区 + New Partition + @title + Name + @title 名称 File System + @title 文件系统 File System Label + @title 文件系统卷标 Mount Point + @title 挂载点 Size + @title 大小 @@ -3110,16 +3199,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - 正在收集系统信息... - - - - Partitions - 分区 - Unsafe partition actions are enabled. @@ -3135,16 +3214,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. 不会更改任何分区。 - - - Current: - 当前: - - - - After: - 之后: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3196,6 +3265,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. 文件系统必须设置 <strong>%1</strong> 标记。 + + + Gathering system information… + @status + + + + + Partitions + @label + 分区 + + + + Current: + @label + 当前: + + + + After: + @label + 之后: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3241,8 +3334,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma 外观主题任务 + Applying Plasma Look-and-Feel… + @status + @@ -3269,6 +3363,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label 外观主题 @@ -3276,8 +3371,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - 保存文件以供日后使用 + Saving files for later… + @status + @@ -3373,26 +3469,12 @@ Output: 默认 - - - - - File not found - 找不到文件 - - - - Path <pre>%1</pre> must be an absolute path. - 路径 <pre>%1</pre> 必须是绝对路径。 - - - + Directory not found 找不到目录 - - + Could not create new random file <pre>%1</pre>. 无法创建新的随机文件 <pre>%1</pre>. @@ -3411,11 +3493,6 @@ Output: (no mount point) (无挂载点) - - - Unpartitioned space or unknown partition table - 尚未分区的空间或分区表未知 - unknown @@ -3440,6 +3517,12 @@ Output: @partition info 交换分区 + + + Unpartitioned space or unknown partition table + @info + 尚未分区的空间或分区表未知 + Recommended @@ -3455,8 +3538,9 @@ Output: RemoveUserJob - Remove live user from target system - 从目标系统删除 live 用户 + Removing live user from the target system… + @status + @@ -3464,13 +3548,15 @@ Output: - Remove Volume Group named %1. - 移除分卷组 %1。 + Removing Volume Group named %1… + @status + - Remove Volume Group named <strong>%1</strong>. - 移除分卷组 <strong>%1</strong>。 + Removing Volume Group named <strong>%1</strong>… + @status + @@ -3584,22 +3670,25 @@ Output: ResizePartitionJob - - Resize partition %1. - 调整分区 %1 大小。 + + Resize partition %1 + @title + - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - 将 <strong>%2MiB</strong> 分区的大小从<strong>%1</strong> 调整至<strong>%3MiB</strong>。 + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + - - Resizing %2MiB partition %1 to %3MiB. - 正将 %2MB 的分区%1调整为 %3MB。 + + Resizing %2MiB partition %1 to %3MiB… + @status + - + The installer failed to resize partition %1 on disk '%2'. 安装程序调整磁盘“%2”上的分区 %1 大小失败。 @@ -3609,6 +3698,7 @@ Output: Resize Volume Group + @title 调整分卷组大小 @@ -3616,17 +3706,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - 将分卷组%1的大小从%2调整为%3。 + Resize volume group named %1 from %2 to %3 + @title + - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - 将分卷组<strong>%1</strong>的大小从<strong>%2</strong>调整为<strong>%3</strong>。 + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status + - + The installer failed to resize a volume group named '%1'. 安装器未能调整分卷组'%1'的大小 @@ -3643,13 +3740,15 @@ Output: ScanningDialog - Scanning storage devices... - 正在扫描存储器… + Scanning storage devices… + @status + - Partitioning - 正在分区 + Partitioning… + @status + @@ -3666,8 +3765,9 @@ Output: - Setting hostname %1. - 正在设置主机名 %1。 + Setting hostname %1… + @status + @@ -3731,81 +3831,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - 设置分区 %1 的标记。 + Set flags on partition %1 + @title + - Set flags on %1MiB %2 partition. - 设置 %1MB %2 分区的标记。 + Set flags on %1MiB %2 partition + @title + - Set flags on new partition. - 设置新分区的标记。 + Set flags on new partition + @title + - Clear flags on partition <strong>%1</strong>. - 清空分区 <strong>%1</strong> 上的标记。 + Clear flags on partition <strong>%1</strong> + @info + - Clear flags on %1MiB <strong>%2</strong> partition. - 删除 %1MB <strong>%2</strong> 分区的标记。 + Clear flags on %1MiB <strong>%2</strong> partition + @info + - Clear flags on new partition. - 删除新分区的标记。 + Clear flags on new partition + @info + - Flag partition <strong>%1</strong> as <strong>%2</strong>. - 将分区 <strong>%2</strong> 标记为 <strong>%1</strong>。 + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - 将 %1MB <strong>%2</strong> 分区标记为 <strong>%3</strong>。 + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + - - Flag new partition as <strong>%1</strong>. - 将新分区标记为 <strong>%1</strong>。 + + Set flags on new partition to <strong>%1</strong> + @info + - - Clearing flags on partition <strong>%1</strong>. - 正在清理分区 <strong>%1</strong> 上的标记。 + + Clearing flags on partition <strong>%1</strong>… + @status + - - Clearing flags on %1MiB <strong>%2</strong> partition. - 正在删除 %1MB <strong>%2</strong> 分区的标记。 + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + - - Clearing flags on new partition. - 正在删除新分区的标记。 + + Clearing flags on new partition… + @status + - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - 正在为分区 <strong>%1</strong> 设置标记 <strong>%2</strong>。 + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - 正在将 %1MB <strong>%2</strong> 分区标记为 <strong>%3</strong>。 + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + - - Setting flags <strong>%1</strong> on new partition. - 正在将新分区标记为 <strong>%1</strong>。 + + Setting flags <strong>%1</strong> on new partition… + @status + - + The installer failed to set flags on partition %1. 安装程序未能成功设置分区 %1 的标记。 @@ -3819,32 +3934,33 @@ Output: - Setting password for user %1. - 正在为用户 %1 设置密码。 + Setting password for user %1… + @status + - + Bad destination system path. 非法的目标系统路径。 - + rootMountPoint is %1 根挂载点为 %1 - + Cannot disable root account. 无法禁用 root 帐号。 - + Cannot set password for user %1. 无法设置用户 %1 的密码。 - - + + usermod terminated with error code %1. usermod 以错误代码 %1 中止。 @@ -3893,8 +4009,9 @@ Output: SetupGroupsJob - Preparing groups. - 正在准备群组。 + Preparing groups… + @status + @@ -3912,8 +4029,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - 配置 <pre>sudo</pre> 用户。 + Configuring <pre>sudo</pre> users… + @status + @@ -3930,8 +4048,9 @@ Output: ShellProcessJob - Shell Processes Job - Shell 进程任务 + Running shell processes… + @status + @@ -3980,8 +4099,9 @@ Output: - Sending installation feedback. - 发送安装反馈。 + Sending installation feedback… + @status + @@ -4003,8 +4123,9 @@ Output: - Configuring KDE user feedback. - 配置 KDE 用户反馈。 + Configuring KDE user feedback… + @status + @@ -4032,8 +4153,9 @@ Output: - Configuring machine feedback. - 正在配置机器反馈。 + Configuring machine feedback… + @status + @@ -4095,6 +4217,7 @@ Output: Feedback + @title 反馈 @@ -4102,8 +4225,9 @@ Output: UmountJob - Unmount file systems. - 卸载文件系统。 + Unmounting file systems… + @status + @@ -4261,11 +4385,6 @@ Output: &Release notes 发行注记(&R) - - - %1 support - %1 的支持信息 - About %1 Setup @@ -4278,12 +4397,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title 欢迎 @@ -4292,6 +4418,7 @@ Output: Welcome + @title 欢迎 @@ -4299,8 +4426,9 @@ Output: ZfsJob - Create ZFS pools and datasets - 创建 ZFS 池和数据集 + Creating ZFS pools and datasets… + @status + @@ -4744,21 +4872,11 @@ Output: What is your name? 您的姓名? - - - Your Full Name - 全名 - What name do you want to use to log in? 您想要使用的登录用户名是? - - - Login Name - 登录名 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4779,11 +4897,6 @@ Output: What is the name of this computer? 计算机名称为? - - - Computer Name - 计算机名称 - This name will be used if you make the computer visible to others on a network. @@ -4804,16 +4917,21 @@ Output: Password 密码 - - - Repeat Password - 重复密码 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 输入相同密码两次,以检查输入错误。好的密码包含字母,数字,标点的组合,应当至少为 8 个字符长,并且应按一定周期更换。 + + + Root password + + + + + Repeat root password + + Validate passwords quality @@ -4829,11 +4947,31 @@ Output: Log in automatically without asking for the password 不询问密码自动登录 + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. 只允许字母、数组、下划线"_" 和 连字符"-",最少两个字符。 + + + Repeat password + + Reuse user password as root password @@ -4849,16 +4987,6 @@ Output: Choose a root password to keep your account safe. 选择一个 root 密码来保证您的账户安全。 - - - Root Password - Root 密码 - - - - Repeat Root Password - 重复 Root 密码 - Enter the same password twice, so that it can be checked for typing errors. @@ -4877,21 +5005,11 @@ Output: What is your name? 您的姓名? - - - Your Full Name - 全名 - What name do you want to use to log in? 您想要使用的登录用户名是? - - - Login Name - 登录名 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4912,10 +5030,20 @@ Output: What is the name of this computer? 计算机名称为? + + + Your full name + + + + + Login name + + - Computer Name - 计算机名称 + Computer name + @@ -4944,8 +5072,18 @@ Output: - Repeat Password - 重复密码 + Repeat password + + + + + Root password + + + + + Repeat root password + @@ -4967,16 +5105,6 @@ Output: Choose a root password to keep your account safe. 选择一个 root 密码来保证您的账户安全。 - - - Root Password - Root 密码 - - - - Repeat Root Password - 重复 Root 密码 - Enter the same password twice, so that it can be checked for typing errors. @@ -5014,13 +5142,13 @@ Output: - Known issues - 已知问题 + Known Issues + - Release notes - 发行说明 + Release Notes + @@ -5044,13 +5172,13 @@ Output: - Known issues - 已知问题 + Known Issues + - Release notes - 发行说明 + Release Notes + diff --git a/lang/calamares_zh_HK.ts b/lang/calamares_zh_HK.ts index 5bc8db6765..818a115789 100644 --- a/lang/calamares_zh_HK.ts +++ b/lang/calamares_zh_HK.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - 管理自動掛載設定 + Managing auto-mount settings… + @status + @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info Boot Partition + @info System Partition + @info Do not install a boot loader + @label @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed - + Set Up @label - + Install @label @@ -625,18 +630,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. + Set filesystem label on %1 + @title - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + + + + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status - - + + The installer failed to update partition table on disk '%1'. + @info @@ -650,9 +664,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + Select storage de&vice: + @label @@ -661,56 +686,49 @@ The installer will quit and all changes will be lost. Current: + @label After: - - - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @label - Reuse %1 as home partition for %2. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + Reuse %1 as home partition for %2 + @label %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - - - - - Boot loader location: + @info, %1 is partition name, %4 is product name <strong>Select a partition to install on</strong> + @label An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name EFI system partition: + @label @@ -765,36 +783,49 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info This storage device is a part of an <strong>inactive RAID</strong> device. + @info - No Swap + No swap + @label - Reuse Swap + Reuse swap + @label Swap (no Hibernate) + @label Swap (with Hibernate) + @label Swap to file + @label + + + + + Bootloader location: + @label @@ -828,11 +859,13 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title - Clearing mounts for partitioning operations on %1. + Clearing mounts for partitioning operations on %1… + @status @@ -845,12 +878,9 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - - - - Clearing all temporary mounts. + Clearing all temporary mounts… + @status @@ -1000,42 +1030,43 @@ The installer will quit and all changes will be lost. - + Package Selection - + Please pick a product from the list. The selected product will be installed. - + Packages - + Install option: <strong>%1</strong> - + None - + Summary + @label - + This is an overview of what will happen once you start the setup procedure. - + This is an overview of what will happen once you start the install procedure. @@ -1107,13 +1138,13 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info @@ -1192,31 +1223,37 @@ The installer will quit and all changes will be lost. En&crypt + @action Logical + @label Primary + @label GPT + @label Mountpoint already in use. Please select another one. + @info Mountpoint must start with a <tt>/</tt>. + @info @@ -1224,43 +1261,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. + Create new %1MiB partition on %3 (%2) with entries %4 + @title - Create new %1MiB partition on %3 (%2). + Create new %1MiB partition on %3 (%2) + @title - Create new %2MiB partition on %4 (%3) with file system %1. + Create new %2MiB partition on %4 (%3) with file system %1 + @title - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info - - - Creating new %1 partition on %2. + + + Creating new %1 partition on %2… + @status - + The installer failed to create partition on disk '%1'. + @info @@ -1296,17 +1341,15 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. + + Creating new %1 partition table on %2… + @status - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - - - - - Creating new %1 partition table on %2. + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status @@ -1324,28 +1367,32 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. + Create user <strong>%1</strong> - - Preserving home directory + + + Creating user %1… + @status - - - Creating user %1 + + Preserving home directory… + @status Configuring user %1 + @status - Setting file permissions + Setting file permissions… + @status @@ -1354,6 +1401,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title @@ -1361,17 +1409,15 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. + + Creating new volume group named %1… + @status - Create new volume group named <strong>%1</strong>. - - - - - Creating new volume group named %1. + Creating new volume group named <strong>%1</strong>… + @status @@ -1385,12 +1431,14 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. + Deactivating volume group named %1… + @status - Deactivate volume group named <strong>%1</strong>. + Deactivating volume group named <strong>%1</strong>… + @status @@ -1403,17 +1451,15 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. + + Deleting partition %1… + @status - Delete partition <strong>%1</strong>. - - - - - Deleting partition %1. + Deleting partition <strong>%1</strong>… + @status @@ -1599,11 +1645,13 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip - Password must be a minimum of %1 characters + Password must be a minimum of %1 characters. + @tooltip @@ -1625,56 +1673,67 @@ The installer will quit and all changes will be lost. Set partition information + @title Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info - - Install %1 on <strong>new</strong> %2 system partition. + + Install %1 on <strong>new</strong> %2 system partition + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. + + Install %2 on %3 system partition <strong>%1</strong> + @info - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info - - Install %2 on %3 system partition <strong>%1</strong>. + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info - - Install boot loader on <strong>%1</strong>. + + Install boot loader on <strong>%1</strong>… + @info - - Setting up mount points. + + Setting up mount points… + @status @@ -1744,23 +1803,26 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info - + %1 (%2) partition label %1 (device path %2) - - Formatting partition %1 with file system %2. + + Formatting partition %1 with file system %2… + @status @@ -2254,20 +2316,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. - + Configuration Error - + No root mount point is set for MachineId. + + + + + + File not found + + + + + Path <pre>%1</pre> must be an absolute path. + + + + + Could not create new random file <pre>%1</pre>. + + Map @@ -2782,11 +2862,6 @@ The installer will quit and all changes will be lost. Unknown error - - - Password is empty - - PackageChooserPage @@ -2843,7 +2918,8 @@ The installer will quit and all changes will be lost. - Keyboard switch: + Switch Keyboard: + shortcut for switching between keyboard layouts @@ -2949,31 +3025,37 @@ The installer will quit and all changes will be lost. Home + @label Boot + @label EFI system + @label Swap + @label New partition for %1 + @label New partition + @label @@ -2989,37 +3071,44 @@ The installer will quit and all changes will be lost. Free Space + @title - New partition + New Partition + @title Name + @title File System + @title File System Label + @title Mount Point + @title Size + @title @@ -3098,16 +3187,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - - - - - Partitions - - Unsafe partition actions are enabled. @@ -3123,16 +3202,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. - - - Current: - - - - - After: - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3184,6 +3253,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. + + + Gathering system information… + @status + + + + + Partitions + @label + + + + + Current: + @label + + + + + After: + @label + + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3229,7 +3322,8 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job + Applying Plasma Look-and-Feel… + @status @@ -3257,6 +3351,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label @@ -3264,7 +3359,8 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... + Saving files for later… + @status @@ -3358,26 +3454,12 @@ Output: - - - - - File not found - - - - - Path <pre>%1</pre> must be an absolute path. - - - - + Directory not found - - + Could not create new random file <pre>%1</pre>. @@ -3396,11 +3478,6 @@ Output: (no mount point) - - - Unpartitioned space or unknown partition table - - unknown @@ -3425,6 +3502,12 @@ Output: @partition info + + + Unpartitioned space or unknown partition table + @info + + Recommended @@ -3439,7 +3522,8 @@ Output: RemoveUserJob - Remove live user from target system + Removing live user from the target system… + @status @@ -3448,12 +3532,14 @@ Output: - Remove Volume Group named %1. + Removing Volume Group named %1… + @status - Remove Volume Group named <strong>%1</strong>. + Removing Volume Group named <strong>%1</strong>… + @status @@ -3566,22 +3652,25 @@ Output: ResizePartitionJob - - Resize partition %1. + + Resize partition %1 + @title - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info - - Resizing %2MiB partition %1 to %3MiB. + + Resizing %2MiB partition %1 to %3MiB… + @status - + The installer failed to resize partition %1 on disk '%2'. @@ -3591,6 +3680,7 @@ Output: Resize Volume Group + @title @@ -3598,17 +3688,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. + Resize volume group named %1 from %2 to %3 + @title - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + + + + + Resizing volume group named %1 from %2 to %3… + @status - + The installer failed to resize a volume group named '%1'. @@ -3625,12 +3722,14 @@ Output: ScanningDialog - Scanning storage devices... + Scanning storage devices… + @status - Partitioning + Partitioning… + @status @@ -3648,7 +3747,8 @@ Output: - Setting hostname %1. + Setting hostname %1… + @status @@ -3713,81 +3813,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. + Set flags on partition %1 + @title - Set flags on %1MiB %2 partition. + Set flags on %1MiB %2 partition + @title - Set flags on new partition. + Set flags on new partition + @title - Clear flags on partition <strong>%1</strong>. + Clear flags on partition <strong>%1</strong> + @info - Clear flags on %1MiB <strong>%2</strong> partition. + Clear flags on %1MiB <strong>%2</strong> partition + @info - Clear flags on new partition. + Clear flags on new partition + @info - Flag partition <strong>%1</strong> as <strong>%2</strong>. + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info - - Flag new partition as <strong>%1</strong>. + + Set flags on new partition to <strong>%1</strong> + @info - - Clearing flags on partition <strong>%1</strong>. + + Clearing flags on partition <strong>%1</strong>… + @status - - Clearing flags on %1MiB <strong>%2</strong> partition. + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status - - Clearing flags on new partition. + + Clearing flags on new partition… + @status - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status - - Setting flags <strong>%1</strong> on new partition. + + Setting flags <strong>%1</strong> on new partition… + @status - + The installer failed to set flags on partition %1. @@ -3801,32 +3916,33 @@ Output: - Setting password for user %1. + Setting password for user %1… + @status - + Bad destination system path. - + rootMountPoint is %1 - + Cannot disable root account. - + Cannot set password for user %1. - - + + usermod terminated with error code %1. @@ -3875,7 +3991,8 @@ Output: SetupGroupsJob - Preparing groups. + Preparing groups… + @status @@ -3894,7 +4011,8 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. + Configuring <pre>sudo</pre> users… + @status @@ -3912,7 +4030,8 @@ Output: ShellProcessJob - Shell Processes Job + Running shell processes… + @status @@ -3962,7 +4081,8 @@ Output: - Sending installation feedback. + Sending installation feedback… + @status @@ -3985,7 +4105,8 @@ Output: - Configuring KDE user feedback. + Configuring KDE user feedback… + @status @@ -4014,7 +4135,8 @@ Output: - Configuring machine feedback. + Configuring machine feedback… + @status @@ -4077,6 +4199,7 @@ Output: Feedback + @title @@ -4084,7 +4207,8 @@ Output: UmountJob - Unmount file systems. + Unmounting file systems… + @status @@ -4243,11 +4367,6 @@ Output: &Release notes - - - %1 support - - About %1 Setup @@ -4260,12 +4379,19 @@ Output: @title + + + %1 Support + @action + + WelcomeQmlViewStep Welcome + @title @@ -4274,6 +4400,7 @@ Output: Welcome + @title @@ -4281,7 +4408,8 @@ Output: ZfsJob - Create ZFS pools and datasets + Creating ZFS pools and datasets… + @status @@ -4697,21 +4825,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4732,11 +4850,6 @@ Output: What is the name of this computer? - - - Computer Name - - This name will be used if you make the computer visible to others on a network. @@ -4758,13 +4871,18 @@ Output: - - Repeat Password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Root password + + + + + Repeat root password @@ -4782,11 +4900,31 @@ Output: Log in automatically without asking for the password + + + Your full name + + + + + Login name + + + + + Computer name + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + + Repeat password + + Reuse user password as root password @@ -4802,16 +4940,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4830,21 +4958,11 @@ Output: What is your name? - - - Your Full Name - - What name do you want to use to log in? - - - Login Name - - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,9 +4983,19 @@ Output: What is the name of this computer? + + + Your full name + + + + + Login name + + - Computer Name + Computer name @@ -4897,7 +5025,17 @@ Output: - Repeat Password + Repeat password + + + + + Root password + + + + + Repeat root password @@ -4920,16 +5058,6 @@ Output: Choose a root password to keep your account safe. - - - Root Password - - - - - Repeat Root Password - - Enter the same password twice, so that it can be checked for typing errors. @@ -4966,12 +5094,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes @@ -4995,12 +5123,12 @@ Output: - Known issues + Known Issues - Release notes + Release Notes diff --git a/lang/calamares_zh_TW.ts b/lang/calamares_zh_TW.ts index 448f454f8f..854b945767 100644 --- a/lang/calamares_zh_TW.ts +++ b/lang/calamares_zh_TW.ts @@ -29,8 +29,9 @@ AutoMountManagementJob - Manage auto-mount settings - 管理自動掛載設定 + Managing auto-mount settings… + @status + 管理自動掛載設定…… @@ -56,21 +57,25 @@ Master Boot Record of %1 + @info %1 的主要開機紀錄 (MBR) Boot Partition + @info 開機分割區 System Partition + @info 系統分割區 Do not install a boot loader + @label 無法安裝開機載入器 @@ -165,19 +170,19 @@ Calamares::ExecutionViewStep - + %p% Progress percentage indicator: %p is where the number 0..100 is placed %p% - + Set Up @label 安裝 - + Install @label 安裝 @@ -631,18 +636,27 @@ The installer will quit and all changes will be lost. ChangeFilesystemLabelJob - Set filesystem label on %1. - 在 %1 上設定檔案系統標籤。 + Set filesystem label on %1 + @title + 在 %1 上設定檔案系統標籤 - Set filesystem label <strong>%1</strong> to partition <strong>%2</strong>. - 設定檔案系統標籤 <strong>%1</strong> 到分割區 <strong>%2</strong>。 + Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> + @info + 設定檔案系統標籤 <strong>%1</strong> 給分割區 <strong>%2</strong> - - + + Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… + @status + 設定檔案系統標籤 <strong>%1</strong> 給分割區 <strong>%2</strong>…… + + + + The installer failed to update partition table on disk '%1'. + @info 安裝程式在磁碟 '%1' 上更新分割區表格失敗。 @@ -656,9 +670,20 @@ The installer will quit and all changes will be lost. ChoicePage + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手動分割</strong><br/>可以自行建立或重新調整分割區大小。 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>選取要縮減的分割區,然後拖曳底部條狀物來調整大小</strong> + Select storage de&vice: + @label 選取儲存裝置(&V): @@ -667,56 +692,49 @@ The installer will quit and all changes will be lost. Current: + @label 目前: After: + @label 之後: - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手動分割</strong><br/>可以自行建立或重新調整分割區大小。 - - Reuse %1 as home partition for %2. - 重新使用 %1 作為 %2 的家目錄分割區。 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>選取要縮減的分割區,然後拖曳底部條狀物來調整大小</strong> + Reuse %1 as home partition for %2 + @label + 重新使用 %1 作為 %2 的家目錄分割區。{1 ?} {2?} %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + @info, %1 is partition name, %4 is product name %1 會縮減到 %2MiB,並且會為 %4 建立新的 %3MiB 分割區。 - - - Boot loader location: - 開機載入器位置: - <strong>Select a partition to install on</strong> + @label <strong>選取分割區以安裝在其上</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + @info, %1 is product name 在這個系統找不到 EFI 系統分割區。請回到上一步並使用手動分割以設定 %1。 The EFI system partition at %1 will be used for starting %2. + @info, %1 is partition path, %2 is product name 在 %1 的 EFI 系統分割區將會在開始 %2 時使用。 EFI system partition: + @label EFI 系統分割區: @@ -771,38 +789,51 @@ The installer will quit and all changes will be lost. This storage device has one of its partitions <strong>mounted</strong>. + @info 此裝置<strong>已掛載</strong>其中一個分割區。 This storage device is a part of an <strong>inactive RAID</strong> device. + @info 此儲存裝置是<strong>非作用中 RAID</strong> 裝置的一部份。 - No Swap - 沒有 Swap + No swap + @label + 無 swap 分割區 - Reuse Swap - 重用 Swap + Reuse swap + @label + 重新使用 swap Swap (no Hibernate) + @label Swap(沒有冬眠) Swap (with Hibernate) + @label Swap(有冬眠) Swap to file + @label Swap 到檔案 + + + Bootloader location: + @label + 開機載入程式位置: + ClearMountsJob @@ -834,12 +865,14 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 + @title 為了準備分割區操作而完全卸載 %1 - Clearing mounts for partitioning operations on %1. - 正在為了準備分割區操作而完全卸載 %1 + Clearing mounts for partitioning operations on %1… + @status + 正在為了準備分割區操作而清除掛載 %1。{1…?} @@ -851,13 +884,10 @@ The installer will quit and all changes will be lost. ClearTempMountsJob - Clear all temporary mounts. - 清除所有暫時掛載。 - - - Clearing all temporary mounts. - 正在清除所有暫時掛載。 + Clearing all temporary mounts… + @status + 正在清除所有臨時掛載…… @@ -1006,42 +1036,43 @@ The installer will quit and all changes will be lost. 確定! - + Package Selection 軟體包選擇 - + Please pick a product from the list. The selected product will be installed. 請從清單中挑選產品。將會安裝選定的產品。 - + Packages 軟體包 - + Install option: <strong>%1</strong> 安裝選項:<strong>%1</strong> - + None - + Summary + @label 總覽 - + This is an overview of what will happen once you start the setup procedure. 這是開始安裝後所會發生的事的概覽。 - + This is an overview of what will happen once you start the install procedure. 這是您開始安裝後所會發生的事的概覽。 @@ -1113,15 +1144,15 @@ The installer will quit and all changes will be lost. - The system language will be set to %1 + The system language will be set to %1. @info - 系統語言將會設定為 %1。{1?} + 系統語言會設定為%1。 - - The numbers and dates locale will be set to %1 + + The numbers and dates locale will be set to %1. @info - 數字與日期區域將會設定為 %1。{1?} + 數字與日期語系會設定為%1。 @@ -1198,31 +1229,37 @@ The installer will quit and all changes will be lost. En&crypt + @action 加密(&C) Logical - 邏輯磁區 + @label + 邏輯分割區 Primary - 主要磁區 + @label + 主要分割區 GPT + @label GPT Mountpoint already in use. Please select another one. + @info 掛載點使用中。請選擇其他的。 Mountpoint must start with a <tt>/</tt>. + @info 掛載點必須以 <tt>/</tt> 開頭。 @@ -1230,43 +1267,51 @@ The installer will quit and all changes will be lost. CreatePartitionJob - Create new %1MiB partition on %3 (%2) with entries %4. - 在 %3 (%2) 上使用項目 %4 建立新的 %1MiB 分割區。 + Create new %1MiB partition on %3 (%2) with entries %4 + @title + 在 %3 (%2) 上使用項目 %4 建立新的 %1MiB 分割區。{1M?} {3 ?} {2)?} {4?} - Create new %1MiB partition on %3 (%2). - 在 %3 (%2) 上建立新的 %1MiB 分割區。 + Create new %1MiB partition on %3 (%2) + @title + 在 %3 (%2) 上建立新的 %1MiB 分割區 - Create new %2MiB partition on %4 (%3) with file system %1. - 使用檔案系統 %1 在 %4 (%3) 建立新的 %2MiB 分割區。 + Create new %2MiB partition on %4 (%3) with file system %1 + @title + 使用檔案系統 %1 在 %4 (%3) 建立新的 %2MiB 分割區 - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em>. - 在 <strong>%3</strong> (%2) 上使用項目 <em>%4</em> 建立新的 <strong>%1MiB</strong> 分割區。 + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> + @info + 在 <strong>%3</strong> (%2) 上使用項目 <em>%4</em> 建立新的 <strong>%1MiB</strong> 分割區 - - Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2). - 在 <strong>%3</strong> (%2) 上建立新的 <strong>%1MiB</strong> 分割區。 + + Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) + @info + 在 <strong>%3</strong> (%2) 上建立新的 <strong>%1MiB</strong> 分割區 - - Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - 使用檔案系統 <strong>%1</strong> 在 <strong>%4</strong> (%3) 建立新的 <strong>%2MiB</strong> 分割區。 + + Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> + @info + 使用檔案系統 <strong>%1</strong> 在 <strong>%4</strong> (%3) 建立新的 <strong>%2MiB</strong> 分割區 - - - Creating new %1 partition on %2. - 正在於 %2 建立新的 %1 分割區。 + + + Creating new %1 partition on %2… + @status + 正在於 %2 建立新的 %1 分割區。{1 ?} {2…?} - + The installer failed to create partition on disk '%1'. + @info 安裝程式在磁碟 '%1' 上建立分割區失敗。 @@ -1302,18 +1347,16 @@ The installer will quit and all changes will be lost. CreatePartitionTableJob - Create new %1 partition table on %2. - 在 %2 上建立新的 %1 分割表。 + + Creating new %1 partition table on %2… + @status + 正在於 %2 建立新的 %1 分割表。{1 ?} {2…?} - Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - 在 <strong>%2</strong> (%3) 上建立新的 <strong>%1</strong> 分割表。 - - - - Creating new %1 partition table on %2. - 正在於 %2 建立新的 %1 分割表。 + Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… + @status + 正在 <strong>%2</strong> (%3) 上建立新的 <strong>%1</strong> 分割表…… @@ -1330,29 +1373,33 @@ The installer will quit and all changes will be lost. - Create user <strong>%1</strong>. - 建立使用者 <strong>%1</strong>。 - - - - Preserving home directory - 保留家目錄 + Create user <strong>%1</strong> + 建立使用者 <strong>%1</strong> - Creating user %1 - 正在建立使用者 %1 + Creating user %1… + @status + 正在建立使用者 %1…… + + + + Preserving home directory… + @status + 保留家目錄…… Configuring user %1 + @status 正在設定使用者 %1 - Setting file permissions - 正在設定檔案權限 + Setting file permissions… + @status + 正在設定檔案權限…… @@ -1360,6 +1407,7 @@ The installer will quit and all changes will be lost. Create Volume Group + @title 建立卷冊群組 @@ -1367,18 +1415,16 @@ The installer will quit and all changes will be lost. CreateVolumeGroupJob - Create new volume group named %1. - 建立名為 %1 的新卷冊群組。 + + Creating new volume group named %1… + @status + 正在建立名為 %1 的新卷冊群組。{1…?} - Create new volume group named <strong>%1</strong>. - 建立名為 <strong>%1</strong> 的新卷冊群組。 - - - - Creating new volume group named %1. - 正在建立名為 %1 的新卷冊群組。 + Creating new volume group named <strong>%1</strong>… + @status + 正在建立名為 <strong>%1</strong> 的新卷冊群組…… @@ -1391,13 +1437,15 @@ The installer will quit and all changes will be lost. - Deactivate volume group named %1. - 停用名為 %1 的新卷冊群組。 + Deactivating volume group named %1… + @status + 正在停用名為 %1 的新卷冊群組…… - Deactivate volume group named <strong>%1</strong>. - 停用名為 <strong>%1</strong> 的新卷冊群組。 + Deactivating volume group named <strong>%1</strong>… + @status + 正在停用名為 <strong>%1</strong> 的新卷冊群組…… @@ -1409,18 +1457,16 @@ The installer will quit and all changes will be lost. DeletePartitionJob - Delete partition %1. - 刪除分割區 %1。 + + Deleting partition %1… + @status + 正在刪除分割區 %1。{1…?} - Delete partition <strong>%1</strong>. - 刪除分割區 <strong>%1</strong>。 - - - - Deleting partition %1. - 正在刪除分割區 %1。 + Deleting partition <strong>%1</strong>… + @status + 正在刪除分割區 <strong>%1</strong>…… @@ -1605,12 +1651,14 @@ The installer will quit and all changes will be lost. Please enter the same passphrase in both boxes. + @tooltip 請在兩個框框中輸入相同的通關密語。 - Password must be a minimum of %1 characters - 密碼最少必須 %1 個字元 + Password must be a minimum of %1 characters. + @tooltip + 密碼最少必須 %1 個字元。 @@ -1631,57 +1679,68 @@ The installer will quit and all changes will be lost. Set partition information + @title 設定分割區資訊 Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @info 在有 <em>%3</em> 功能的<strong>新</strong> %2 系統分割區上安裝 %1 - - Install %1 on <strong>new</strong> %2 system partition. - 在 <strong>新的</strong>系統分割區 %2 上安裝 %1。 + + Install %1 on <strong>new</strong> %2 system partition + @info + 在 <strong>新的</strong>系統分割區 %2 上安裝 %1 - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em>. - 設定有掛載點 <strong>%1</strong> 與 <em>%3</em> 的<strong>新</strong> %2 分割區。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> + @info + 設定有掛載點 <strong>%1</strong> 與 <em>%3</em> 的<strong>新</strong> %2 分割區 - - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. - 設定有掛載點 <strong>%1</strong> %3 的<strong>新</strong> %2 分割區。 + + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 + @info + 設定有掛載點 <strong>%1</strong> %3 的<strong>新</strong> %2 分割區。{2 ?} {1<?} {3?} - - Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em>. - 在有功能 <em>%4</em> 的 %3 系統分割區 <strong>%1</strong> 上安裝 %2。 + + Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> + @info + 在有功能 <em>%4</em> 的 %3 系統分割區 <strong>%1</strong> 上安裝 %2 - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em>. - 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> 與功能 <em>%4</em>。 + + Install %2 on %3 system partition <strong>%1</strong> + @info + 在 %3 系統分割區 <strong>%1</strong> 上安裝 %2 - - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. - 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> %4。 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> + @info + 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> 與功能 <em>%4</em> - - Install %2 on %3 system partition <strong>%1</strong>. - 在 %3 系統分割區 <strong>%1</strong> 上安裝 %2。 + + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… + @info + 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> %4。{3 ?} {1<?} {2<?} {4…?} - - Install boot loader on <strong>%1</strong>. - 安裝開機載入器於 <strong>%1</strong>。 + + Install boot loader on <strong>%1</strong>… + @info + 在 <strong>%1</strong> 安裝開機載入程式…… - - Setting up mount points. - 正在設定掛載點。 + + Setting up mount points… + @status + 設定掛載點…… @@ -1750,24 +1809,27 @@ The installer will quit and all changes will be lost. FormatPartitionJob - Format partition %1 (file system: %2, size: %3 MiB) on %4. - 格式化分割區 %1(檔案系統:%2,大小:%3 MiB)在 %4。 + Format partition %1 (file system: %2, size: %3 MiB) on %4 + @title + 格式化分割區 %1(檔案系統:%2,大小:%3 MiB)在 %4。{1 ?} {2,?} {3 ?} {4?} - Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - 格式化 <strong>%3MiB</strong> 分割區 <strong>%1</strong>,使用檔案系統 <strong>%2</strong>。 + Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> + @info + 格式化 <strong>%3MiB</strong> 分割區 <strong>%1</strong>,使用檔案系統 <strong>%2</strong> - + %1 (%2) partition label %1 (device path %2) %1 (%2) - - Formatting partition %1 with file system %2. - 正在以 %2 檔案系統格式化分割區 %1。 + + Formatting partition %1 with file system %2… + @status + 正在以 %2 檔案系統格式化分割區 %1。{1 ?} {2…?} @@ -2260,20 +2322,38 @@ The installer will quit and all changes will be lost. MachineIdJob - + Generate machine-id. 生成 machine-id。 - + Configuration Error 設定錯誤 - + No root mount point is set for MachineId. 未為 MachineId 設定根掛載點。 + + + + + + File not found + 找不到檔案 + + + + Path <pre>%1</pre> must be an absolute path. + 路徑 <pre>%1</pre> 必須為絕對路徑。 + + + + Could not create new random file <pre>%1</pre>. + 無法建立新的隨機檔案 <pre>%1</pre>。 + Map @@ -2792,11 +2872,6 @@ The installer will quit and all changes will be lost. Unknown error 未知的錯誤 - - - Password is empty - 密碼為空 - PackageChooserPage @@ -2853,8 +2928,9 @@ The installer will quit and all changes will be lost. - Keyboard switch: - 鍵盤切換: + Switch Keyboard: + shortcut for switching between keyboard layouts + 切換鍵盤: @@ -2959,31 +3035,37 @@ The installer will quit and all changes will be lost. Home + @label 家目錄 Boot + @label Boot EFI system + @label EFI 系統 Swap + @label Swap New partition for %1 + @label %1 的新分割區 New partition + @label 新分割區 @@ -2999,37 +3081,44 @@ The installer will quit and all changes will be lost. Free Space + @title 剩餘空間 - New partition + New Partition + @title 新分割區 Name + @title 名稱 File System + @title 檔案系統 File System Label + @title 檔案系統標籤 Mount Point + @title 掛載點 Size + @title 大小 @@ -3108,16 +3197,6 @@ The installer will quit and all changes will be lost. PartitionViewStep - - - Gathering system information... - 蒐集系統資訊中... - - - - Partitions - 分割區 - Unsafe partition actions are enabled. @@ -3133,16 +3212,6 @@ The installer will quit and all changes will be lost. No partitions will be changed. 不會更動任何分割區。 - - - Current: - 目前: - - - - After: - 之後: - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3194,6 +3263,30 @@ The installer will quit and all changes will be lost. The filesystem must have flag <strong>%1</strong> set. 檔案系統必須有旗標 <strong>%1</strong> 設定。 + + + Gathering system information… + @status + 正在蒐集系統資訊…… + + + + Partitions + @label + 分割區 + + + + Current: + @label + 目前: + + + + After: + @label + 之後: + You can continue without setting up an EFI system partition but your system may fail to start. @@ -3239,8 +3332,9 @@ The installer will quit and all changes will be lost. PlasmaLnfJob - Plasma Look-and-Feel Job - Plasma 外觀與感覺工作 + Applying Plasma Look-and-Feel… + @status + 正在套用 Plasma 外觀與感覺…… @@ -3267,6 +3361,7 @@ The installer will quit and all changes will be lost. Look-and-Feel + @label 外觀與感覺 @@ -3274,8 +3369,9 @@ The installer will quit and all changes will be lost. PreserveFiles - Saving files for later ... - 稍後儲存檔案…… + Saving files for later… + @status + 儲存檔案以供日後使用…… @@ -3371,26 +3467,12 @@ Output: 預設值 - - - - - File not found - 找不到檔案 - - - - Path <pre>%1</pre> must be an absolute path. - 路徑 <pre>%1</pre> 必須為絕對路徑。 - - - + Directory not found 找不到目錄 - - + Could not create new random file <pre>%1</pre>. 無法建立新的隨機檔案 <pre>%1</pre>。 @@ -3409,11 +3491,6 @@ Output: (no mount point) (沒有掛載點) - - - Unpartitioned space or unknown partition table - 尚未分割的空間或是不明的分割表 - unknown @@ -3438,6 +3515,12 @@ Output: @partition info swap + + + Unpartitioned space or unknown partition table + @info + 尚未分割的空間或是不明的分割表 + Recommended @@ -3453,8 +3536,9 @@ Output: RemoveUserJob - Remove live user from target system - 從目標系統移除 live 使用者 + Removing live user from the target system… + @status + 正在從目標系統移除 live 使用者…… @@ -3462,13 +3546,15 @@ Output: - Remove Volume Group named %1. - 移除名為 %1 的卷冊群組。 + Removing Volume Group named %1… + @status + 正在移除名為 %1 的卷冊群組…… - Remove Volume Group named <strong>%1</strong>. - 移除名為 <strong>%1</strong> 的卷冊群組。 + Removing Volume Group named <strong>%1</strong>… + @status + 正在移除名為 <strong>%1</strong> 的卷冊群組…… @@ -3582,22 +3668,25 @@ Output: ResizePartitionJob - - Resize partition %1. - 調整分割區 %1 大小。 + + Resize partition %1 + @title + 調整分割區 %1 大小 - - Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - 調整 <strong>%2MiB</strong> 分割區 <strong>%1</strong> 大小為 <strong>%3MiB</strong>。 + + Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> + @info + 調整 <strong>%2MiB</strong> 分割區 <strong>%1</strong> 大小為 <strong>%3MiB</strong> - - Resizing %2MiB partition %1 to %3MiB. - 正在調整 %2MiB 分割區 %1 大小為 %3MiB。 + + Resizing %2MiB partition %1 to %3MiB… + @status + 正在調整 %2MiB 分割區 %1 大小為 %3MiB…… - + The installer failed to resize partition %1 on disk '%2'. 安裝程式調整在磁碟 '%2' 上的分割區 %1 的大小失敗。 @@ -3607,6 +3696,7 @@ Output: Resize Volume Group + @title 調整卷冊群組大小 @@ -3614,17 +3704,24 @@ Output: ResizeVolumeGroupJob - - Resize volume group named %1 from %2 to %3. - 調整名為 %1 的卷冊群組從 %2 到 %3。 + Resize volume group named %1 from %2 to %3 + @title + 調整名為 %1 的卷冊群組從 %2 到 %3。{1 ?} {2 ?} {3?} - Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - 調整名為 <strong>%1</strong> 的卷冊群組從 <strong>%2</strong> 到 <strong>%3</strong>。 + Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> + @info + 調整名為 <strong>%1</strong> 的卷冊群組從 <strong>%2</strong> 到 <strong>%3</strong> + + + + Resizing volume group named %1 from %2 to %3… + @status + 正在調整名為 %1 的卷冊群組從 %2 到 %3…… - + The installer failed to resize a volume group named '%1'. 安裝程式對名為「%1」的新卷冊群組調整大小失敗。 @@ -3641,13 +3738,15 @@ Output: ScanningDialog - Scanning storage devices... - 正在掃描儲存裝置... + Scanning storage devices… + @status + 正在掃描儲存裝置…… - Partitioning - 分割 + Partitioning… + @status + 正在進行分割…… @@ -3664,8 +3763,9 @@ Output: - Setting hostname %1. - 正在設定主機名稱 %1。 + Setting hostname %1… + @status + 正在設定主機名稱 %1。{1…?} @@ -3729,81 +3829,96 @@ Output: SetPartFlagsJob - Set flags on partition %1. - 設定分割區 %1 的旗標。 + Set flags on partition %1 + @title + 設定分割區 %1 的旗標 - Set flags on %1MiB %2 partition. - 設定 %1MiB %2 分割區的旗標。 + Set flags on %1MiB %2 partition + @title + 設定 %1MiB %2 分割區的旗標 - Set flags on new partition. - 設定新分割區的旗標。 + Set flags on new partition + @title + 設定新分割區的旗標 - Clear flags on partition <strong>%1</strong>. - 清除分割區 <strong>%1</strong> 的旗標。 + Clear flags on partition <strong>%1</strong> + @info + 清除分割區 <strong>%1</strong> 的旗標 - Clear flags on %1MiB <strong>%2</strong> partition. - 清除 %1MiB <strong>%2</strong> 分割區的旗標。 + Clear flags on %1MiB <strong>%2</strong> partition + @info + 清除 %1MiB <strong>%2</strong> 分割區的旗標 - Clear flags on new partition. - 清除新分割區的旗標。 + Clear flags on new partition + @info + 清除新分割區的旗標 - Flag partition <strong>%1</strong> as <strong>%2</strong>. - 設定分割區 <strong>%1</strong> 的旗標為 <strong>%2</strong>。 + Set flags on partition <strong>%1</strong> to <strong>%2</strong> + @info + 設定分割區 <strong>%1</strong> 的旗標為 <strong>%2</strong> - - Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - 將 %1MiB <strong>%2</strong> 分割區標記為 <strong>%3</strong>。 + + Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> + @info + 將 %1MiB <strong>%2</strong> 分割區標記為 <strong>%3</strong> - - Flag new partition as <strong>%1</strong>. - 設定新分割區的旗標為 <strong>%1</strong>。 + + Set flags on new partition to <strong>%1</strong> + @info + 設定新分割區的旗標為 <strong>%1</strong> - - Clearing flags on partition <strong>%1</strong>. - 正在清除分割區 <strong>%1</strong> 的旗標。 + + Clearing flags on partition <strong>%1</strong>… + @status + 正在清除分割區 <strong>%1</strong> 的旗標…… - - Clearing flags on %1MiB <strong>%2</strong> partition. - 正在清除 %1MiB <strong>%2</strong> 分割區的旗標。 + + Clearing flags on %1MiB <strong>%2</strong> partition… + @status + 正在清除 %1MiB <strong>%2</strong> 分割區的旗標…… - - Clearing flags on new partition. - 清除新分割區的旗標。 + + Clearing flags on new partition… + @status + 清除新分割區的旗標…… - - Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - 正在設定 <strong>%1</strong> 分割區的 <strong>%2</strong> 旗標。 + + Setting flags <strong>%2</strong> on partition <strong>%1</strong>… + @status + 正在設定 <strong>%1</strong> 分割區的 <strong>%2</strong> 旗標…… - - Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - 正在設定 %1MiB <strong>%2</strong> 分割區的 <strong>%3</strong> 旗標。 + + Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… + @status + 正在設定 %1MiB <strong>%2</strong> 分割區的 <strong>%3</strong> 旗標…… - - Setting flags <strong>%1</strong> on new partition. - 正在設定新分割區的 <strong>%1</strong> 旗標。 + + Setting flags <strong>%1</strong> on new partition… + @status + 正在設定新分割區的 <strong>%1</strong> 旗標…… - + The installer failed to set flags on partition %1. 安裝程式未能在分割區 %1 設定旗標。 @@ -3817,32 +3932,33 @@ Output: - Setting password for user %1. - 正在為使用者 %1 設定密碼。 + Setting password for user %1… + @status + 正在為使用者 %1 設定密碼。{1…?} - + Bad destination system path. 非法的目標系統路徑。 - + rootMountPoint is %1 根掛載點為 %1 - + Cannot disable root account. 無法停用 root 帳號。 - + Cannot set password for user %1. 無法為使用者 %1 設定密碼。 - - + + usermod terminated with error code %1. usermod 以錯誤代碼 %1 終止。 @@ -3891,8 +4007,9 @@ Output: SetupGroupsJob - Preparing groups. - 正在準備群組。 + Preparing groups… + @status + 正在準備群組…… @@ -3910,8 +4027,9 @@ Output: SetupSudoJob - Configure <pre>sudo</pre> users. - 設定 <pre>sudo</pre> 使用者。 + Configuring <pre>sudo</pre> users… + @status + 正在設定 <pre>sudo</pre> 使用者…… @@ -3928,8 +4046,9 @@ Output: ShellProcessJob - Shell Processes Job - 殼層處理程序工作 + Running shell processes… + @status + 正在執行 shell 子處理程序…… @@ -3978,8 +4097,9 @@ Output: - Sending installation feedback. - 傳送安裝回饋 + Sending installation feedback… + @status + 正在傳送安裝回饋…… @@ -4001,8 +4121,9 @@ Output: - Configuring KDE user feedback. - 設定 KDE 使用者回饋。 + Configuring KDE user feedback… + @status + 正在設定 KDE 使用者回饋…… @@ -4030,8 +4151,9 @@ Output: - Configuring machine feedback. - 設定機器回饋。 + Configuring machine feedback… + @status + 正在設定機器回饋…… @@ -4093,6 +4215,7 @@ Output: Feedback + @title 回饋 @@ -4100,8 +4223,9 @@ Output: UmountJob - Unmount file systems. - 解除掛載檔案系統。 + Unmounting file systems… + @status + 正在解除掛載檔案系統…… @@ -4259,11 +4383,6 @@ Output: &Release notes 發行註記(&R) - - - %1 support - %1 支援 - About %1 Setup @@ -4276,12 +4395,19 @@ Output: @title 關於 %1 安裝程式 + + + %1 Support + @action + %1 支援 + WelcomeQmlViewStep Welcome + @title 歡迎 @@ -4290,6 +4416,7 @@ Output: Welcome + @title 歡迎 @@ -4297,8 +4424,9 @@ Output: ZfsJob - Create ZFS pools and datasets - 建立 ZFS 池與資料集 + Creating ZFS pools and datasets… + @status + 正在建立 ZFS 池與資料集…… @@ -4745,21 +4873,11 @@ Output: What is your name? 該如何稱呼您? - - - Your Full Name - 您的全名 - What name do you want to use to log in? 您想使用何種登入名稱? - - - Login Name - 登入名稱 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4780,11 +4898,6 @@ Output: What is the name of this computer? 這部電腦的名字是? - - - Computer Name - 電腦名稱 - This name will be used if you make the computer visible to others on a network. @@ -4805,16 +4918,21 @@ Output: Password 密碼 - - - Repeat Password - 確認密碼 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 輸入同一個密碼兩次,以檢查輸入錯誤。一個好的密碼包含了字母、數字及標點符號的組合、至少八個字母長,且按一固定週期更換。 + + + Root password + Root 密碼 + + + + Repeat root password + 確認 Root 密碼 + Validate passwords quality @@ -4830,11 +4948,31 @@ Output: Log in automatically without asking for the password 自動登入,無需輸入密碼 + + + Your full name + 您的全名 + + + + Login name + 登入名稱 + + + + Computer name + 電腦名稱 + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. 僅允許字母、數字、底線與連接號,最少兩個字元。 + + + Repeat password + 確認密碼 + Reuse user password as root password @@ -4850,16 +4988,6 @@ Output: Choose a root password to keep your account safe. 選擇 root 密碼來維護您的帳號安全。 - - - Root Password - Root 密碼 - - - - Repeat Root Password - 確認 Root 密碼 - Enter the same password twice, so that it can be checked for typing errors. @@ -4878,21 +5006,11 @@ Output: What is your name? 該如何稱呼您? - - - Your Full Name - 您的全名 - What name do you want to use to log in? 您想使用何種登入名稱? - - - Login Name - 登入名稱 - If more than one person will use this computer, you can create multiple accounts after installation. @@ -4913,9 +5031,19 @@ Output: What is the name of this computer? 這部電腦的名字是? + + + Your full name + 您的全名 + + + + Login name + 登入名稱 + - Computer Name + Computer name 電腦名稱 @@ -4945,9 +5073,19 @@ Output: - Repeat Password + Repeat password 確認密碼 + + + Root password + Root 密碼 + + + + Repeat root password + 確認 Root 密碼 + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4968,16 +5106,6 @@ Output: Choose a root password to keep your account safe. 選擇 root 密碼來維護您的帳號安全。 - - - Root Password - Root 密碼 - - - - Repeat Root Password - 確認 Root 密碼 - Enter the same password twice, so that it can be checked for typing errors. @@ -5015,13 +5143,13 @@ Output: - Known issues + Known Issues 已知問題 - Release notes - 發行記事 + Release Notes + 發行註記 @@ -5045,13 +5173,13 @@ Output: - Known issues + Known Issues 已知問題 - Release notes - 發行記事 + Release Notes + 發行註記 From 7773e0bfc82e073d032c34aacd568aaab4fecd27 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Sun, 4 Feb 2024 22:50:31 +0100 Subject: [PATCH 009/123] i18n: [python] Automatic merge of Transifex translations --- lang/python/ar/LC_MESSAGES/python.po | 20 ++-- lang/python/as/LC_MESSAGES/python.po | 20 ++-- lang/python/ast/LC_MESSAGES/python.po | 20 ++-- lang/python/az/LC_MESSAGES/python.po | 24 ++--- lang/python/az_AZ/LC_MESSAGES/python.po | 24 ++--- lang/python/be/LC_MESSAGES/python.po | 20 ++-- lang/python/bg/LC_MESSAGES/python.po | 20 ++-- lang/python/bn/LC_MESSAGES/python.po | 20 ++-- lang/python/bqi/LC_MESSAGES/python.po | 20 ++-- lang/python/ca/LC_MESSAGES/python.po | 20 ++-- lang/python/ca@valencia/LC_MESSAGES/python.po | 20 ++-- lang/python/cs_CZ/LC_MESSAGES/python.po | 20 ++-- lang/python/da/LC_MESSAGES/python.po | 20 ++-- lang/python/de/LC_MESSAGES/python.po | 20 ++-- lang/python/el/LC_MESSAGES/python.po | 20 ++-- lang/python/en_GB/LC_MESSAGES/python.po | 20 ++-- lang/python/eo/LC_MESSAGES/python.po | 20 ++-- lang/python/es/LC_MESSAGES/python.po | 20 ++-- lang/python/es_AR/LC_MESSAGES/python.po | 20 ++-- lang/python/es_MX/LC_MESSAGES/python.po | 20 ++-- lang/python/es_PR/LC_MESSAGES/python.po | 20 ++-- lang/python/et/LC_MESSAGES/python.po | 20 ++-- lang/python/eu/LC_MESSAGES/python.po | 20 ++-- lang/python/fa/LC_MESSAGES/python.po | 20 ++-- lang/python/fi_FI/LC_MESSAGES/python.po | 20 ++-- lang/python/fr/LC_MESSAGES/python.po | 20 ++-- lang/python/fur/LC_MESSAGES/python.po | 20 ++-- lang/python/gl/LC_MESSAGES/python.po | 20 ++-- lang/python/gu/LC_MESSAGES/python.po | 20 ++-- lang/python/he/LC_MESSAGES/python.po | 20 ++-- lang/python/hi/LC_MESSAGES/python.po | 20 ++-- lang/python/hr/LC_MESSAGES/python.po | 20 ++-- lang/python/hu/LC_MESSAGES/python.po | 95 +++++++++++-------- lang/python/id/LC_MESSAGES/python.po | 20 ++-- lang/python/ie/LC_MESSAGES/python.po | 20 ++-- lang/python/is/LC_MESSAGES/python.po | 20 ++-- lang/python/it_IT/LC_MESSAGES/python.po | 20 ++-- lang/python/ja-Hira/LC_MESSAGES/python.po | 20 ++-- lang/python/ja/LC_MESSAGES/python.po | 20 ++-- lang/python/ka/LC_MESSAGES/python.po | 82 ++++++++++------ lang/python/kk/LC_MESSAGES/python.po | 20 ++-- lang/python/kn/LC_MESSAGES/python.po | 20 ++-- lang/python/ko/LC_MESSAGES/python.po | 20 ++-- lang/python/lo/LC_MESSAGES/python.po | 20 ++-- lang/python/lt/LC_MESSAGES/python.po | 20 ++-- lang/python/lv/LC_MESSAGES/python.po | 20 ++-- lang/python/mk/LC_MESSAGES/python.po | 20 ++-- lang/python/ml/LC_MESSAGES/python.po | 20 ++-- lang/python/mr/LC_MESSAGES/python.po | 20 ++-- lang/python/nb/LC_MESSAGES/python.po | 20 ++-- lang/python/ne_NP/LC_MESSAGES/python.po | 20 ++-- lang/python/nl/LC_MESSAGES/python.po | 20 ++-- lang/python/oc/LC_MESSAGES/python.po | 20 ++-- lang/python/pl/LC_MESSAGES/python.po | 20 ++-- lang/python/pt_BR/LC_MESSAGES/python.po | 20 ++-- lang/python/pt_PT/LC_MESSAGES/python.po | 20 ++-- lang/python/ro/LC_MESSAGES/python.po | 20 ++-- lang/python/ro_RO/LC_MESSAGES/python.po | 20 ++-- lang/python/ru/LC_MESSAGES/python.po | 30 +++--- lang/python/si/LC_MESSAGES/python.po | 20 ++-- lang/python/sk/LC_MESSAGES/python.po | 20 ++-- lang/python/sl/LC_MESSAGES/python.po | 20 ++-- lang/python/sq/LC_MESSAGES/python.po | 20 ++-- lang/python/sr/LC_MESSAGES/python.po | 20 ++-- lang/python/sr@latin/LC_MESSAGES/python.po | 20 ++-- lang/python/sv/LC_MESSAGES/python.po | 20 ++-- lang/python/ta_IN/LC_MESSAGES/python.po | 20 ++-- lang/python/te/LC_MESSAGES/python.po | 20 ++-- lang/python/tg/LC_MESSAGES/python.po | 20 ++-- lang/python/th/LC_MESSAGES/python.po | 20 ++-- lang/python/tr_TR/LC_MESSAGES/python.po | 30 +++--- lang/python/uk/LC_MESSAGES/python.po | 20 ++-- lang/python/ur/LC_MESSAGES/python.po | 20 ++-- lang/python/uz/LC_MESSAGES/python.po | 20 ++-- lang/python/vi/LC_MESSAGES/python.po | 20 ++-- lang/python/zh/LC_MESSAGES/python.po | 20 ++-- lang/python/zh_CN/LC_MESSAGES/python.po | 26 ++--- lang/python/zh_HK/LC_MESSAGES/python.po | 20 ++-- lang/python/zh_TW/LC_MESSAGES/python.po | 20 ++-- 79 files changed, 899 insertions(+), 852 deletions(-) diff --git a/lang/python/ar/LC_MESSAGES/python.po b/lang/python/ar/LC_MESSAGES/python.po index 6ed527383a..59085a6408 100644 --- a/lang/python/ar/LC_MESSAGES/python.po +++ b/lang/python/ar/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: aboodilankaboot, 2019\n" "Language-Team: Arabic (https://app.transifex.com/calamares/teams/20061/ar/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "تثبيت محمل الإقلاع" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,17 +72,17 @@ msgstr "فشلت كتابة ملف ضبط SLIM." msgid "SLIM config file {!s} does not exist" msgstr "ملف ضبط SLIM {!s} غير موجود" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "إعداد مدير العرض لم يكتمل" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "عملية بايثون دميه" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "عملية دميه خطوه بايثون {}" @@ -138,7 +138,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/as/LC_MESSAGES/python.po b/lang/python/as/LC_MESSAGES/python.po index eb4803d097..284d4489f5 100644 --- a/lang/python/as/LC_MESSAGES/python.po +++ b/lang/python/as/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Deep Jyoti Choudhury , 2020\n" "Language-Team: Assamese (https://app.transifex.com/calamares/teams/20061/as/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "বুতলোডাৰ ইন্স্তল কৰক।" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "SLIM কনফিগাৰেচন ফাইলত লিখিব ন msgid "SLIM config file {!s} does not exist" msgstr "SLIM কনফিগ্ ফাইল {!s} উপস্থিত নাই" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "displaymanager মডিউলৰ বাবে কোনো ডিস্প্লে প্ৰবন্ধক নাই।" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "ডিস্প্লে প্ৰবন্ধক কন্ফিগাৰেচন অসমাপ্ত" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "ডামী Pythonৰ কায্য" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "ডামী Pythonৰ পদক্ষেপ {}" @@ -137,7 +137,7 @@ msgstr "ব্যৱহাৰৰ বাবে
{!s}
ৰ কোনো msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB কনফিগাৰ কৰক।" diff --git a/lang/python/ast/LC_MESSAGES/python.po b/lang/python/ast/LC_MESSAGES/python.po index 5e02664468..3a55591762 100644 --- a/lang/python/ast/LC_MESSAGES/python.po +++ b/lang/python/ast/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: enolp , 2020\n" "Language-Team: Asturian (https://app.transifex.com/calamares/teams/20061/ast/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Instalando'l xestor d'arrinque." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "Nun pue escribise'l ficheru de configuración de SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Nun esiste'l ficheru de configuración de SLIM {!s}" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Nun s'esbillaron xestores de pantalles pal módulu displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuración del xestor de pantalles nun se completó" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "Trabayu maniquín en Python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Pasu maniquín {} en Python" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/az/LC_MESSAGES/python.po b/lang/python/az/LC_MESSAGES/python.po index d546002d90..d8ba26a4e5 100644 --- a/lang/python/az/LC_MESSAGES/python.po +++ b/lang/python/az/LC_MESSAGES/python.po @@ -4,16 +4,16 @@ # FIRST AUTHOR , YEAR. # # Translators: -# Xəyyam Qocayev , 2023 +# xxmn77 , 2023 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Xəyyam Qocayev , 2023\n" +"Last-Translator: xxmn77 , 2023\n" "Language-Team: Azerbaijani (https://app.transifex.com/calamares/teams/20061/az/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Önyükləyici qurulur." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "Grub quraşdırılmadı, ümumi yaddaş üçün bölmələr təyin olunmayıb" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Önyükləyicinin quraşdırılmasında xəta" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,11 +73,11 @@ msgstr "SLİM tənzimləmə faylı yazıla bilmir" msgid "SLIM config file {!s} does not exist" msgstr "SLİM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "displaymanager modulu üçün ekran menecerləri seçilməyib." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -85,7 +85,7 @@ msgstr "" "Ekran menecerləri siyahısı həm qlobal yaddaşda, həm də displaymanager.conf-" "da boşdur və ya təyin olunmamışdır." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Ekran meneceri tənzimləmələri başa çatmadı" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy python işi." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "{} Dummy python addımı" @@ -146,7 +146,7 @@ msgstr "" "İstifadə etmək üçün,
{!s}
tənzimləməsi,
{!s}
üçün " "göstərilməyib." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB tənzimləmələri" diff --git a/lang/python/az_AZ/LC_MESSAGES/python.po b/lang/python/az_AZ/LC_MESSAGES/python.po index 175c44aab4..9c9150097d 100644 --- a/lang/python/az_AZ/LC_MESSAGES/python.po +++ b/lang/python/az_AZ/LC_MESSAGES/python.po @@ -4,16 +4,16 @@ # FIRST AUTHOR , YEAR. # # Translators: -# Xəyyam Qocayev , 2023 +# xxmn77 , 2023 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Xəyyam Qocayev , 2023\n" +"Last-Translator: xxmn77 , 2023\n" "Language-Team: Azerbaijani (Azerbaijan) (https://app.transifex.com/calamares/teams/20061/az_AZ/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Önyükləyici qurulur." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "Grub quraşdırılmadı, ümumi yaddaş üçün bölmələr təyin olunmayıb" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Önyükləyicinin quraşdırılmasında xəta" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,11 +73,11 @@ msgstr "SLİM tənzimləmə faylı yazıla bilmir" msgid "SLIM config file {!s} does not exist" msgstr "SLİM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "displaymanager modulu üçün ekran menecerləri seçilməyib." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -85,7 +85,7 @@ msgstr "" "Ekran menecerləri siyahısı həm qlobal yaddaşda, həm də displaymanager.conf-" "da boşdur və ya təyin olunmamışdır." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Ekran meneceri tənzimləmələri başa çatmadı" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy python işi." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "{} Dummy python addımı" @@ -146,7 +146,7 @@ msgstr "" "İstifadə etmək üçün,
{!s}
tənzimləməsi,
{!s}
üçün " "göstərilməyib." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB tənzimləmələri" diff --git a/lang/python/be/LC_MESSAGES/python.po b/lang/python/be/LC_MESSAGES/python.po index 53da0a028b..048d6c0408 100644 --- a/lang/python/be/LC_MESSAGES/python.po +++ b/lang/python/be/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Źmicier Turok , 2022\n" "Language-Team: Belarusian (https://app.transifex.com/calamares/teams/20061/be/)\n" @@ -25,16 +25,16 @@ msgstr "" msgid "Install bootloader." msgstr "Усталяваць загрузчык." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Не ўдалося ўсталяваць grub, у глабальным сховішчы не вызначаны раздзелы" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Не ўдалося ўсталяваць загрузчык" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,11 +74,11 @@ msgstr "Немагчыма запісаць файл канфігурацыі SL msgid "SLIM config file {!s} does not exist" msgstr "Файл канфігурацыі SLIM {!s} не існуе" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "У модулі кіраўнікоў дысплэяў нічога не абрана." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -86,7 +86,7 @@ msgstr "" "Спіс кіраўнікоў дысплэяў пусты альбо не вызначаны ў both globalstorage і " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Наладжванне кіраўніка дысплэяў не завершана" @@ -107,8 +107,8 @@ msgstr "" msgid "Dummy python job." msgstr "Задача Dummy python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Крок Dummy python {}" @@ -143,7 +143,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "Не пададзена канфігурацыі
{!s}
для выкарыстання
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Наладжванне GRUB." diff --git a/lang/python/bg/LC_MESSAGES/python.po b/lang/python/bg/LC_MESSAGES/python.po index a4f2ec69e1..c2f9bc09de 100644 --- a/lang/python/bg/LC_MESSAGES/python.po +++ b/lang/python/bg/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: mkkDr2010, 2022\n" "Language-Team: Bulgarian (https://app.transifex.com/calamares/teams/20061/bg/)\n" @@ -26,17 +26,17 @@ msgstr "" msgid "Install bootloader." msgstr "Инсталирай програма за начално зареждане." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Инсталирането на grub е неуспешно – няма определени дялове в мястото за " "съхранение" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Грешка при инсталирането на програмата за начално зареждане" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,17 +74,17 @@ msgstr "Конфигурационният файл на SLIM не може да msgid "SLIM config file {!s} does not exist" msgstr "Конфигурационният файл на SLIM {!s} не съществува" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -105,8 +105,8 @@ msgstr "" msgid "Dummy python job." msgstr "Фиктивна задача на python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Фиктивна стъпка на python {}" @@ -140,7 +140,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Конфигурирай GRUB." diff --git a/lang/python/bn/LC_MESSAGES/python.po b/lang/python/bn/LC_MESSAGES/python.po index 849a41d73b..c522f43bbb 100644 --- a/lang/python/bn/LC_MESSAGES/python.po +++ b/lang/python/bn/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: 508a8b0ef95404aa3dc5178f0ccada5e_017b8a4 , 2020\n" "Language-Team: Bengali (https://app.transifex.com/calamares/teams/20061/bn/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "কনফিগার করুন জিআরইউবি।" diff --git a/lang/python/bqi/LC_MESSAGES/python.po b/lang/python/bqi/LC_MESSAGES/python.po index ed674dc4af..1ea664ca11 100644 --- a/lang/python/bqi/LC_MESSAGES/python.po +++ b/lang/python/bqi/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Luri (Bakhtiari) (https://app.transifex.com/calamares/teams/20061/bqi/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ca/LC_MESSAGES/python.po b/lang/python/ca/LC_MESSAGES/python.po index 9d725d8625..01a762f7d4 100644 --- a/lang/python/ca/LC_MESSAGES/python.po +++ b/lang/python/ca/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Davidmp , 2023\n" "Language-Team: Catalan (https://app.transifex.com/calamares/teams/20061/ca/)\n" @@ -25,17 +25,17 @@ msgstr "" msgid "Install bootloader." msgstr "S'instal·la el carregador d'arrencada." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "No s'ha pogut instal·lar el grub. No s'han definit particions a " "l'emmagatzematge global." -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Error d'instal·lació del carregador d'arrencada" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,12 +75,12 @@ msgstr "No es pot escriure el fitxer de configuració de l'SLIM." msgid "SLIM config file {!s} does not exist" msgstr "El fitxer de configuració de l'SLIM {!s} no existeix." -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "No hi ha cap gestor de pantalla seleccionat per al mòdul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -88,7 +88,7 @@ msgstr "" "La llista de gestors de pantalla és buida o no definida ni a globalstorage " "ni a displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuració del gestor de pantalla no era completa." @@ -111,8 +111,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tasca de python fictícia." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Pas de python fitctici {}" @@ -148,7 +148,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "No hi ha cap configuració de
{!s}
perquè la usi
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configura el GRUB." diff --git a/lang/python/ca@valencia/LC_MESSAGES/python.po b/lang/python/ca@valencia/LC_MESSAGES/python.po index 5d6e13fdef..19c3fbe0be 100644 --- a/lang/python/ca@valencia/LC_MESSAGES/python.po +++ b/lang/python/ca@valencia/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Raul , 2021\n" "Language-Team: Catalan (Valencian) (https://app.transifex.com/calamares/teams/20061/ca@valencia/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Instal·la el carregador d'arrancada." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,12 +71,12 @@ msgstr "No es pot escriure el fitxer de configuració de l'SLIM." msgid "SLIM config file {!s} does not exist" msgstr "El fitxer de configuració de l'SLIM {!s} no existeix." -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "No hi ha cap gestor de pantalla seleccionat per al mòdul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -84,7 +84,7 @@ msgstr "" "La llista de gestors de pantalla està buida o no està definida ni en " "globalstorage ni en displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuració del gestor de pantalla no era completa." @@ -105,8 +105,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tasca de python de proves." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Pas de python de proves {}" @@ -141,7 +141,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configura el GRUB" diff --git a/lang/python/cs_CZ/LC_MESSAGES/python.po b/lang/python/cs_CZ/LC_MESSAGES/python.po index 64714bf9a6..d3477f5658 100644 --- a/lang/python/cs_CZ/LC_MESSAGES/python.po +++ b/lang/python/cs_CZ/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Pavel Borecki , 2022\n" "Language-Team: Czech (Czech Republic) (https://app.transifex.com/calamares/teams/20061/cs_CZ/)\n" @@ -27,17 +27,17 @@ msgstr "" msgid "Install bootloader." msgstr "Instalace zavaděče systému." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Nepodařilo se nainstalovat zavaděč grub – v globálním úložišti nejsou " "definovány žádné oddíly" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Chyba při instalaci zavaděče systému" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -77,11 +77,11 @@ msgstr "Nedaří se zapsat soubor s nastaveními pro SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Soubor s nastaveními pro SLIM {!s} neexistuje" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Pro modul správce sezení nejsou vybrány žádní správci sezení." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "Seznam správců displejů je prázdný nebo není definován v jak globalstorage, " "tak v displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Nastavení správce displeje nebylo úplné" @@ -110,8 +110,8 @@ msgstr "" msgid "Dummy python job." msgstr "Testovací úloha python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Testovací krok {} python." @@ -147,7 +147,7 @@ msgstr "" "Pro
{!s}
není zadáno žádné nastavení
{!s}
, které " "použít. " -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Nastavování zavaděče GRUB." diff --git a/lang/python/da/LC_MESSAGES/python.po b/lang/python/da/LC_MESSAGES/python.po index 8fa11fb929..6d2097a361 100644 --- a/lang/python/da/LC_MESSAGES/python.po +++ b/lang/python/da/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: scootergrisen, 2020\n" "Language-Team: Danish (https://app.transifex.com/calamares/teams/20061/da/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "Installér bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,12 +72,12 @@ msgstr "Kan ikke skrive SLIM-konfigurationsfil" msgid "SLIM config file {!s} does not exist" msgstr "SLIM-konfigurationsfil {!s} findes ikke" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Der er ikke valgt nogen displayhåndteringer til displayhåndtering-modulet." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -85,7 +85,7 @@ msgstr "" "Displayhåndteringerlisten er tom eller udefineret i både globalstorage og " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Displayhåndtering-konfiguration er ikke komplet" @@ -106,8 +106,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy python-job." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python-trin {}" @@ -142,7 +142,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfigurer GRUB." diff --git a/lang/python/de/LC_MESSAGES/python.po b/lang/python/de/LC_MESSAGES/python.po index 7eb4c155a8..55303371f7 100644 --- a/lang/python/de/LC_MESSAGES/python.po +++ b/lang/python/de/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Gustav Gyges, 2023\n" "Language-Team: German (https://app.transifex.com/calamares/teams/20061/de/)\n" @@ -27,17 +27,17 @@ msgstr "" msgid "Install bootloader." msgstr "Installiere Bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Grub konnte nicht installiert werden, keine Partitionen im globalen Speicher" " definiert." -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Fehler beim Installieren des Bootloaders" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -77,11 +77,11 @@ msgstr "Schreiben der SLIM-Konfigurationsdatei nicht möglich" msgid "SLIM config file {!s} does not exist" msgstr "SLIM-Konfigurationsdatei {!s} existiert nicht" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Keine Displaymanager für das Displaymanager-Modul ausgewählt." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "Die Liste der Displaymanager ist leer oder weder in globalstorage noch in " "displaymanager.conf definiert." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Die Konfiguration des Displaymanager war unvollständig." @@ -112,8 +112,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy Python-Job" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy Python-Schritt {}" @@ -151,7 +151,7 @@ msgstr "" "Keine
{!s}
Konfiguration gegeben die
{!s}
benutzen " "könnte." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB konfigurieren." diff --git a/lang/python/el/LC_MESSAGES/python.po b/lang/python/el/LC_MESSAGES/python.po index 3ea76d95d0..957f51802f 100644 --- a/lang/python/el/LC_MESSAGES/python.po +++ b/lang/python/el/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Efstathios Iosifidis , 2022\n" "Language-Team: Greek (https://app.transifex.com/calamares/teams/20061/el/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Ρύθμιση GRUB." diff --git a/lang/python/en_GB/LC_MESSAGES/python.po b/lang/python/en_GB/LC_MESSAGES/python.po index a8256f23b3..55b01d7255 100644 --- a/lang/python/en_GB/LC_MESSAGES/python.po +++ b/lang/python/en_GB/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Karthik Balan , 2021\n" "Language-Team: English (United Kingdom) (https://app.transifex.com/calamares/teams/20061/en_GB/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Bootloader installation error" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,17 +72,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy python job." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python step {}" @@ -138,7 +138,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/eo/LC_MESSAGES/python.po b/lang/python/eo/LC_MESSAGES/python.po index 421c90f537..5f3f1fc04c 100644 --- a/lang/python/eo/LC_MESSAGES/python.po +++ b/lang/python/eo/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Kurt Ankh Phoenix , 2018\n" "Language-Team: Esperanto (https://app.transifex.com/calamares/teams/20061/eo/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "Formala python laboro." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Formala python paŝo {}" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/es/LC_MESSAGES/python.po b/lang/python/es/LC_MESSAGES/python.po index a87937cf2b..0687eead67 100644 --- a/lang/python/es/LC_MESSAGES/python.po +++ b/lang/python/es/LC_MESSAGES/python.po @@ -17,7 +17,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Swyter , 2023\n" "Language-Team: Spanish (https://app.transifex.com/calamares/teams/20061/es/)\n" @@ -31,17 +31,17 @@ msgstr "" msgid "Install bootloader." msgstr "Instalar gestor de arranque." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Hubo un error al instalar «grub»; no hay particiones definidas en el " "almacenamiento global" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Hubo un error al instalar el cargador de arranque" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -81,12 +81,12 @@ msgstr "No se puede escribir el archivo de configuración de SLIM" msgid "SLIM config file {!s} does not exist" msgstr "El archivo de configuración {!s} de SLIM no existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "No se ha elegido ningún gestor de pantalla para el módulo «displaymanager»." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -94,7 +94,7 @@ msgstr "" "La lista de gestores de pantalla está vacía o sin definir tanto en " "«globalstorage» como en «displaymanager.conf»." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" "La configuración del gestor de pantalla («display manager») estaba " @@ -119,8 +119,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tarea de python ficticia." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Paso ficticio de python {}" @@ -156,7 +156,7 @@ msgstr "" "No se proporciona ninguna configuración de
{!s}
que " "
{!s}
pueda usar." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configurar GRUB." diff --git a/lang/python/es_AR/LC_MESSAGES/python.po b/lang/python/es_AR/LC_MESSAGES/python.po index 76c9f20a8a..7239380715 100644 --- a/lang/python/es_AR/LC_MESSAGES/python.po +++ b/lang/python/es_AR/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Alejo Fernandez , 2023\n" "Language-Team: Spanish (Argentina) (https://app.transifex.com/calamares/teams/20061/es_AR/)\n" @@ -25,17 +25,17 @@ msgstr "" msgid "Install bootloader." msgstr "Instalar el cargador de arranque." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Error al instalar GRUB; no hay particiones definidas en el almacenamiento " "global" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Error al instalar el cargador de arranque" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,13 +75,13 @@ msgstr "No se puede escribir el archivo de configuración de SLIM" msgid "SLIM config file {!s} does not exist" msgstr "El archivo de configuración {!s} de SLIM no existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "No se ha elegido ningún gestor de pantalla para el módulo " "\"displaymanager»\"" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "La lista de gestores de pantalla está vacía o sin definir tanto en " "\"globalstorage\" como en \"displaymanager.conf\"." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuración de DISPLAY MANAGER estaba incompleta" @@ -112,8 +112,8 @@ msgstr "" msgid "Dummy python job." msgstr "Trabajo python ficticio." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Paso ficticio de python {}" @@ -149,7 +149,7 @@ msgstr "" "No se proporciona ninguna configuración de
{!s}
que " "
{!s}
pueda usar." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configurar GRUB." diff --git a/lang/python/es_MX/LC_MESSAGES/python.po b/lang/python/es_MX/LC_MESSAGES/python.po index 95a7fd1c1d..32d2ed7939 100644 --- a/lang/python/es_MX/LC_MESSAGES/python.po +++ b/lang/python/es_MX/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Erland Huaman , 2021\n" "Language-Team: Spanish (Mexico) (https://app.transifex.com/calamares/teams/20061/es_MX/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "Instalar el cargador de arranque." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,11 +73,11 @@ msgstr "No se puede escribir el archivo de configuración de SLIM" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "No se seleccionaron gestores para el módulo de gestor de pantalla." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -85,7 +85,7 @@ msgstr "" "La lista de gestores de pantalla está vacía o indefinida tanto en el " "globalstorage como en el displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuración del gestor de pantalla estaba incompleta" @@ -106,8 +106,8 @@ msgstr "" msgid "Dummy python job." msgstr "Trabajo python ficticio." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Paso python ficticio {}" @@ -141,7 +141,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configura GRUB." diff --git a/lang/python/es_PR/LC_MESSAGES/python.po b/lang/python/es_PR/LC_MESSAGES/python.po index f679ad9f99..b225b93b22 100644 --- a/lang/python/es_PR/LC_MESSAGES/python.po +++ b/lang/python/es_PR/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Spanish (Puerto Rico) (https://app.transifex.com/calamares/teams/20061/es_PR/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/et/LC_MESSAGES/python.po b/lang/python/et/LC_MESSAGES/python.po index 8f44af2fdd..26180d7a91 100644 --- a/lang/python/et/LC_MESSAGES/python.po +++ b/lang/python/et/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Madis Otenurm, 2019\n" "Language-Team: Estonian (https://app.transifex.com/calamares/teams/20061/et/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "SLIM-konfiguratsioonifaili ei saa kirjutada" msgid "SLIM config file {!s} does not exist" msgstr "SLIM-konfiguratsioonifail {!s} puudub" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "Testiv python'i töö." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Testiv python'i aste {}" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/eu/LC_MESSAGES/python.po b/lang/python/eu/LC_MESSAGES/python.po index 54037aea00..d8fcfcf3b1 100644 --- a/lang/python/eu/LC_MESSAGES/python.po +++ b/lang/python/eu/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Ander Elortondo, 2019\n" "Language-Team: Basque (https://app.transifex.com/calamares/teams/20061/eu/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,18 +71,18 @@ msgstr "Ezin da SLIM konfigurazio fitxategia idatzi" msgid "SLIM config file {!s} does not exist" msgstr "SLIM konfigurazio fitxategia {!s} ez da existitzen" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Ez da pantaila kudeatzailerik aukeratu pantaila-kudeatzaile modulurako." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Pantaila kudeatzaile konfigurazioa osotu gabe" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "Dummy python lana." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python urratsa {}" @@ -138,7 +138,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/fa/LC_MESSAGES/python.po b/lang/python/fa/LC_MESSAGES/python.po index 9e9869389d..743701b51a 100644 --- a/lang/python/fa/LC_MESSAGES/python.po +++ b/lang/python/fa/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Mahdy Mirzade , 2021\n" "Language-Team: Persian (https://app.transifex.com/calamares/teams/20061/fa/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "نصب بارکنندهٔ راه‌اندازی." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "خطای نصب بوت لودر" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,11 +75,11 @@ msgstr "نمی‌توان پروندهٔ پیکربندی LightDM را نوشت" msgid "SLIM config file {!s} does not exist" msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "هیچ مدیر نمایشی برای پیمانهٔ displaymanager گزیده نشده." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "فهرست مدیریت صفحه نمایش ها خالی بوده یا در محل ذخیره داده و " "displaymanager.conf تعریف نشده است." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "پیکربندی مدیر نمایش کامل نبود" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "کار پایتونی الکی." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "گام پایتونی الکی {}" @@ -144,7 +144,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "هیچ تنظیمات
{!s}
برای استفاده برای
{!s}
داده نشده است." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "در حال پیکربندی گراب." diff --git a/lang/python/fi_FI/LC_MESSAGES/python.po b/lang/python/fi_FI/LC_MESSAGES/python.po index 654a6e746a..127501bae3 100644 --- a/lang/python/fi_FI/LC_MESSAGES/python.po +++ b/lang/python/fi_FI/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Kimmo Kujansuu , 2023\n" "Language-Team: Finnish (Finland) (https://app.transifex.com/calamares/teams/20061/fi_FI/)\n" @@ -26,16 +26,16 @@ msgstr "" msgid "Install bootloader." msgstr "Asenna käynnistyslatain." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Grubin asennus epäonnistui, yleisessä levytilassa ei ole määritetty osioita" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Käynnistyslataimen asennusvirhe" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,11 +75,11 @@ msgstr "SLIM-määritystiedostoa ei voi kirjoittaa" msgid "SLIM config file {!s} does not exist" msgstr "SLIM-määritystiedostoa {!s} ei ole olemassa" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Displaymanager-moduulia varten ei ole valittu näytönhallintaa." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "Luettelo on tyhjä tai määrittelemätön, sekä globalstorage, että " "displaymanager.conf tiedostossa." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Näytönhallinnan kokoonpano oli puutteellinen" @@ -108,8 +108,8 @@ msgstr "Dracutin suoritus epäonnistui. Kohteen palautuskoodi: {return_code}" msgid "Dummy python job." msgstr "Dummy-mallinen python-työ." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy-mallinen python-vaihe {}" @@ -145,7 +145,7 @@ msgstr "" "\"
{!s}
\"-määritystä ei ole annettu käytettäväksi kohteelle " "
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Määritä GRUB." diff --git a/lang/python/fr/LC_MESSAGES/python.po b/lang/python/fr/LC_MESSAGES/python.po index df2f251d89..60d3f52324 100644 --- a/lang/python/fr/LC_MESSAGES/python.po +++ b/lang/python/fr/LC_MESSAGES/python.po @@ -20,7 +20,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: David D, 2023\n" "Language-Team: French (https://app.transifex.com/calamares/teams/20061/fr/)\n" @@ -34,17 +34,17 @@ msgstr "" msgid "Install bootloader." msgstr "Installation du bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Échec de l'installation de grub, aucune partition définie dans le stockage " "global" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Erreur d'installation du chargeur de démarrage" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -84,13 +84,13 @@ msgstr "Impossible d'écrire le fichier de configuration SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Le fichier de configuration SLIM {!S} n'existe pas" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Aucun gestionnaire d'affichage n'a été sélectionné pour le module de " "gestionnaire d'affichage" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -98,7 +98,7 @@ msgstr "" "La liste des gestionnaires d'affichage est vide ou indéfinie à la fois dans " "globalstorage et displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configuration du gestionnaire d'affichage était incomplète" @@ -121,8 +121,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tâche factice de python" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Étape factice de python {}" @@ -161,7 +161,7 @@ msgstr "" "Aucune configuration
{!s}
n'est donnée pour
{!s}
à " "utiliser." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configuration du GRUB." diff --git a/lang/python/fur/LC_MESSAGES/python.po b/lang/python/fur/LC_MESSAGES/python.po index fb0efca40a..6fbffbdc96 100644 --- a/lang/python/fur/LC_MESSAGES/python.po +++ b/lang/python/fur/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Fabio Tomat , 2020\n" "Language-Team: Friulian (https://app.transifex.com/calamares/teams/20061/fur/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Instale il bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,11 +71,11 @@ msgstr "Impussibil scrivi il file di configurazion SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Il file di configurazion di SLIM {!s} nol esist" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Nissun gjestôr di visôrs selezionât pal modul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -83,7 +83,7 @@ msgstr "" "La liste dai gjestôrs di visôrs e je vueide o no je definide sedi in " "globalstorage che in displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configurazion dal gjestôr dai visôrs no jere complete" @@ -104,8 +104,8 @@ msgstr "" msgid "Dummy python job." msgstr "Lavôr di python pustiç." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Passaç di python pustiç {}" @@ -140,7 +140,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configure GRUB." diff --git a/lang/python/gl/LC_MESSAGES/python.po b/lang/python/gl/LC_MESSAGES/python.po index 3d4062b95a..5146a823d2 100644 --- a/lang/python/gl/LC_MESSAGES/python.po +++ b/lang/python/gl/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Xosé, 2018\n" "Language-Team: Galician (https://app.transifex.com/calamares/teams/20061/gl/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,18 +71,18 @@ msgstr "Non é posíbel escribir o ficheiro de configuración de SLIM" msgid "SLIM config file {!s} does not exist" msgstr "O ficheiro de configuración de SLIM {!s} non existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Non hai xestores de pantalla seleccionados para o módulo displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "A configuración do xestor de pantalla foi incompleta" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tarefa parva de python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Paso parvo de python {}" @@ -138,7 +138,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/gu/LC_MESSAGES/python.po b/lang/python/gu/LC_MESSAGES/python.po index fc4a45bccd..9e6e781f1b 100644 --- a/lang/python/gu/LC_MESSAGES/python.po +++ b/lang/python/gu/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Gujarati (https://app.transifex.com/calamares/teams/20061/gu/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/he/LC_MESSAGES/python.po b/lang/python/he/LC_MESSAGES/python.po index f0886e1dce..c0a6034878 100644 --- a/lang/python/he/LC_MESSAGES/python.po +++ b/lang/python/he/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Yaron Shahrabani , 2023\n" "Language-Team: Hebrew (https://app.transifex.com/calamares/teams/20061/he/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "התקנת מנהל אתחול." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "ההתקנה של grub נכשלה, לא הוגדרו מחיצות באחסון הכללי" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "שגיאת התקנת מנהל אתחול" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,11 +75,11 @@ msgstr "לא ניתן לכתוב קובץ תצורה של SLIM." msgid "SLIM config file {!s} does not exist" msgstr "קובץ התצורה {!s} של SLIM אינו קיים" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "לא נבחרו מנהלי תצוגה למודול displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "רשימת מנהלי התצוגה ריקה או שאינה מוגדרת גם באחסון הכללי (globalstorage) וגם " "ב־displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "תצורת מנהל התצוגה אינה שלמה" @@ -108,8 +108,8 @@ msgstr "הרצת dracut על היעד נכשלה עם קוד המשוב: {return msgid "Dummy python job." msgstr "משימת דמה של Python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "צעד דמה של Python {}" @@ -143,7 +143,7 @@ msgstr "לא סופקה נקודת עגינת שורש לשימוש של
{!
 msgid "No 
{!s}
configuration is given for
{!s}
to use." msgstr "לא סופקה תצורת
{!s}
לשימוש
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "הגדרת GRUB." diff --git a/lang/python/hi/LC_MESSAGES/python.po b/lang/python/hi/LC_MESSAGES/python.po index 3899e0f367..06b6aac538 100644 --- a/lang/python/hi/LC_MESSAGES/python.po +++ b/lang/python/hi/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Panwar108 , 2022\n" "Language-Team: Hindi (https://app.transifex.com/calamares/teams/20061/hi/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "बूट लोडर इंस्टॉल करना।" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "grub इंस्टॉल करना विफल, सर्वत्र संचयन में कोई विभाजन परिभाषित नहीं है" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "बूट लोडर इंस्टॉल त्रुटि" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,11 +73,11 @@ msgstr "SLIM विन्यास फ़ाइल राइट नहीं की msgid "SLIM config file {!s} does not exist" msgstr "SLIM विन्यास फ़ाइल {!s} मौजूद नहीं है" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "चयनित डिस्प्ले प्रबंधक मॉड्यूल हेतु कोई डिस्प्ले प्रबंधक नहीं मिला।" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -85,7 +85,7 @@ msgstr "" "globalstorage व displaymanager.conf में डिस्प्ले प्रबंधक सूची रिक्त या " "अपरिभाषित है।" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "डिस्प्ले प्रबंधक विन्यास अधूरा था" @@ -106,8 +106,8 @@ msgstr "" msgid "Dummy python job." msgstr "डमी पाइथन प्रक्रिया ।" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "डमी पाइथन प्रक्रिया की चरण संख्या {}" @@ -144,7 +144,7 @@ msgstr "" "कोई
{!s}
विन्यास प्रदान नहीं किया गया
{!s}
के उपयोग " "हेतु।" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB विन्यस्त करना।" diff --git a/lang/python/hr/LC_MESSAGES/python.po b/lang/python/hr/LC_MESSAGES/python.po index 44bfb7bb4a..7407ba3699 100644 --- a/lang/python/hr/LC_MESSAGES/python.po +++ b/lang/python/hr/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Lovro Kudelić , 2023\n" "Language-Team: Croatian (https://app.transifex.com/calamares/teams/20061/hr/)\n" @@ -25,17 +25,17 @@ msgstr "" msgid "Install bootloader." msgstr "Instaliram bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Instalacija gruba nije uspjela, nema definiranih particija u globalnoj " "pohrani" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Greška prilikom instalacije bootloadera" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,11 +75,11 @@ msgstr "Ne mogu zapisati SLIM konfiguracijsku datoteku" msgid "SLIM config file {!s} does not exist" msgstr "SLIM konfiguracijska datoteka {!s} ne postoji" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Nisu odabrani upravitelji zaslona za modul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "Popis upravitelja zaslona je prazan ili nedefiniran u oba globalstorage i " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Konfiguracija upravitelja zaslona nije bila potpuna" @@ -108,8 +108,8 @@ msgstr "Dracut se nije uspio pokrenuti sa kodom greške: {return_code}" msgid "Dummy python job." msgstr "Testni python posao." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Testni python korak {}" @@ -144,7 +144,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "Nije dana konfiguracija
{!s}
za
{!s}
upotrebu." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfigurirajte GRUB." diff --git a/lang/python/hu/LC_MESSAGES/python.po b/lang/python/hu/LC_MESSAGES/python.po index 294290605a..9e59c497a7 100644 --- a/lang/python/hu/LC_MESSAGES/python.po +++ b/lang/python/hu/LC_MESSAGES/python.po @@ -6,17 +6,18 @@ # Translators: # Adriaan de Groot , 2018 # Balázs Meskó , 2018 -# miku84, 2019 # Lajos Pasztor , 2019 +# summoner, 2024 +# miku84, 2024 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Lajos Pasztor , 2019\n" +"Last-Translator: miku84, 2024\n" "Language-Team: Hungarian (https://app.transifex.com/calamares/teams/20061/hu/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -28,19 +29,23 @@ msgstr "" msgid "Install bootloader." msgstr "Rendszerbetöltő telepítése." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" +"A grub telepítése sikertelen, a globális tárolóban nincsenek partíciók " +"definiálva" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" -msgstr "" +msgstr "Rendszerbetöltő telepítési hiba" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." msgstr "" +"A rendszerbetöltőt nem sikerült telepíteni. A(z)
{!s}
telepítési " +"parancs {!s} hibakódot adott vissza." #: src/modules/displaymanager/main.py:509 msgid "Cannot write LXDM configuration file" @@ -74,17 +79,19 @@ msgstr "A SLIM konfigurációs fájl nem írható" msgid "SLIM config file {!s} does not exist" msgstr "A(z) {!s} SLIM konfigurációs fájl nem létezik" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Nincs kijelzőkezelő kiválasztva a kijelzőkezelő modulhoz." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" +"A displaymanagers lista üres vagy nincs meghatározva mind a globalstorage, " +"mind a displaymanager.conf fájlban." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "A kijelzőkezelő konfigurációja hiányos volt" @@ -94,19 +101,20 @@ msgstr "initramfs létrehozása ezzel: dracut." #: src/modules/dracut/main.py:63 msgid "Failed to run dracut" -msgstr "" +msgstr "A dracut futtatása nem sikerült" #: src/modules/dracut/main.py:64 #, python-brace-format msgid "Dracut failed to run on the target with return code: {return_code}" msgstr "" +"A dracut nem futott a következő visszatérési kódú célon: {return_code}" #: src/modules/dummypython/main.py:35 msgid "Dummy python job." msgstr "Hamis Python feladat." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Hamis {}. Python lépés" @@ -139,8 +147,9 @@ msgstr "Nincs root csatolási pont megadva a
{!s}
használatához." #: src/modules/fstab/main.py:412 msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" +"Nincs megadva
{!s}
konfiguráció a
{!s}
használatához." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB konfigurálása." @@ -154,11 +163,11 @@ msgstr "mkinitcpio konfigurálása." #: src/modules/initcpiocfg/main.py:257 msgid "No partitions are defined for
initcpiocfg
." -msgstr "" +msgstr "Az
initcpiocfg
számára nincsenek partíciók definiálva." #: src/modules/initcpiocfg/main.py:261 msgid "No root mount point for
initcpiocfg
." -msgstr "" +msgstr "Nincs root csatolási pont az
initcpiocfg
számára." #: src/modules/initramfscfg/main.py:32 msgid "Configuring initramfs." @@ -170,11 +179,11 @@ msgstr "nyelvi értékek konfigurálása." #: src/modules/mkinitfs/main.py:27 msgid "Creating initramfs with mkinitfs." -msgstr "" +msgstr "Initramfs létrehozása az mkinitfs segítségével." #: src/modules/mkinitfs/main.py:49 msgid "Failed to run mkinitfs on the target" -msgstr "" +msgstr "Nem sikerült futtatni az mkinitfs-t a célon" #: src/modules/mkinitfs/main.py:50 msgid "The exit code was {}" @@ -186,23 +195,23 @@ msgstr "Partíciók csatolása." #: src/modules/mount/main.py:164 src/modules/mount/main.py:200 msgid "Internal error mounting zfs datasets" -msgstr "" +msgstr "Belső hiba a zfs adatkészletek csatolásakor" #: src/modules/mount/main.py:176 msgid "Failed to import zpool" -msgstr "" +msgstr "A zpool importálása sikertelen" #: src/modules/mount/main.py:192 msgid "Failed to unlock zpool" -msgstr "" +msgstr "A zpool feloldása nem sikerült" #: src/modules/mount/main.py:209 src/modules/mount/main.py:214 msgid "Failed to set zfs mountpoint" -msgstr "" +msgstr "Nem sikerült beállítani a zfs csatolási pontot" #: src/modules/mount/main.py:370 msgid "zfs mounting error" -msgstr "" +msgstr "zfs csatolási hiba" #: src/modules/networkcfg/main.py:30 msgid "Saving network configuration." @@ -239,25 +248,31 @@ msgstr[1] "%(num)d csomag eltávolítása." #: src/modules/packages/main.py:740 src/modules/packages/main.py:752 #: src/modules/packages/main.py:780 msgid "Package Manager error" -msgstr "" +msgstr "Csomagkezelő hiba" #: src/modules/packages/main.py:741 msgid "" "The package manager could not prepare updates. The command
{!s}
" "returned error code {!s}." msgstr "" +"A csomagkezelő nem tudott frissítéseket előkészíteni. A(z)
{!s}
" +"parancs {!s} hibakódot adott vissza." #: src/modules/packages/main.py:753 msgid "" "The package manager could not update the system. The command
{!s}
" " returned error code {!s}." msgstr "" +"A csomagkezelő nem tudta frissíteni a rendszert. A(z)
{!s}
" +"parancs {!s} hibakódot adott vissza." #: src/modules/packages/main.py:781 msgid "" "The package manager could not make changes to the installed system. The " "command
{!s}
returned error code {!s}." msgstr "" +"A csomagkezelő nem tudott módosítani a telepített rendszeren. A(z) " +"
{!s}
parancs {!s} hibakódot adott vissza." #: src/modules/plymouthcfg/main.py:27 msgid "Configure Plymouth theme" @@ -322,21 +337,23 @@ msgstr "" #: src/modules/services-systemd/main.py:26 msgid "Configure systemd units" -msgstr "" +msgstr "A systemd összetevők konfigurálása" #: src/modules/services-systemd/main.py:64 msgid "Cannot modify unit" -msgstr "" +msgstr "Az összetevőt nem lehet módosítani" #: src/modules/services-systemd/main.py:65 msgid "" "systemctl {_action!s} call in chroot returned error code " "{_exit_code!s}." msgstr "" +"A systemctl {_action!s} hívás a chrootban {_exit_code!s} " +"hibakódot adott vissza." #: src/modules/services-systemd/main.py:66 msgid "Cannot {_action!s} systemd unit {_name!s}." -msgstr "" +msgstr " A(z) {_action!s} nem lehet systemd összetevő {_name!s}." #: src/modules/unpackfs/main.py:34 msgid "Filling up filesystems." @@ -348,11 +365,11 @@ msgstr "az rsync elhalt a(z) {} hibakóddal" #: src/modules/unpackfs/main.py:299 msgid "Unpacking image {}/{}, file {}/{}" -msgstr "" +msgstr "Kép kicsomagolása {}/{}, fájl {}/{}" #: src/modules/unpackfs/main.py:314 msgid "Starting to unpack {}" -msgstr "" +msgstr "{} kicsomagolásának megkezdése" #: src/modules/unpackfs/main.py:323 src/modules/unpackfs/main.py:467 msgid "Failed to unpack image \"{}\"" @@ -360,33 +377,33 @@ msgstr "\"{}\" kép kicsomagolása nem sikerült" #: src/modules/unpackfs/main.py:430 msgid "No mount point for root partition" -msgstr "Nincs betöltési pont a root partíciónál" +msgstr "Nincs csatolási pont a root partíciónál" #: src/modules/unpackfs/main.py:431 msgid "globalstorage does not contain a \"rootMountPoint\" key." -msgstr "" +msgstr "A globalstorage nem tartalmaz \"rootMountPoint\" kulcsot." #: src/modules/unpackfs/main.py:434 msgid "Bad mount point for root partition" -msgstr "Rossz betöltési pont a root partíciónál" +msgstr "Rossz csatolási pont a root partíciónál" #: src/modules/unpackfs/main.py:435 msgid "rootMountPoint is \"{}\", which does not exist." -msgstr "" +msgstr "A rootMountPoint \"{}\", amely nem létezik." #: src/modules/unpackfs/main.py:439 src/modules/unpackfs/main.py:455 #: src/modules/unpackfs/main.py:459 src/modules/unpackfs/main.py:465 #: src/modules/unpackfs/main.py:480 msgid "Bad unpackfs configuration" -msgstr "" +msgstr "Rossz unpackfs konfiguráció" #: src/modules/unpackfs/main.py:440 msgid "There is no configuration information." -msgstr "" +msgstr "Nincsenek konfigurációs információk." #: src/modules/unpackfs/main.py:456 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" -msgstr "" +msgstr "A jelenlegi kernel nem támogatja a(z) \"{}\" ({}) fájlrendszerét" #: src/modules/unpackfs/main.py:460 msgid "The source filesystem \"{}\" does not exist" @@ -397,11 +414,13 @@ msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed." msgstr "" +"Nem sikerült megtalálni az unsquashfs fájlt, ellenőrizze, hogy telepítve " +"van-e a squashfs-tools csomag." #: src/modules/unpackfs/main.py:481 msgid "The destination \"{}\" in the target system is not a directory" -msgstr "Az elérés \"{}\" nem létező könyvtár a cél rendszerben" +msgstr "A(z) \"{}\" célhely a célrendszerben nem egy könyvtár" #: src/modules/zfshostid/main.py:27 msgid "Copying zfs generated hostid." -msgstr "" +msgstr "A zfs által generált hostid másolása." diff --git a/lang/python/id/LC_MESSAGES/python.po b/lang/python/id/LC_MESSAGES/python.po index 0fa256a6d7..2243dee488 100644 --- a/lang/python/id/LC_MESSAGES/python.po +++ b/lang/python/id/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Drajat Hasan , 2021\n" "Language-Team: Indonesian (https://app.transifex.com/calamares/teams/20061/id/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,17 +73,17 @@ msgstr "Gak bisa menulis file konfigurasi SLIM" msgid "SLIM config file {!s} does not exist" msgstr "File {!s} config SLIM belum ada" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Tiada display manager yang dipilih untuk modul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Konfigurasi display manager belum rampung" @@ -104,8 +104,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tugas dumi python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Langkah {} dumi python" @@ -139,7 +139,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ie/LC_MESSAGES/python.po b/lang/python/ie/LC_MESSAGES/python.po index 5ab38fcf26..2be1749f1a 100644 --- a/lang/python/ie/LC_MESSAGES/python.po +++ b/lang/python/ie/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Caarmi, 2020\n" "Language-Team: Interlingue (https://app.transifex.com/calamares/teams/20061/ie/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Installante li bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "File del configuration de SLIM {!s} ne existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configurante GRUB." diff --git a/lang/python/is/LC_MESSAGES/python.po b/lang/python/is/LC_MESSAGES/python.po index 637cb8083c..ad95da9c13 100644 --- a/lang/python/is/LC_MESSAGES/python.po +++ b/lang/python/is/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Sveinn í Felli , 2023\n" "Language-Team: Icelandic (https://app.transifex.com/calamares/teams/20061/is/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "Setja upp ræsistjóra." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Villa við uppsetningu ræsistjóra" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,17 +72,17 @@ msgstr "Gat ekki skrifað SLIM-stillingaskrá" msgid "SLIM config file {!s} does not exist" msgstr "SLIM-stillingaskráin {!s} er ekki til" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -138,7 +138,7 @@ msgstr "Enginn rótartengipunktur er gefinn fyrir
{!s}
að nota." msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Stilla GRUB." diff --git a/lang/python/it_IT/LC_MESSAGES/python.po b/lang/python/it_IT/LC_MESSAGES/python.po index 95b0f3b30f..6c7a79b110 100644 --- a/lang/python/it_IT/LC_MESSAGES/python.po +++ b/lang/python/it_IT/LC_MESSAGES/python.po @@ -17,7 +17,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Paolo Zamponi , 2023\n" "Language-Team: Italian (Italy) (https://app.transifex.com/calamares/teams/20061/it_IT/)\n" @@ -31,17 +31,17 @@ msgstr "" msgid "Install bootloader." msgstr "Installa il bootloader." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Installazione di grub non riuscita, nessuna partizione definita " "nell'archiviazione globale" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Errore di installazione del boot loader" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -81,12 +81,12 @@ msgstr "Impossibile scrivere il file di configurazione di SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Il file di configurazione di SLIM {!s} non esiste" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Non è stato selezionato alcun display manager per il modulo displaymanager" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -94,7 +94,7 @@ msgstr "" "La lista dei display manager è vuota o non definita sia in globalstorage che" " in displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "La configurazione del display manager è incompleta" @@ -117,8 +117,8 @@ msgstr "" msgid "Dummy python job." msgstr "Job python fittizio." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Python step {} fittizio" @@ -154,7 +154,7 @@ msgstr "" "Non viene fornita alcuna configurazione
{!s}
per
{!s}
" "da utilizzare." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configura GRUB." diff --git a/lang/python/ja-Hira/LC_MESSAGES/python.po b/lang/python/ja-Hira/LC_MESSAGES/python.po index 70d44f80a4..27a0e8fbf6 100644 --- a/lang/python/ja-Hira/LC_MESSAGES/python.po +++ b/lang/python/ja-Hira/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Japanese (Hiragana) (https://app.transifex.com/calamares/teams/20061/ja-Hira/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ja/LC_MESSAGES/python.po b/lang/python/ja/LC_MESSAGES/python.po index 40f3c45653..7db1ad7a46 100644 --- a/lang/python/ja/LC_MESSAGES/python.po +++ b/lang/python/ja/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: UTUMI Hirosi , 2023\n" "Language-Team: Japanese (https://app.transifex.com/calamares/teams/20061/ja/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "ブートローダーをインストール" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "grub のインストールに失敗しました。グローバルストレージにパーティションが定義されていません" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "ブートローダーのインストールエラー" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,17 +74,17 @@ msgstr "SLIMの設定ファイルに書き込みができません" msgid "SLIM config file {!s} does not exist" msgstr "SLIM 設定ファイル {!s} が存在しません" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "ディスプレイマネージャが選択されていません。" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "globalstorage と displaymanager.conf の両方で、displaymanagers リストが空か未定義です。" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "ディスプレイマネージャの設定が不完全です" @@ -105,8 +105,8 @@ msgstr "ターゲットで dracut を実行できませんでした。リター msgid "Dummy python job." msgstr "Dummy python job." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python step {}" @@ -140,7 +140,7 @@ msgstr "
{!s}
を使用するのにルートマウントポイント msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "
{!s}
が使用する
{!s}
設定が指定されていません。" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUBを設定にします。" diff --git a/lang/python/ka/LC_MESSAGES/python.po b/lang/python/ka/LC_MESSAGES/python.po index bcfdb1125e..3c38085b06 100644 --- a/lang/python/ka/LC_MESSAGES/python.po +++ b/lang/python/ka/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Temuri Doghonadze , 2023\n" "Language-Team: Georgian (https://app.transifex.com/calamares/teams/20061/ka/)\n" @@ -25,19 +25,21 @@ msgstr "" msgid "Install bootloader." msgstr "ჩამტვირთავის დაყენება." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "GRUB-ის დაყენების შეცდომა. გლობალურ საცავში დანაყოფები აღწერილი არაა" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "ჩამტვირთავის დაყენების შეცდომა" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." msgstr "" +"ჩამტვირთავი კოდის დაყენება შეუძლებელია. დაყენების ბრძანებამ
{!s}
" +"დააბრუნა შეცდომის კოდი {!s}." #: src/modules/displaymanager/main.py:509 msgid "Cannot write LXDM configuration file" @@ -71,41 +73,43 @@ msgstr "SLIM-ის კონფიგურაციის ფაილის msgid "SLIM config file {!s} does not exist" msgstr "SLIM-ის კონფიგურაციის ფაილი არ არსებობს" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." -msgstr "" +msgstr "მოდულისთვის 'displaymanager' ეკრანის მმართველი არჩეული არაა." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" +"ეკრანის მმართველების სია ცარიელია ან აღუწერელია, ორივე, globalstorage და " +"displaymanager.conf-ში." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "ეკრანის მმართველის მორგება დასრულებული არაა" #: src/modules/dracut/main.py:29 msgid "Creating initramfs with dracut." -msgstr "" +msgstr "მიმდინარეობს dracut-ით Initramfs-ის შექმნა." #: src/modules/dracut/main.py:63 msgid "Failed to run dracut" -msgstr "" +msgstr "Dracut-ის გაშვება ჩავარდა" #: src/modules/dracut/main.py:64 #, python-brace-format msgid "Dracut failed to run on the target with return code: {return_code}" -msgstr "" +msgstr "ჩავარდა სამიზნეზე Dracut-ის გაშვება შეცდომის კოდით: {return_code}" #: src/modules/dummypython/main.py:35 msgid "Dummy python job." -msgstr "" +msgstr "შტერი Python დავალება." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" -msgstr "" +msgstr "შტერი Python ნაბჯი {}" #: src/modules/fstab/main.py:28 msgid "Writing fstab." @@ -132,12 +136,14 @@ msgstr "
{!s}
-სთვის გამოსაყენებელ #: src/modules/openrcdmcryptcfg/main.py:77 msgid "No root mount point is given for
{!s}
to use." msgstr "" +"
{!s}
-სთვის ძირითადი საქაღალდის მიმაგრების წერტილი მითითებული " +"არაა." #: src/modules/fstab/main.py:412 msgid "No
{!s}
configuration is given for
{!s}
to use." -msgstr "" +msgstr "
{!s}
კონფიგურაცია
{!s}
-სთვის მითითებული არაა." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB-ის მორგება." @@ -151,11 +157,12 @@ msgstr "Mkinitcpio-ის მორგება." #: src/modules/initcpiocfg/main.py:257 msgid "No partitions are defined for
initcpiocfg
." -msgstr "" +msgstr "
initcpiocfg
-სთვის დანაყოფები აღწერილი არაა." #: src/modules/initcpiocfg/main.py:261 msgid "No root mount point for
initcpiocfg
." msgstr "" +"
initcpiocfg
-სთვის ძირითადი მიმაგრების წერტილი მითითებული არაა." #: src/modules/initramfscfg/main.py:32 msgid "Configuring initramfs." @@ -167,11 +174,11 @@ msgstr "ენების მორგება." #: src/modules/mkinitfs/main.py:27 msgid "Creating initramfs with mkinitfs." -msgstr "" +msgstr "მიმდინარეობს mkinitfs-ით Initramfs-ის შექმნა." #: src/modules/mkinitfs/main.py:49 msgid "Failed to run mkinitfs on the target" -msgstr "" +msgstr "სამიზნეზე mkinitfs-ის გაშვება ჩავარდა" #: src/modules/mkinitfs/main.py:50 msgid "The exit code was {}" @@ -217,7 +224,7 @@ msgstr "პაკეტების დაყენება." #: src/modules/packages/main.py:63 #, python-format msgid "Processing packages (%(count)d / %(total)d)" -msgstr "" +msgstr "მუშავდება პაკეტი (%(count)d / %(total)d)" #: src/modules/packages/main.py:68 #, python-format @@ -243,18 +250,24 @@ msgid "" "The package manager could not prepare updates. The command
{!s}
" "returned error code {!s}." msgstr "" +"პაკეტების მმართველმა განახლებები ვერ მოამზადა. ბრძანებამ
{!s}
" +"დააბრუნა შეცდომა კოდით {!s}." #: src/modules/packages/main.py:753 msgid "" "The package manager could not update the system. The command
{!s}
" " returned error code {!s}." msgstr "" +"პაკეტების მმართველმა სისტემა ვერ განაახლა. ბრძანებამ
{!s}
" +"დააბრუნა შეცდომა კოდით {!s}." #: src/modules/packages/main.py:781 msgid "" "The package manager could not make changes to the installed system. The " "command
{!s}
returned error code {!s}." msgstr "" +"პაკეტების მმართველმა სისტემაშ ცვლილებები ვერ შეიტანა. ბრძანება " +"
{!s}
ჩავარდა შეცდომის კოდით {!s}." #: src/modules/plymouthcfg/main.py:27 msgid "Configure Plymouth theme" @@ -270,17 +283,19 @@ msgstr "OpenRC-ის სერვისების მორგება" #: src/modules/services-openrc/main.py:57 msgid "Cannot add service {name!s} to run-level {level!s}." -msgstr "" +msgstr "ვერ დავამატე სერვისი {name!s} გაშვების დონეს {level!s}." #: src/modules/services-openrc/main.py:59 msgid "Cannot remove service {name!s} from run-level {level!s}." -msgstr "" +msgstr "ვერ წავშალე სერვისი {name!s} გაშვების დონიდან {level!s}." #: src/modules/services-openrc/main.py:61 msgid "" "Unknown service-action {arg!s} for service {name!s} in run-" "level {level!s}." msgstr "" +"უცნობი სერვისი ქმედება {arg!s} სერვისისთვის {name!s} გაშვების " +"დონეზე {level!s}." #: src/modules/services-openrc/main.py:93 msgid "Cannot modify service" @@ -290,6 +305,8 @@ msgstr "სერვისის შეცვლის შეცდომა" msgid "" "rc-update {arg!s} call in chroot returned error code {num!s}." msgstr "" +"rc-update {arg!s}-ის გამოძახებამ chroot-ში დააბრუნა შეცდომა " +"კოდით {num!s}." #: src/modules/services-openrc/main.py:101 msgid "Target runlevel does not exist" @@ -300,6 +317,8 @@ msgid "" "The path for runlevel {level!s} is {path!s}, which does not " "exist." msgstr "" +"ბილიკი გაშვების დონისთვის არის {level!s} is {path!s}, მაგრამ ის" +" არ არსებობს." #: src/modules/services-openrc/main.py:110 msgid "Target service does not exist" @@ -310,24 +329,28 @@ msgid "" "The path for service {name!s} is {path!s}, which does not " "exist." msgstr "" +"ბილიკი სერვისისთვის {name!s} არის {path!s}, მაგრამ ის არ " +"არებობს." #: src/modules/services-systemd/main.py:26 msgid "Configure systemd units" -msgstr "" +msgstr "Systemd-ის სერვისების მორგება" #: src/modules/services-systemd/main.py:64 msgid "Cannot modify unit" -msgstr "" +msgstr "სერვისის შეცვლა შეუძლებელია" #: src/modules/services-systemd/main.py:65 msgid "" "systemctl {_action!s} call in chroot returned error code " "{_exit_code!s}." msgstr "" +"systemctl {_action!s} გამოძახებამ chroot-ში დააბრუნა შეცდომა " +"კოდით {_exit_code!s}." #: src/modules/services-systemd/main.py:66 msgid "Cannot {_action!s} systemd unit {_name!s}." -msgstr "" +msgstr "ვერ შესრულდა ქმედება {_action!s} systemd unit {_name!s}." #: src/modules/unpackfs/main.py:34 msgid "Filling up filesystems." @@ -378,6 +401,7 @@ msgstr "კონფიგურაციის ინფორმაცია #: src/modules/unpackfs/main.py:456 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" +"ფაილური სისტემა \"{}\" ({}) თქვენ გაშვებული ბირთვის მიერ მხარდაჭერილი არაა" #: src/modules/unpackfs/main.py:460 msgid "The source filesystem \"{}\" does not exist" @@ -388,11 +412,13 @@ msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed." msgstr "" +"ბრძანება unsquashfs ვერ ვიპოვე. დარწმუნდით, რომ პაკეტი squashfs-tools " +"დაყენებულია." #: src/modules/unpackfs/main.py:481 msgid "The destination \"{}\" in the target system is not a directory" -msgstr "" +msgstr "სამიზნე \"{}\" სამუშაო სისტემაზე საქაღალდე არაა" #: src/modules/zfshostid/main.py:27 msgid "Copying zfs generated hostid." -msgstr "" +msgstr "ZFS-ით გენერირებული hostid-ის კოპირება." diff --git a/lang/python/kk/LC_MESSAGES/python.po b/lang/python/kk/LC_MESSAGES/python.po index a6b363a61b..1dd68914eb 100644 --- a/lang/python/kk/LC_MESSAGES/python.po +++ b/lang/python/kk/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Kazakh (https://app.transifex.com/calamares/teams/20061/kk/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/kn/LC_MESSAGES/python.po b/lang/python/kn/LC_MESSAGES/python.po index e79182a94f..3e753d2166 100644 --- a/lang/python/kn/LC_MESSAGES/python.po +++ b/lang/python/kn/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Kannada (https://app.transifex.com/calamares/teams/20061/kn/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ko/LC_MESSAGES/python.po b/lang/python/ko/LC_MESSAGES/python.po index 2d4c7f82e3..f96fac5c0e 100644 --- a/lang/python/ko/LC_MESSAGES/python.po +++ b/lang/python/ko/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Junghee Lee , 2023\n" "Language-Team: Korean (https://app.transifex.com/calamares/teams/20061/ko/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "부트로더 설치." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "grub을 설치하지 못했습니다. 파티션 없음이 전역 저장소에 정의되었습니다" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "부트로더 설치 오류" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,11 +72,11 @@ msgstr "SLIM 구성 파일을 쓸 수 없음" msgid "SLIM config file {!s} does not exist" msgstr "SLIM 구성 파일 {!s}가 없음" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "displaymanager 모듈에 대해 선택된 디스플레이 관리자가 없습니다." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -84,7 +84,7 @@ msgstr "" "displaymanagers 목록이 비어 있거나 globalstorage 및 displaymanager.conf 모두에서 정의되지 " "않았습니다." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "디스플레이 관리자 구성이 완료되지 않았습니다." @@ -105,8 +105,8 @@ msgstr "반환 코드가 있는 대상에서 Dracut을 실행하지 못했습니 msgid "Dummy python job." msgstr "더미 파이썬 작업." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "더미 파이썬 단계 {}" @@ -140,7 +140,7 @@ msgstr "
{!s}
에서 사용할 루트 마운트 지점이 제공되지 msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "
{!s}
구성 없음은
{!s}
을(를) 사용할 수 있도록 제공됩니다." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB 구성" diff --git a/lang/python/lo/LC_MESSAGES/python.po b/lang/python/lo/LC_MESSAGES/python.po index 5febc4ece6..fc7de14fa6 100644 --- a/lang/python/lo/LC_MESSAGES/python.po +++ b/lang/python/lo/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Lao (https://app.transifex.com/calamares/teams/20061/lo/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/lt/LC_MESSAGES/python.po b/lang/python/lt/LC_MESSAGES/python.po index f20d79cc4d..c85609aeba 100644 --- a/lang/python/lt/LC_MESSAGES/python.po +++ b/lang/python/lt/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Moo, 2023\n" "Language-Team: Lithuanian (https://app.transifex.com/calamares/teams/20061/lt/)\n" @@ -26,17 +26,17 @@ msgstr "" msgid "Install bootloader." msgstr "Įdiegti operacinės sistemos paleidyklę." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Nepavyko įdiegti grub paleidyklės, visuotinėje saugykloje nėra apibrėžta " "jokių skaidinių" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Operacinės sistemos paleidyklės diegimo klaida" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -76,11 +76,11 @@ msgstr "Nepavyksta įrašyti SLIM konfigūracijos failą" msgid "SLIM config file {!s} does not exist" msgstr "SLIM konfigūracijos failo {!s} nėra" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Displaymanagers moduliui nėra pasirinkta jokių ekranų tvarkytuvių." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -88,7 +88,7 @@ msgstr "" "Displaymanagers sąrašas yra tuščias arba neapibrėžtas tiek globalstorage, " "tiek ir displaymanager.conf faile." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Ekranų tvarkytuvės konfigūracija yra nepilna" @@ -111,8 +111,8 @@ msgstr "" msgid "Dummy python job." msgstr "Fiktyvi python užduotis." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Fiktyvus python žingsnis {}" @@ -150,7 +150,7 @@ msgstr "" "Nenurodyta jokia
{!s}
konfigūracija, kurią
{!s}
galėtų" " naudoti." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfigūruoti GRUB." diff --git a/lang/python/lv/LC_MESSAGES/python.po b/lang/python/lv/LC_MESSAGES/python.po index 174915321c..8af79a3306 100644 --- a/lang/python/lv/LC_MESSAGES/python.po +++ b/lang/python/lv/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Latvian (https://app.transifex.com/calamares/teams/20061/lv/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/mk/LC_MESSAGES/python.po b/lang/python/mk/LC_MESSAGES/python.po index 4ba8f0a2d6..53970afd7e 100644 --- a/lang/python/mk/LC_MESSAGES/python.po +++ b/lang/python/mk/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Martin Ristovski , 2018\n" "Language-Team: Macedonian (https://app.transifex.com/calamares/teams/20061/mk/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "SLIM конфигурациониот фајл не може да се msgid "SLIM config file {!s} does not exist" msgstr "SLIM конфигурациониот фајл {!s} не постои" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Немате избрано дисплеј менаџер за displaymanager модулот." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ml/LC_MESSAGES/python.po b/lang/python/ml/LC_MESSAGES/python.po index 2657cb4e04..130389f482 100644 --- a/lang/python/ml/LC_MESSAGES/python.po +++ b/lang/python/ml/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Balasankar C , 2019\n" "Language-Team: Malayalam (https://app.transifex.com/calamares/teams/20061/ml/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "ബൂട്ട്‌ലോടർ ഇൻസ്റ്റാൾ ചെയ്യൂ ." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,17 +72,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -103,8 +103,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -138,7 +138,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/mr/LC_MESSAGES/python.po b/lang/python/mr/LC_MESSAGES/python.po index 15eeaec231..c19c2966e0 100644 --- a/lang/python/mr/LC_MESSAGES/python.po +++ b/lang/python/mr/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Marathi (https://app.transifex.com/calamares/teams/20061/mr/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/nb/LC_MESSAGES/python.po b/lang/python/nb/LC_MESSAGES/python.po index 6117ea90df..d0c392a27f 100644 --- a/lang/python/nb/LC_MESSAGES/python.po +++ b/lang/python/nb/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: 865ac004d9acf2568b2e4b389e0007c7_fba755c <3516cc82d94f87187da1e036e5f09e42_616112>, 2017\n" "Language-Team: Norwegian Bokmål (https://app.transifex.com/calamares/teams/20061/nb/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ne_NP/LC_MESSAGES/python.po b/lang/python/ne_NP/LC_MESSAGES/python.po index 34f62f658e..57c1d3feb2 100644 --- a/lang/python/ne_NP/LC_MESSAGES/python.po +++ b/lang/python/ne_NP/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Nepali (Nepal) (https://app.transifex.com/calamares/teams/20061/ne_NP/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/nl/LC_MESSAGES/python.po b/lang/python/nl/LC_MESSAGES/python.po index 4e73699015..e0efea340f 100644 --- a/lang/python/nl/LC_MESSAGES/python.po +++ b/lang/python/nl/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Adriaan de Groot , 2020\n" "Language-Team: Dutch (https://app.transifex.com/calamares/teams/20061/nl/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "Installeer bootloader" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,11 +72,11 @@ msgstr "Schrijven naar het SLIM-configuratiebestand is mislukt" msgid "SLIM config file {!s} does not exist" msgstr "Het SLIM-configuratiebestand {!s} bestaat niet" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Geen display managers geselecteerd voor de displaymanager module." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -84,7 +84,7 @@ msgstr "" "De lijst van display-managers is leeg, zowel in de configuratie " "displaymanager.conf als de globale opslag." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Display manager configuratie was incompleet" @@ -105,8 +105,8 @@ msgstr "" msgid "Dummy python job." msgstr "Voorbeeld Python-taak" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Voorbeeld Python-stap {}" @@ -141,7 +141,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB instellen." diff --git a/lang/python/oc/LC_MESSAGES/python.po b/lang/python/oc/LC_MESSAGES/python.po index 55bd1afa23..1ab7a8afc0 100644 --- a/lang/python/oc/LC_MESSAGES/python.po +++ b/lang/python/oc/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Quentin PAGÈS, 2022\n" "Language-Team: Occitan (post 1500) (https://app.transifex.com/calamares/teams/20061/oc/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/pl/LC_MESSAGES/python.po b/lang/python/pl/LC_MESSAGES/python.po index e8c242a0a4..01046f6578 100644 --- a/lang/python/pl/LC_MESSAGES/python.po +++ b/lang/python/pl/LC_MESSAGES/python.po @@ -15,7 +15,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: cooky, 2023\n" "Language-Team: Polish (https://app.transifex.com/calamares/teams/20061/pl/)\n" @@ -29,17 +29,17 @@ msgstr "" msgid "Install bootloader." msgstr "Instalacja programu rozruchowego." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Nie udało się zainstalować GRUBa, nie zdefiniowano partycji w globalnej " "pamięci masowej" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Błąd instalacji bootloadera" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -79,11 +79,11 @@ msgstr "Nie można zapisać pliku konfiguracji SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Plik konfiguracji SLIM {!s} nie istnieje" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Brak wybranych menedżerów wyświetlania dla modułu displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -91,7 +91,7 @@ msgstr "" "Lista displaymanagers jest pusta lub niezdefiniowana w globalstorage oraz " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Konfiguracja menedżera wyświetlania była niekompletna" @@ -113,8 +113,8 @@ msgstr "" msgid "Dummy python job." msgstr "Zadanie fikcyjne Python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Krok fikcyjny Python {}" @@ -149,7 +149,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "Nie podano konfiguracji
{!s}
dla
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfiguracja GRUB." diff --git a/lang/python/pt_BR/LC_MESSAGES/python.po b/lang/python/pt_BR/LC_MESSAGES/python.po index ca2f8bc77e..a6d5d1fc28 100644 --- a/lang/python/pt_BR/LC_MESSAGES/python.po +++ b/lang/python/pt_BR/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Guilherme MS, 2023\n" "Language-Team: Portuguese (Brazil) (https://app.transifex.com/calamares/teams/20061/pt_BR/)\n" @@ -26,16 +26,16 @@ msgstr "" msgid "Install bootloader." msgstr "Instalar carregador de inicialização." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Falha ao instalar o grub, não há partições definidas no armazenamento global" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Erro de instalação do carregador de inicialização" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,12 +75,12 @@ msgstr "Não foi possível gravar o arquivo de configuração do SLIM" msgid "SLIM config file {!s} does not exist" msgstr "O arquivo de configuração {!s} do SLIM não existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Nenhum gerenciador de exibição selecionado para o módulo do displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -88,7 +88,7 @@ msgstr "" "A lista de displaymanagers está vazia ou indefinida em ambos globalstorage e" " displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "A configuração do gerenciador de exibição está incompleta" @@ -111,8 +111,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tarefa modelo python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Etapa modelo python {}" @@ -149,7 +149,7 @@ msgstr "" "Nenhuma configuração
{!s}
é dada para que
{!s}
possa " "utilizar." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configurar GRUB." diff --git a/lang/python/pt_PT/LC_MESSAGES/python.po b/lang/python/pt_PT/LC_MESSAGES/python.po index ccf1e859af..9b1ceae13b 100644 --- a/lang/python/pt_PT/LC_MESSAGES/python.po +++ b/lang/python/pt_PT/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Hugo Carvalho , 2023\n" "Language-Team: Portuguese (Portugal) (https://app.transifex.com/calamares/teams/20061/pt_PT/)\n" @@ -27,16 +27,16 @@ msgstr "" msgid "Install bootloader." msgstr "Instalar o carregador de arranque." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Falha ao instalar o grub, sem partições definidas no armazenamento global" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Erro de instalação do carregador de arranque" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -76,12 +76,12 @@ msgstr "Não é possível gravar o ficheiro de configuração SLIM" msgid "SLIM config file {!s} does not exist" msgstr "O ficheiro de configuração do SLIM {!s} não existe" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Nenhum gestor de exibição selecionado para o módulo de gestor de exibição." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "A lista de gestores de visualização está vazia ou indefinida tanto no " "globalstorage como no displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "A configuração do gestor de exibição estava incompleta" @@ -112,8 +112,8 @@ msgstr "" msgid "Dummy python job." msgstr "Tarefa Dummy python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Passo Dummy python {}" @@ -149,7 +149,7 @@ msgstr "" "Não é dada nenhuma configuração
{!s}
para
{!s}
" "utilizar." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Configurar o GRUB." diff --git a/lang/python/ro/LC_MESSAGES/python.po b/lang/python/ro/LC_MESSAGES/python.po index 4bb534e96b..e7a1f62172 100644 --- a/lang/python/ro/LC_MESSAGES/python.po +++ b/lang/python/ro/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Chele Ion , 2021\n" "Language-Team: Romanian (https://app.transifex.com/calamares/teams/20061/ro/)\n" @@ -27,15 +27,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -73,17 +73,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -104,8 +104,8 @@ msgstr "" msgid "Dummy python job." msgstr "Job python fictiv." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python step {}" @@ -139,7 +139,7 @@ msgstr "Nu este definită o partiţie rădăcină pentru 1{!s}1 ." msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ro_RO/LC_MESSAGES/python.po b/lang/python/ro_RO/LC_MESSAGES/python.po index 017c3a9bfc..15162961fe 100644 --- a/lang/python/ro_RO/LC_MESSAGES/python.po +++ b/lang/python/ro_RO/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Romanian (Romania) (https://app.transifex.com/calamares/teams/20061/ro_RO/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/ru/LC_MESSAGES/python.po b/lang/python/ru/LC_MESSAGES/python.po index f5ece9a79d..7b0391816b 100644 --- a/lang/python/ru/LC_MESSAGES/python.po +++ b/lang/python/ru/LC_MESSAGES/python.po @@ -7,16 +7,16 @@ # Aleksey Kabanov , 2018 # ZIzA, 2020 # Темак, 2023 -# Victor, 2023 +# Victor, 2024 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Victor, 2023\n" +"Last-Translator: Victor, 2024\n" "Language-Team: Russian (https://app.transifex.com/calamares/teams/20061/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -28,15 +28,15 @@ msgstr "" msgid "Install bootloader." msgstr "Установить загрузчик." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "Не удалось установить grub, разделы не определены в общем хранилище" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Ошибка установки загрузчика" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -76,11 +76,11 @@ msgstr "Не удается записать файл конфигурации S msgid "SLIM config file {!s} does not exist" msgstr "Файл конфигурации SLIM {!s} не существует" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Для модуля displaymanager не выбраны менеджеры дисплеев." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -88,7 +88,7 @@ msgstr "" "Список дисплейных менеджеров пуст или не определен в globalstorage и в " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Конфигурация дисплейного менеджера не завершена." @@ -111,8 +111,8 @@ msgstr "" msgid "Dummy python job." msgstr "Фиктивная работа python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Фиктивный шаг python {}" @@ -148,7 +148,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "Конфигурация
{!s}
для использования
{!s}
не указана." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Настройте GRUB." @@ -166,7 +166,7 @@ msgstr "Не определены разделы для
initcpiocfg
." #: src/modules/initcpiocfg/main.py:261 msgid "No root mount point for
initcpiocfg
." -msgstr "" +msgstr "Нет корневой точки монтирования для
initcpiocfg
." #: src/modules/initramfscfg/main.py:32 msgid "Configuring initramfs." @@ -279,7 +279,7 @@ msgstr "" #: src/modules/plymouthcfg/main.py:27 msgid "Configure Plymouth theme" -msgstr "Настроить тему Plymouth" +msgstr "Настройка темы Plymouth" #: src/modules/rawfs/main.py:26 msgid "Installing data." @@ -351,6 +351,8 @@ msgid "" "systemctl {_action!s} call in chroot returned error code " "{_exit_code!s}." msgstr "" +"Вызов systemctl {_action!s} в chroot вернул код ошибки " +"{_exit_code!s}." #: src/modules/services-systemd/main.py:66 msgid "Cannot {_action!s} systemd unit {_name!s}." diff --git a/lang/python/si/LC_MESSAGES/python.po b/lang/python/si/LC_MESSAGES/python.po index 9ad5befacd..a796b346ed 100644 --- a/lang/python/si/LC_MESSAGES/python.po +++ b/lang/python/si/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Sandaruwan Samaraweera, 2022\n" "Language-Team: Sinhala (https://app.transifex.com/calamares/teams/20061/si/)\n" @@ -26,16 +26,16 @@ msgstr "" msgid "Install bootloader." msgstr "bootloader ස්ථාපනය කරන්න." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Grub ස්ථාපනය කිරීමට අපොහොසත් විය, ගෝලීය ආචයනය තුළ කොටස් අර්ථ දක්වා නොමැත" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Bootloader ස්ථාපනය කිරීමේ දෝෂයකි" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -75,11 +75,11 @@ msgstr "SLIM වින්‍යාස ගොනුව ලිවිය නොහ msgid "SLIM config file {!s} does not exist" msgstr "SLIM වින්‍යාස ගොනුව {!s} නොපවතී" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "සංදර්ශක කළමනාකරු මොඩියුලය සඳහා සංදර්ශක කළමනාකරුවන් තෝරාගෙන නොමැත." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "ගෝලීය ගබඩාව සහ displaymanager.conf යන දෙකෙහිම සංදර්ශක කළමනාකරු ලැයිස්තුව " "හිස් හෝ අර්ථ දක්වා නොමැත." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "සංදර්ශක කළමනාකරු වින්‍යාසය අසම්පූර්ණ විය" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "ඩමි python වැඩසටහන." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "ව්‍යාජ python පියවර {}" @@ -144,7 +144,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "භාවිතා කිරීමට
{!s}
සඳහා
{!s}
වින්‍යාසයක් ලබා දී නොමැත." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB වින්‍යාස කරන්න." diff --git a/lang/python/sk/LC_MESSAGES/python.po b/lang/python/sk/LC_MESSAGES/python.po index a39bb8337c..77ab1b64f2 100644 --- a/lang/python/sk/LC_MESSAGES/python.po +++ b/lang/python/sk/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Dušan Kazik , 2020\n" "Language-Team: Slovak (https://app.transifex.com/calamares/teams/20061/sk/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Inštalácia zavádzača." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "Nedá sa zapísať konfiguračný súbor správcu SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Konfiguračný súbor správcu SLIM {!s} neexistuje" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Neboli vybraní žiadni správcovia zobrazenia pre modul displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Konfigurácia správcu zobrazenia nebola úplná" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "Fiktívna úloha jazyka python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Fiktívny krok {} jazyka python" @@ -137,7 +137,7 @@ msgstr "Nie je zadaný žiadny bod pripojenia na použitie pre
{!s}
." msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfigurácia zavádzača GRUB." diff --git a/lang/python/sl/LC_MESSAGES/python.po b/lang/python/sl/LC_MESSAGES/python.po index 0b22007cfd..a6f1fd2c77 100644 --- a/lang/python/sl/LC_MESSAGES/python.po +++ b/lang/python/sl/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Slovenian (https://app.transifex.com/calamares/teams/20061/sl/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/sq/LC_MESSAGES/python.po b/lang/python/sq/LC_MESSAGES/python.po index 76d3a6b05a..4c82c75dc9 100644 --- a/lang/python/sq/LC_MESSAGES/python.po +++ b/lang/python/sq/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Besnik Bleta , 2023\n" "Language-Team: Albanian (https://app.transifex.com/calamares/teams/20061/sq/)\n" @@ -25,16 +25,16 @@ msgstr "" msgid "Install bootloader." msgstr "Instalo ngarkues nisjesh." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "S'u arrit të instalohej grub, te depozita globale s’ka të përkufizuara pjesë" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Gabim instalimi Ngarkuesi Nisësi" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,11 +74,11 @@ msgstr "S’shkruhet dot kartelë formësimi SLIM" msgid "SLIM config file {!s} does not exist" msgstr "S’ekziston kartelë formësimi SLIM {!s}" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "S’janë përzgjedhur përgjegjës ekrani për modulin displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -86,7 +86,7 @@ msgstr "" "Lista “displaymanagers” është e zbrazët ose e papërkufizuar për të dy " "rastet, për “globalstorage” dhe për “displaymanager.conf”." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Formësimi i përgjegjësit të ekranit s’qe i plotë" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "Akt python dummy." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Hap python {} dummy" @@ -145,7 +145,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "S’është dhënë formësim
{!s}
për t’u përdorur nga
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Formësoni GRUB-in." diff --git a/lang/python/sr/LC_MESSAGES/python.po b/lang/python/sr/LC_MESSAGES/python.po index d0f3e0cb91..4a38109f86 100644 --- a/lang/python/sr/LC_MESSAGES/python.po +++ b/lang/python/sr/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Slobodan Simić , 2020\n" "Language-Team: Serbian (https://app.transifex.com/calamares/teams/20061/sr/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,17 +71,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -102,8 +102,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -137,7 +137,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Подеси ГРУБ" diff --git a/lang/python/sr@latin/LC_MESSAGES/python.po b/lang/python/sr@latin/LC_MESSAGES/python.po index ea99fe9335..cdf7eb20d9 100644 --- a/lang/python/sr@latin/LC_MESSAGES/python.po +++ b/lang/python/sr@latin/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Serbian (Latin) (https://app.transifex.com/calamares/teams/20061/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/sv/LC_MESSAGES/python.po b/lang/python/sv/LC_MESSAGES/python.po index 83c33e3a50..08e0062e10 100644 --- a/lang/python/sv/LC_MESSAGES/python.po +++ b/lang/python/sv/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Luna Jernberg , 2023\n" "Language-Team: Swedish (https://app.transifex.com/calamares/teams/20061/sv/)\n" @@ -27,17 +27,17 @@ msgstr "" msgid "Install bootloader." msgstr "Installera starthanterare." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Det gick inte att installera grub, inga partitioner definierade i global " "lagring" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Starthanterare installationsfel" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -77,11 +77,11 @@ msgstr "Misslyckades med att SLIM konfigurationsfil" msgid "SLIM config file {!s} does not exist" msgstr "SLIM konfigurationsfil {!s} existerar inte" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Ingen skärmhanterare vald för displaymanager modulen." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "Skärmhanterar listan är tom eller odefinierad i både globalstorage och " "displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Konfiguration för displayhanteraren var inkomplett" @@ -110,8 +110,8 @@ msgstr "Dracut misslyckades att köra på målet med returkod: {return_code}" msgid "Dummy python job." msgstr "Exempel python jobb" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Exempel python steg {}" @@ -148,7 +148,7 @@ msgstr "" "Ingen
{!s}
konfiguration är angiven för
{!s}
att " "använda. " -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Konfigurera GRUB." diff --git a/lang/python/ta_IN/LC_MESSAGES/python.po b/lang/python/ta_IN/LC_MESSAGES/python.po index 15a5aaf042..d2eae5de2b 100644 --- a/lang/python/ta_IN/LC_MESSAGES/python.po +++ b/lang/python/ta_IN/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Tamil (India) (https://app.transifex.com/calamares/teams/20061/ta_IN/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/te/LC_MESSAGES/python.po b/lang/python/te/LC_MESSAGES/python.po index 2d447cb74f..6dc8738bbd 100644 --- a/lang/python/te/LC_MESSAGES/python.po +++ b/lang/python/te/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Telugu (https://app.transifex.com/calamares/teams/20061/te/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/tg/LC_MESSAGES/python.po b/lang/python/tg/LC_MESSAGES/python.po index fb2044d3d6..266c3e1c32 100644 --- a/lang/python/tg/LC_MESSAGES/python.po +++ b/lang/python/tg/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Victor Ibragimov , 2020\n" "Language-Team: Tajik (https://app.transifex.com/calamares/teams/20061/tg/)\n" @@ -25,15 +25,15 @@ msgstr "" msgid "Install bootloader." msgstr "Насбкунии боркунандаи роҳандозӣ." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -71,11 +71,11 @@ msgstr "Файли танзимии SLIM сабт карда намешавад" msgid "SLIM config file {!s} does not exist" msgstr "Файли танзимии SLIM {!s} вуҷуд надорад" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Ягон мудири намоиш барои модули displaymanager интихоб нашудааст." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -83,7 +83,7 @@ msgstr "" "Рӯйхати displaymanagers ҳам дар globalstorage ва ҳам дар displaymanager.conf" " холӣ ё номаълум аст." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Раванди танзимкунии мудири намоиш ба анҷом нарасид" @@ -104,8 +104,8 @@ msgstr "" msgid "Dummy python job." msgstr "Вазифаи амсилаи python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Қадами амсилаи python {}" @@ -139,7 +139,7 @@ msgstr "Нуқтаи васли реша (root) барои истифодаи

{!s}

configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Танзимоти GRUB." diff --git a/lang/python/th/LC_MESSAGES/python.po b/lang/python/th/LC_MESSAGES/python.po index 584518be76..0c0dc0676e 100644 --- a/lang/python/th/LC_MESSAGES/python.po +++ b/lang/python/th/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Thai (https://app.transifex.com/calamares/teams/20061/th/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/tr_TR/LC_MESSAGES/python.po b/lang/python/tr_TR/LC_MESSAGES/python.po index 62c18a44dc..e6d479f347 100644 --- a/lang/python/tr_TR/LC_MESSAGES/python.po +++ b/lang/python/tr_TR/LC_MESSAGES/python.po @@ -5,16 +5,16 @@ # # Translators: # abc Def , 2020 -# Demiray Muhterem , 2023 +# Demiray Muhterem , 2024 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Demiray Muhterem , 2023\n" +"Last-Translator: Demiray Muhterem , 2024\n" "Language-Team: Turkish (Turkey) (https://app.transifex.com/calamares/teams/20061/tr_TR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -24,17 +24,17 @@ msgstr "" #: src/modules/bootloader/main.py:46 msgid "Install bootloader." -msgstr "Önyükleyici kuruluyor" +msgstr "Önyükleyici kuruluyor." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "Grub yüklenemedi, genel depolamada tanımlı bölüm yok" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Önyükleyici yükleme hatası" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,11 +74,11 @@ msgstr "SLIM yapılandırma dosyası yazılamıyor" msgid "SLIM config file {!s} does not exist" msgstr "SLIM yapılandırma dosyası {!s} mevcut değil" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Ekran yöneticisi modülü için ekran yöneticisi seçilmedi." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -86,7 +86,7 @@ msgstr "" "Displaymanagers listesi hem globalstorage hem de displaymanager.conf'ta boş " "veya tanımsız." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Ekran yöneticisi yapılandırma işi tamamlanamadı" @@ -107,8 +107,8 @@ msgstr "Dracut, dönüş koduyla hedefte çalıştırılamadı: {return_code}" msgid "Dummy python job." msgstr "Dummy python job." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Dummy python step {}" @@ -144,7 +144,7 @@ msgstr "" "
{!s}
'nin kullanması için
{!s}
yapılandırması " "verilmemiştir." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "GRUB'u yapılandır." @@ -210,7 +210,7 @@ msgstr "zfs bağlama hatası" #: src/modules/networkcfg/main.py:30 msgid "Saving network configuration." -msgstr "Ağ yapılandırması kaydediliyor." +msgstr "Ağ yapılandırma kaydediliyor." #: src/modules/openrcdmcryptcfg/main.py:26 msgid "Configuring OpenRC dmcrypt service." @@ -350,7 +350,7 @@ msgstr "{_action!s} sistem birimi {_name!s} yapılamıyor." #: src/modules/unpackfs/main.py:34 msgid "Filling up filesystems." -msgstr "Dosya sistemlerini dolduruyorum." +msgstr "Dosya sistemi genişletiliyor." #: src/modules/unpackfs/main.py:254 msgid "rsync failed with error code {}." diff --git a/lang/python/uk/LC_MESSAGES/python.po b/lang/python/uk/LC_MESSAGES/python.po index 4c721ba4fe..90221b6fa9 100644 --- a/lang/python/uk/LC_MESSAGES/python.po +++ b/lang/python/uk/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Yuri Chornoivan , 2023\n" "Language-Team: Ukrainian (https://app.transifex.com/calamares/teams/20061/uk/)\n" @@ -27,17 +27,17 @@ msgstr "" msgid "Install bootloader." msgstr "Встановити завантажувач." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" "Не вдалося встановити grub — на загальному сховищі даних не визначено " "розділів" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Помилка встановлення завантажувача" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -77,11 +77,11 @@ msgstr "Не вдалося виконати запис до файла нала msgid "SLIM config file {!s} does not exist" msgstr "Файла налаштувань SLIM {!s} не існує" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "Не вибрано засобу керування дисплеєм для модуля displaymanager." -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -89,7 +89,7 @@ msgstr "" "Список засобів керування дисплеєм є порожнім або невизначеним у " "bothglobalstorage та displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Налаштування засобу керування дисплеєм є неповними" @@ -110,8 +110,8 @@ msgstr "Не вдалося виконати dracut для цілі. Повер msgid "Dummy python job." msgstr "Фіктивне завдання python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Фіктивний крок python {}" @@ -147,7 +147,7 @@ msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" "Не надано налаштувань
{!s}
для використання у
{!s}
." -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Налаштовування GRUB." diff --git a/lang/python/ur/LC_MESSAGES/python.po b/lang/python/ur/LC_MESSAGES/python.po index faeac9bb27..2eb2f8a7df 100644 --- a/lang/python/ur/LC_MESSAGES/python.po +++ b/lang/python/ur/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Urdu (https://app.transifex.com/calamares/teams/20061/ur/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/uz/LC_MESSAGES/python.po b/lang/python/uz/LC_MESSAGES/python.po index 43507e33bf..c374cd4109 100644 --- a/lang/python/uz/LC_MESSAGES/python.po +++ b/lang/python/uz/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Uzbek (https://app.transifex.com/calamares/teams/20061/uz/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/vi/LC_MESSAGES/python.po b/lang/python/vi/LC_MESSAGES/python.po index 8b07302569..5144dab359 100644 --- a/lang/python/vi/LC_MESSAGES/python.po +++ b/lang/python/vi/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: th1nhhdk , 2021\n" "Language-Team: Vietnamese (https://app.transifex.com/calamares/teams/20061/vi/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "Đang cài đặt bộ khởi động." -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "Lỗi cài đặt trình khởi động(bootloader)" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -74,12 +74,12 @@ msgstr "Không thể ghi vào tập tin cấu hình SLIM" msgid "SLIM config file {!s} does not exist" msgstr "Tập tin cấu hình SLIM {!s} không tồn tại" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" "Không có trình quản lý hiển thị nào được chọn cho mô-đun quản lý hiển thị" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." @@ -87,7 +87,7 @@ msgstr "" "Danh sách quản lý hiện thị trống hoặc không được định nghĩa cả trong " "globalstorage và displaymanager.conf." -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "Cầu hình quản lý hiện thị không hoàn tất" @@ -108,8 +108,8 @@ msgstr "" msgid "Dummy python job." msgstr "Ví dụ công việc python." -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "Ví dụ python bước {}" @@ -143,7 +143,7 @@ msgstr "Không có điểm kết nối gốc cho
{!s}
để dùng." msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "Cấu hình GRUB" diff --git a/lang/python/zh/LC_MESSAGES/python.po b/lang/python/zh/LC_MESSAGES/python.po index 40027f5335..ff1b52a12f 100644 --- a/lang/python/zh/LC_MESSAGES/python.po +++ b/lang/python/zh/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Chinese (https://app.transifex.com/calamares/teams/20061/zh/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/zh_CN/LC_MESSAGES/python.po b/lang/python/zh_CN/LC_MESSAGES/python.po index 08701f1e9d..90e585d187 100644 --- a/lang/python/zh_CN/LC_MESSAGES/python.po +++ b/lang/python/zh_CN/LC_MESSAGES/python.po @@ -6,20 +6,20 @@ # Translators: # Mingcong Bai , 2017 # plantman , 2017 -# Feng Chao , 2020 # Bobby Rong , 2020 # Giovanni Schiano-Moriello, 2022 # 玉堂白鹤 , 2022 # OkayPJ <1535253694@qq.com>, 2023 +# Feng Chao , 2024 # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: OkayPJ <1535253694@qq.com>, 2023\n" +"Last-Translator: Feng Chao , 2024\n" "Language-Team: Chinese (China) (https://app.transifex.com/calamares/teams/20061/zh_CN/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -31,15 +31,15 @@ msgstr "" msgid "Install bootloader." msgstr "安装启动加载器。" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "无法安装 grub,全局存储中未定义分区" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "启动加载器安装出错" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -77,17 +77,17 @@ msgstr "无法写入 SLIM 配置文件" msgid "SLIM config file {!s} does not exist" msgstr "SLIM 配置文件 {!s} 不存在" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "显示管理器模块中未选择显示管理器。" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "globalstorage 和 displaymanager.conf 配置文件中都没有配置显示管理器。" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "显示管理器配置不完全" @@ -102,14 +102,14 @@ msgstr "" #: src/modules/dracut/main.py:64 #, python-brace-format msgid "Dracut failed to run on the target with return code: {return_code}" -msgstr "" +msgstr "Dracut 运行失败,返回值:{return_code}" #: src/modules/dummypython/main.py:35 msgid "Dummy python job." msgstr "占位 Python 任务。" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "占位 Python 步骤 {}" @@ -143,7 +143,7 @@ msgstr " 未设置
{!s}
要使用的根挂载点。" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "无
{!s}
配置可供
{!s}
使用。" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "配置 GRUB." diff --git a/lang/python/zh_HK/LC_MESSAGES/python.po b/lang/python/zh_HK/LC_MESSAGES/python.po index db1dc0cc13..fd3d20f1d6 100644 --- a/lang/python/zh_HK/LC_MESSAGES/python.po +++ b/lang/python/zh_HK/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Chinese (Hong Kong) (https://app.transifex.com/calamares/teams/20061/zh_HK/)\n" "MIME-Version: 1.0\n" @@ -21,15 +21,15 @@ msgstr "" msgid "Install bootloader." msgstr "" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -67,17 +67,17 @@ msgstr "" msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "" @@ -98,8 +98,8 @@ msgstr "" msgid "Dummy python job." msgstr "" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "" @@ -133,7 +133,7 @@ msgstr "" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "" diff --git a/lang/python/zh_TW/LC_MESSAGES/python.po b/lang/python/zh_TW/LC_MESSAGES/python.po index 49fccc2451..5af7bf7d87 100644 --- a/lang/python/zh_TW/LC_MESSAGES/python.po +++ b/lang/python/zh_TW/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-11-13 20:13+0100\n" +"POT-Creation-Date: 2024-01-14 21:40+0100\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: 黃柏諺 , 2023\n" "Language-Team: Chinese (Taiwan) (https://app.transifex.com/calamares/teams/20061/zh_TW/)\n" @@ -26,15 +26,15 @@ msgstr "" msgid "Install bootloader." msgstr "安裝開機載入程式。" -#: src/modules/bootloader/main.py:644 +#: src/modules/bootloader/main.py:666 msgid "Failed to install grub, no partitions defined in global storage" msgstr "安裝 grub 失敗,全域儲存空間中未定義分割區" -#: src/modules/bootloader/main.py:899 +#: src/modules/bootloader/main.py:926 msgid "Bootloader installation error" msgstr "開機載入程式安裝錯誤" -#: src/modules/bootloader/main.py:900 +#: src/modules/bootloader/main.py:927 msgid "" "The bootloader could not be installed. The installation command " "
{!s}
returned error code {!s}." @@ -72,17 +72,17 @@ msgstr "無法寫入 SLIM 設定檔" msgid "SLIM config file {!s} does not exist" msgstr "SLIM 設定檔 {!s} 不存在" -#: src/modules/displaymanager/main.py:935 +#: src/modules/displaymanager/main.py:938 msgid "No display managers selected for the displaymanager module." msgstr "未在顯示管理器模組中選取顯示管理器。" -#: src/modules/displaymanager/main.py:936 +#: src/modules/displaymanager/main.py:939 msgid "" "The displaymanagers list is empty or undefined in both globalstorage and " "displaymanager.conf." msgstr "顯示管理器清單為空或在 globalstorage 與 displaymanager.conf 中皆未定義。" -#: src/modules/displaymanager/main.py:1023 +#: src/modules/displaymanager/main.py:1026 msgid "Display manager configuration was incomplete" msgstr "顯示管理器設定不完整" @@ -103,8 +103,8 @@ msgstr "Dracut 無法在目標上執行,回傳代碼:{return_code}" msgid "Dummy python job." msgstr "假的 python 工作。" -#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:91 -#: src/modules/dummypython/main.py:92 +#: src/modules/dummypython/main.py:37 src/modules/dummypython/main.py:104 +#: src/modules/dummypython/main.py:105 msgid "Dummy python step {}" msgstr "假的 python step {}" @@ -138,7 +138,7 @@ msgstr "沒有給定的根掛載點
{!s}
以供使用。" msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "無
{!s}
設定可供
{!s}
使用。" -#: src/modules/grubcfg/main.py:29 +#: src/modules/grubcfg/main.py:30 msgid "Configure GRUB." msgstr "設定 GRUB。" From 46eaf6f450565fa96ae422d668c897b5a6311358 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sun, 4 Feb 2024 23:01:38 +0100 Subject: [PATCH 010/123] CI: warn earlier about weird lupdate strings --- ci/txpush.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ci/txpush.sh b/ci/txpush.sh index 001c8984c2..56e7e72123 100755 --- a/ci/txpush.sh +++ b/ci/txpush.sh @@ -105,7 +105,7 @@ fi # those are done separately. _srcdirs="src/calamares src/libcalamares src/libcalamaresui src/modules src/qml" $LUPDATE -no-obsolete $_srcdirs -ts lang/calamares_en.ts -grep '{1?}' lang/calamares_en.ts && { echo "lupdate has introduced weird markers." ; exit 1 ; } +grep '{1' lang/calamares_en.ts && { echo "lupdate has introduced weird markers." ; exit 1 ; } # Non-Transifex special-cases # # - timezone names can be translated, but that's 700+ strings I don't want From 546bedef11cd57e5b87f72e482bbca238a0ee11d Mon Sep 17 00:00:00 2001 From: Aaron Rainbolt Date: Mon, 5 Feb 2024 17:47:24 -0600 Subject: [PATCH 011/123] [partition] Allow specifying unencrypted partitions when encryption is used --- src/modules/partition/core/PartitionLayout.cpp | 9 ++++++--- src/modules/partition/core/PartitionLayout.h | 2 ++ src/modules/partition/partition.conf | 3 +++ 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/src/modules/partition/core/PartitionLayout.cpp b/src/modules/partition/core/PartitionLayout.cpp index 4575a68afc..dc5ff07a22 100644 --- a/src/modules/partition/core/PartitionLayout.cpp +++ b/src/modules/partition/core/PartitionLayout.cpp @@ -61,6 +61,7 @@ PartitionLayout::PartitionEntry::PartitionEntry( const QString& label, quint64 attributes, const QString& mountPoint, const QString& fs, + const bool& noEncrypt, const QVariantMap& features, const QString& size, const QString& minSize, @@ -76,6 +77,7 @@ PartitionLayout::PartitionEntry::PartitionEntry( const QString& label, , partMaxSize( maxSize ) { PartUtils::canonicalFilesystemName( fs, &partFileSystem ); + partNoEncrypt = noEncrypt; } bool @@ -116,6 +118,7 @@ PartitionLayout::init( FileSystem::Type defaultFsType, const QVariantList& confi Calamares::getUnsignedInteger( pentry, "attributes", 0 ), Calamares::getString( pentry, "mountPoint" ), Calamares::getString( pentry, "filesystem", "unformatted" ), + Calamares::getBool( pentry, "noEncrypt", false ), Calamares::getSubMap( pentry, "features", ok ), Calamares::getString( pentry, "size", QStringLiteral( "0" ) ), Calamares::getString( pentry, "minSize", QStringLiteral( "0" ) ), @@ -295,8 +298,8 @@ PartitionLayout::createPartitions( Device* dev, Partition* part = nullptr; - // Encryption for zfs is handled in the zfs module - if ( luksPassphrase.isEmpty() || correctFS( entry.partFileSystem ) == FileSystem::Zfs ) + // Encryption for zfs is handled in the zfs module, skip encryption on noEncrypt partitions + if ( luksPassphrase.isEmpty() || correctFS( entry.partFileSystem ) == FileSystem::Zfs || entry.partNoEncrypt ) { part = KPMHelpers::createNewPartition( parent, *dev, @@ -329,7 +332,7 @@ PartitionLayout::createPartitions( Device* dev, QVariantMap zfsInfo; // Save the information subsequent modules will need - zfsInfo[ "encrypted" ] = !luksPassphrase.isEmpty(); + zfsInfo[ "encrypted" ] = !luksPassphrase.isEmpty() && !entry.partNoEncrypt; zfsInfo[ "passphrase" ] = luksPassphrase; zfsInfo[ "mountpoint" ] = entry.partMountPoint; diff --git a/src/modules/partition/core/PartitionLayout.h b/src/modules/partition/core/PartitionLayout.h index bc1c144feb..8c29a51864 100644 --- a/src/modules/partition/core/PartitionLayout.h +++ b/src/modules/partition/core/PartitionLayout.h @@ -37,6 +37,7 @@ class PartitionLayout quint64 partAttributes = 0; QString partMountPoint; FileSystem::Type partFileSystem = FileSystem::Unknown; + bool partNoEncrypt; QVariantMap partFeatures; Calamares::Partition::PartitionSize partSize; Calamares::Partition::PartitionSize partMinSize; @@ -61,6 +62,7 @@ class PartitionLayout quint64 attributes, const QString& mountPoint, const QString& fs, + const bool& noEncrypt, const QVariantMap& features, const QString& size, const QString& minSize = QString(), diff --git a/src/modules/partition/partition.conf b/src/modules/partition/partition.conf index ca94ef3871..0f23323f84 100644 --- a/src/modules/partition/partition.conf +++ b/src/modules/partition/partition.conf @@ -258,6 +258,7 @@ defaultFileSystemType: "ext4" # - name: "rootfs" # type: "4f68bce3-e8cd-4db1-96e7-fbcaf984b709" # filesystem: "ext4" +# noEncrypt: false # mountPoint: "/" # size: 20% # minSize: 500M @@ -266,6 +267,7 @@ defaultFileSystemType: "ext4" # - name: "home" # type: "933ac7e1-2eb4-4f13-b844-0e14e2aef915" # filesystem: "ext4" +# noEncrypt: false # mountPoint: "/home" # size: 3G # minSize: 1.5G @@ -293,6 +295,7 @@ defaultFileSystemType: "ext4" # - if "unknown" (or an unknown FS name, like "elephant") then the # default filesystem type, or the user's choice, will be applied instead # of "unknown" (e.g. the user might pick ext4, or xfs). +# - noEncrypt: whether this partition is exempt from encryption if enabled (optional parameter; default is false) # - mountPoint: partition mount point (optional parameter; not mounted if unset) # - size: partition size in bytes (append 'K', 'M' or 'G' for KiB, MiB or GiB) # or From b95392a59e8fc5ddfc53acc51e0f6e91d0c82fd4 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Tue, 6 Feb 2024 16:52:40 +0100 Subject: [PATCH 012/123] i18n: [calamares] Automatic merge of Transifex translations --- lang/calamares_ar.ts | 789 +++++++------ lang/calamares_as.ts | 839 ++++++------- lang/calamares_ast.ts | 827 ++++++------- lang/calamares_az.ts | 897 +++++++------- lang/calamares_az_AZ.ts | 893 +++++++------- lang/calamares_be.ts | 895 +++++++------- lang/calamares_bg.ts | 897 +++++++------- lang/calamares_bn.ts | 783 ++++++------ lang/calamares_bqi.ts | 759 ++++++------ lang/calamares_ca.ts | 917 +++++++------- lang/calamares_ca@valencia.ts | 843 ++++++------- lang/calamares_cs_CZ.ts | 895 +++++++------- lang/calamares_da.ts | 847 ++++++------- lang/calamares_de.ts | 1189 +++++++++---------- lang/calamares_el.ts | 787 ++++++------ lang/calamares_en.ts | 2103 ++++++++++++++++----------------- lang/calamares_en_GB.ts | 805 ++++++------- lang/calamares_eo.ts | 795 ++++++------- lang/calamares_es.ts | 895 +++++++------- lang/calamares_es_AR.ts | 1083 ++++++++--------- lang/calamares_es_MX.ts | 817 ++++++------- lang/calamares_es_PR.ts | 769 ++++++------ lang/calamares_et.ts | 809 ++++++------- lang/calamares_eu.ts | 797 ++++++------- lang/calamares_fa.ts | 897 +++++++------- lang/calamares_fi_FI.ts | 1047 ++++++++-------- lang/calamares_fr.ts | 899 +++++++------- lang/calamares_fur.ts | 891 +++++++------- lang/calamares_gl.ts | 805 ++++++------- lang/calamares_gu.ts | 759 ++++++------ lang/calamares_he.ts | 951 +++++++-------- lang/calamares_hi.ts | 897 +++++++------- lang/calamares_hr.ts | 919 +++++++------- lang/calamares_hu.ts | 917 +++++++------- lang/calamares_id.ts | 833 ++++++------- lang/calamares_ie.ts | 805 ++++++------- lang/calamares_is.ts | 897 +++++++------- lang/calamares_it_IT.ts | 891 +++++++------- lang/calamares_ja-Hira.ts | 755 ++++++------ lang/calamares_ja.ts | 917 +++++++------- lang/calamares_ka.ts | 829 ++++++------- lang/calamares_kk.ts | 759 ++++++------ lang/calamares_kn.ts | 775 ++++++------ lang/calamares_ko.ts | 889 +++++++------- lang/calamares_lo.ts | 755 ++++++------ lang/calamares_lt.ts | 917 +++++++------- lang/calamares_lv.ts | 775 ++++++------ lang/calamares_mk.ts | 759 ++++++------ lang/calamares_ml.ts | 839 ++++++------- lang/calamares_mr.ts | 781 ++++++------ lang/calamares_nb.ts | 773 ++++++------ lang/calamares_ne_NP.ts | 761 ++++++------ lang/calamares_nl.ts | 863 +++++++------- lang/calamares_oc.ts | 859 +++++++------- lang/calamares_pl.ts | 889 +++++++------- lang/calamares_pt_BR.ts | 889 +++++++------- lang/calamares_pt_PT.ts | 893 +++++++------- lang/calamares_ro.ts | 843 ++++++------- lang/calamares_ro_RO.ts | 763 ++++++------ lang/calamares_ru.ts | 887 +++++++------- lang/calamares_si.ts | 897 +++++++------- lang/calamares_sk.ts | 885 +++++++------- lang/calamares_sl.ts | 779 ++++++------ lang/calamares_sq.ts | 921 ++++++++------- lang/calamares_sr.ts | 787 ++++++------ lang/calamares_sr@latin.ts | 779 ++++++------ lang/calamares_sv.ts | 921 ++++++++------- lang/calamares_ta_IN.ts | 759 ++++++------ lang/calamares_te.ts | 759 ++++++------ lang/calamares_tg.ts | 849 ++++++------- lang/calamares_th.ts | 813 ++++++------- lang/calamares_tr_TR.ts | 955 +++++++-------- lang/calamares_uk.ts | 921 ++++++++------- lang/calamares_ur.ts | 759 ++++++------ lang/calamares_uz.ts | 755 ++++++------ lang/calamares_vi.ts | 845 ++++++------- lang/calamares_zh.ts | 755 ++++++------ lang/calamares_zh_CN.ts | 893 +++++++------- lang/calamares_zh_HK.ts | 755 ++++++------ lang/calamares_zh_TW.ts | 921 ++++++++------- 80 files changed, 34625 insertions(+), 34591 deletions(-) diff --git a/lang/calamares_ar.ts b/lang/calamares_ar.ts index a219e0282c..72b516d191 100644 --- a/lang/calamares_ar.ts +++ b/lang/calamares_ar.ts @@ -126,30 +126,20 @@ الواجهة:
- - Reloads the stylesheet from the branding directory. - يعيد تحميل صفحة الطُرز من الدليل المميز. - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log - + + Reloads the stylesheet from the branding directory. + يعيد تحميل صفحة الطُرز من الدليل المميز. Reload Stylesheet إعادة تحميل ورقة الأنماط - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -399,6 +399,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -415,7 +434,7 @@ &اغلاق - + Setup Failed @title @@ -445,13 +464,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -469,129 +488,110 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version مثبّت %1 على وشك بإجراء تعديلات على قرصك لتثبيت %2.<br/><strong>لن تستطيع التّراجع عن هذا.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &ثبت - + Setup is complete. Close the setup program. @tooltip اكتمل الإعداد. أغلق برنامج الإعداد. - + The installation is complete. Close the installer. @tooltip اكتمل التثبيت , اغلق المثبِت - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &التالي - + &Back @button &رجوع - + &Done @button - + &Cancel @button &إلغاء - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. هل تريد حقًا إلغاء عملية الإعداد الحالية؟ سيتم إنهاء برنامج الإعداد وسيتم فقد جميع التغييرات. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. أتريد إلغاء عمليّة التّثبيت الحاليّة؟ @@ -601,25 +601,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error نوع الاستثناء غير معروف - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -676,16 +676,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>تقسيم يدويّ</strong><br/>يمكنك إنشاء أو تغيير حجم الأقسام بنفسك. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>اختر قسمًا لتقليصه، ثمّ اسحب الشّريط السّفليّ لتغيير حجمه </strong> - Select storage de&vice: @@ -713,6 +703,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>اختر قسمًا لتقليصه، ثمّ اسحب الشّريط السّفليّ لتغيير حجمه </strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -834,6 +829,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>تقسيم يدويّ</strong><br/>يمكنك إنشاء أو تغيير حجم الأقسام بنفسك. + Bootloader location: @@ -844,44 +844,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -917,128 +917,111 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) - + + Installation Failed + @title + فشل التثبيت - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - لا يستوفِ هذا الحاسوب بعض المتطلّبات المستحسنة لتثبيت %1.<br/>يمكن للمثبّت المتابعة، ولكن قد تكون بعض الميزات معطّلة. - - - - This program will ask you some questions and set up %2 on your computer. - سيطرح البرنامج بعض الأسئلة عليك ويعدّ %2 على حاسوبك. - - - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to %1 setup</h1> - + + Set timezone to %1/%2 + @action + اضبط المنطقة الزّمنيّة إلى %1/%2 - - <h1>Welcome to the Calamares installer for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to the %1 installer</h1> + + The numbers and dates locale will be set to %1. + @info - - Your username is too long. - اسم المستخدم طويل جدًّا. - - - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Received invalid groups data) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - اسم المضيف قصير جدًّا. - - - - Your hostname is too long. - اسم المضيف طويل جدًّا. - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - لا يوجد تطابق في كلمات السر! - - - - OK! + + Package selection @@ -1083,81 +1066,98 @@ The installer will quit and all changes will be lost. هذه نظرة عامّة عمّا سيحصل ما إن تبدأ عمليّة التّثبيت. - - Setup Failed - @title + + Your username is too long. + اسم المستخدم طويل جدًّا. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - فشل التثبيت + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + اسم المضيف قصير جدًّا. + + + + Your hostname is too long. + اسم المضيف طويل جدًّا. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title + + Your passwords do not match! + لا يوجد تطابق في كلمات السر! + + + + OK! - - The setup of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The installation of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + لا يستوفِ هذا الحاسوب بعض المتطلّبات المستحسنة لتثبيت %1.<br/>يمكن للمثبّت المتابعة، ولكن قد تكون بعض الميزات معطّلة. + + + + This program will ask you some questions and set up %2 on your computer. + سيطرح البرنامج بعض الأسئلة عليك ويعدّ %2 على حاسوبك. + + + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action - اضبط المنطقة الزّمنيّة إلى %1/%2 + + <h1>Welcome to %1 setup</h1> + - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1483,9 +1483,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - للجهاز جدول تقسيم <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>هذا هو نوع جدول التّقسيم المستحسن للأنظمة الحديثة والتي تبدأ ببيئة إقلاع <strong>EFI</strong>. @@ -1498,14 +1503,9 @@ The installer will quit and all changes will be lost. <strong>تعذّر اكتشاف جدول تقسيم</strong> على جهاز التّخزين المحدّد.<br><br>إمّا أن لا جدول تقسيم في الجهاز، أو أنه معطوب أو نوعه مجهول.<br>يمكن لهذا المثبّت إنشاء جدول تقسيم جديد، آليًّا أ, عبر صفحة التّقسيم اليدويّ. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>هذا هو نوع جدول التّقسيم المستحسن للأنظمة الحديثة والتي تبدأ ببيئة إقلاع <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + للجهاز جدول تقسيم <strong>%1</strong>. @@ -2281,7 +2281,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2451,6 +2451,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2499,11 +2504,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2676,19 +2676,9 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2699,38 +2689,13 @@ The installer will quit and all changes will be lost. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters @@ -2740,9 +2705,14 @@ The installer will quit and all changes will be lost. + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters @@ -2752,6 +2722,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2764,6 +2739,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2776,6 +2756,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2793,6 +2778,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2805,6 +2795,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2817,6 +2812,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3244,6 +3244,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + الأقسام + Unsafe partition actions are enabled. @@ -3260,33 +3272,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + الحاليّ: - - No EFI system partition configured - لم يُضبط أيّ قسم نظام EFI + + After: + @label + بعد: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3299,6 +3303,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3306,37 +3315,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - الأقسام - - - - Current: - @label - الحاليّ: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - بعد: + + No EFI system partition configured + لم يُضبط أيّ قسم نظام EFI - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3434,65 +3434,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. معاملات نداء المهمة سيّئة. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3504,6 +3504,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + مجهول + + + + extended + @partition info + ممتدّ + + + + unformatted + @partition info + غير مهيّأ + + + + swap + @partition info + + @@ -3535,30 +3559,6 @@ Output: (no mount point) - - - unknown - @partition info - مجهول - - - - extended - @partition info - ممتدّ - - - - unformatted - @partition info - غير مهيّأ - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3992,17 +3992,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - تعذّر ضبط كلمة مرور للمستخدم %1. - usermod terminated with error code %1. أُنهي usermod برمز الخطأ %1. + + + Cannot set password for user %1. + تعذّر ضبط كلمة مرور للمستخدم %1. + SetTimezoneJob @@ -4095,7 +4095,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4882,11 +4883,21 @@ Output: What is your name? ما اسمك؟ + + + Your full name + + What name do you want to use to log in? ما الاسم الذي تريده لتلج به؟ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4907,11 +4918,21 @@ Output: What is the name of this computer? ما اسم هذا الحاسوب؟ + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4928,78 +4949,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + استخدم نفس كلمة المرور لحساب المدير. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - استخدم نفس كلمة المرور لحساب المدير. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -5015,11 +5016,21 @@ Output: What is your name? ما اسمك؟ + + + Your full name + + What name do you want to use to log in? ما الاسم الذي تريده لتلج به؟ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5040,16 +5051,6 @@ Output: What is the name of this computer? ما اسم هذا الحاسوب؟ - - - Your full name - - - - - Login name - - Computer name @@ -5085,16 +5086,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5115,6 +5106,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_as.ts b/lang/calamares_as.ts index ef0ac5a59d..a7c4287bbf 100644 --- a/lang/calamares_as.ts +++ b/lang/calamares_as.ts @@ -126,18 +126,13 @@ ইন্টাৰফেচ: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet স্টাইলছীট পুনৰ লোড্ কৰক - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree ৱিজেত্ ত্ৰি + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n second(s)) + (%n ছেকেণ্ড) @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + আপলোড বিফল হৈছিল। কোনো ৱেব-পেস্ট কৰা হোৱা নাছিল। + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + ইনস্তল​ ল'গ পেস্ট URL + &Yes @@ -407,7 +426,7 @@ বন্ধ (&C) - + Setup Failed @title চেত্ আপ বিফল হ'ল @@ -437,13 +456,13 @@ %1 ইনস্তল কৰিব পৰা নগ'ল। কেলামাৰেচে সকলোবোৰ সংৰূপ দিয়া মডিউল লোড্ কৰাত সফল নহ'ল। এইটো এটা আপোনাৰ ডিষ্ট্ৰিবিউচনে কি ধৰণে কেলামাৰেচ ব্যৱহাৰ কৰিছে, সেই সম্বন্ধীয় সমস্যা। - + <br/>The following modules could not be loaded: @info <br/>নিম্নোক্ত মডিউলবোৰ লোড্ কৰিৱ পৰা নগ'ল: - + Continue with Setup? @title @@ -461,129 +480,110 @@ %1 চেত্ আপ প্ৰগ্ৰেমটোৱে %2 চেত্ আপ কৰিবলৈ আপোনাৰ ডিস্কত সালসলনি কৰিব।<br/><strong>আপুনি এইবোৰ পিছত পূৰ্বলৈ সলনি কৰিব নোৱাৰিব।</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 ইনস্তলাৰটোৱে %2 ইনস্তল কৰিবলৈ আপোনাৰ ডিস্কত সালসলনি কৰিব।<br/><strong>আপুনি এইবোৰ পিছত পূৰ্বলৈ সলনি কৰিব নোৱাৰিব।</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button ইনস্তল (&I) - + Setup is complete. Close the setup program. @tooltip চেত্ আপ সম্পূৰ্ণ হ'ল। প্ৰোগ্ৰেম বন্ধ কৰক। - + The installation is complete. Close the installer. @tooltip ইনস্তলেচন সম্পূৰ্ণ হ'ল। ইন্স্তলাৰ বন্ধ কৰক। - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button পৰবর্তী (&N) - + &Back @button পাছলৈ (&B) - + &Done @button হৈ গ'ল (&D) - + &Cancel @button বাতিল কৰক (&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - ইনস্তল​ ল'গ পেস্ট URL - - - - The upload was unsuccessful. No web-paste was done. - আপলোড বিফল হৈছিল। কোনো ৱেব-পেস্ট কৰা হোৱা নাছিল। - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. সচাকৈয়ে চলিত চেত্ আপ প্ৰক্ৰিয়া বাতিল কৰিব বিচাৰে নেকি? চেত্ আপ প্ৰোগ্ৰেম বন্ধ হ'ব আৰু গোটেই সলনিবোৰ নোহোৱা হৈ যাব। - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. সচাকৈয়ে চলিত ইনস্তল প্ৰক্ৰিয়া বাতিল কৰিব বিচাৰে নেকি? @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error অপৰিচিত প্ৰকাৰৰ ব্যতিক্রম - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>মেনুৱেল বিভাজন</strong><br/>আপুনি নিজে বিভাজন বনাব বা বিভজনৰ আয়তন সলনি কৰিব পাৰে। - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>আয়তন সলনি কৰিবলৈ বিভাজন বাচনি কৰক, তাৰ পিছত তলৰ "বাৰ্" ডালৰ সহায়ত আয়তন চেত্ কৰক</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>আয়তন সলনি কৰিবলৈ বিভাজন বাচনি কৰক, তাৰ পিছত তলৰ "বাৰ্" ডালৰ সহায়ত আয়তন চেত্ কৰক</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label ফাইললৈ স্ৱোআপ কৰক। + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>মেনুৱেল বিভাজন</strong><br/>আপুনি নিজে বিভাজন বনাব বা বিভজনৰ আয়তন সলনি কৰিব পাৰে। + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title %1ত বিভাজন কৰ্য্যৰ বাবে মাউণ্ট্ আতৰাওক - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1ৰ গোটেই মাউন্ত আতৰোৱা হ'ল @@ -909,129 +909,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - নেটৱৰ্ক ইনস্তলেচন। (নিস্ক্ৰিয়: ভুল কনফিগাৰেচন) - - - - Network Installation. (Disabled: Received invalid groups data) - নেটৱৰ্ক্ ইনস্তলেচন। (নিস্ক্ৰিয়: অকার্যকৰ গোটৰ তথ্য পোৱা গ'ল) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - পেকেজ বাচনি + + Setup Failed + @title + চেত্ আপ বিফল হ'ল - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - নেটৱৰ্ক্ ইনস্তলেচন। (নিস্ক্ৰিয়: পেকেজ সুচী বিচাৰি পোৱা নগ'ল, আপোনাৰ নেটৱৰ্ক্ সংযোগ পৰীক্ষা কৰক) + + Installation Failed + @title + ইনস্তলেচন বিফল হ'ল - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - %1 চেত্ আপৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - %1 ইনস্তলচেন​ৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। ইনস্তলচেন​ অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - - - - This program will ask you some questions and set up %2 on your computer. - এইটো প্ৰগ্ৰেমে অপোনাক কিছুমান প্ৰশ্ন সুধিব আৰু অপোনাৰ কম্পিউটাৰত %2 স্থাপন কৰিব। + + Setup Complete + @title + চেত্ আপ সম্পুৰ্ণ হৈছে - - <h1>Welcome to the Calamares setup program for %1</h1> - %1ৰ Calamares চেত্ আপ প্ৰগ্ৰামলৈ আদৰণি জনাইছো। + + Installation Complete + @title + ইনস্তলচেন সম্পুৰ্ণ হ'ল - - <h1>Welcome to %1 setup</h1> - <h1> %1 চেত্ আপলৈ আদৰণি জনাইছো।</h1> + + The setup of %1 is complete. + @info + %1ৰ চেত্ আপ সম্পুৰ্ণ হৈছে। - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1ৰ কেলামাৰেচ ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> + + The installation of %1 is complete. + @info + %1ৰ ইনস্তলচেন সম্পুৰ্ণ হ'ল। - - <h1>Welcome to the %1 installer</h1> - <h1>%1 ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - আপোনাৰ ইউজাৰ নাম বহুত দীঘল। + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1'ক ব্যৱহাৰকাৰীৰ নাম হিচাপে ব্যৱহাৰ কৰা অবধ্য | + + Set timezone to %1/%2 + @action + %1/%2 টাইমজ'ন চেত্ কৰক - - Your username must start with a lowercase letter or underscore. - আপোনাৰ ব্যৱহাৰকাৰী নাম lowercase বৰ্ণ বা underscoreৰে আৰম্ভ হ'ব লাগিব। + + The system language will be set to %1. + @info + চিছটেমৰ ভাষা %1লৈ সলনি কৰা হ'ব। - - Only lowercase letters, numbers, underscore and hyphen are allowed. - কেৱল lowercase বৰ্ণ, সংখ্যা, underscore আৰু hyphenৰ হে মাত্ৰ অনুমতি আছে। + + The numbers and dates locale will be set to %1. + @info + সংখ্যা আৰু তাৰিখ স্থানীয় %1লৈ সলনি কৰা হ'ব। - - Your hostname is too short. - আপোনাৰ হ'স্ট্ নাম বহুত ছুটি। + + Network Installation. (Disabled: Incorrect configuration) + নেটৱৰ্ক ইনস্তলেচন। (নিস্ক্ৰিয়: ভুল কনফিগাৰেচন) - - Your hostname is too long. - আপোনাৰ হ'স্ট্ নাম বহুত দীঘল। + + Network Installation. (Disabled: Received invalid groups data) + নেটৱৰ্ক্ ইনস্তলেচন। (নিস্ক্ৰিয়: অকার্যকৰ গোটৰ তথ্য পোৱা গ'ল) - - '%1' is not allowed as hostname. - '%1'ক আয়োজকৰ নাম হিচাপে ব্যৱহাৰ কৰা অবধ্য | + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - কেৱল বৰ্ণ, সংখ্যা, underscore আৰু hyphenৰ হে মাত্ৰ অনুমতি আছে। + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + নেটৱৰ্ক্ ইনস্তলেচন। (নিস্ক্ৰিয়: পেকেজ সুচী বিচাৰি পোৱা নগ'ল, আপোনাৰ নেটৱৰ্ক্ সংযোগ পৰীক্ষা কৰক) - - Your passwords do not match! - আপোনাৰ পাছৱৰ্ডকেইটাৰ মিল নাই! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + পেকেজ বাচনি @@ -1075,82 +1058,99 @@ The installer will quit and all changes will be lost. ইনস্তল প্ৰক্ৰিয়া হ'লে কি হ'ব এয়া এটা অৱলোকন। - - Setup Failed - @title - চেত্ আপ বিফল হ'ল + + Your username is too long. + আপোনাৰ ইউজাৰ নাম বহুত দীঘল। - - Installation Failed - @title - ইনস্তলেচন বিফল হ'ল + + Your username must start with a lowercase letter or underscore. + আপোনাৰ ব্যৱহাৰকাৰী নাম lowercase বৰ্ণ বা underscoreৰে আৰম্ভ হ'ব লাগিব। - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + কেৱল lowercase বৰ্ণ, সংখ্যা, underscore আৰু hyphenৰ হে মাত্ৰ অনুমতি আছে। - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + '%1'ক ব্যৱহাৰকাৰীৰ নাম হিচাপে ব্যৱহাৰ কৰা অবধ্য | - - Setup Complete - @title - চেত্ আপ সম্পুৰ্ণ হৈছে + + Your hostname is too short. + আপোনাৰ হ'স্ট্ নাম বহুত ছুটি। - - Installation Complete - @title - ইনস্তলচেন সম্পুৰ্ণ হ'ল + + Your hostname is too long. + আপোনাৰ হ'স্ট্ নাম বহুত দীঘল। - - The setup of %1 is complete. - @info - %1ৰ চেত্ আপ সম্পুৰ্ণ হৈছে। + + '%1' is not allowed as hostname. + '%1'ক আয়োজকৰ নাম হিচাপে ব্যৱহাৰ কৰা অবধ্য | - - The installation of %1 is complete. - @info - %1ৰ ইনস্তলচেন সম্পুৰ্ণ হ'ল। + + Only letters, numbers, underscore and hyphen are allowed. + কেৱল বৰ্ণ, সংখ্যা, underscore আৰু hyphenৰ হে মাত্ৰ অনুমতি আছে। - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + আপোনাৰ পাছৱৰ্ডকেইটাৰ মিল নাই! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - %1/%2 টাইমজ'ন চেত্ কৰক + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info - চিছটেমৰ ভাষা %1লৈ সলনি কৰা হ'ব। + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + %1 চেত্ আপৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - - The numbers and dates locale will be set to %1. - @info - সংখ্যা আৰু তাৰিখ স্থানীয় %1লৈ সলনি কৰা হ'ব। + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + %1 ইনস্তলচেন​ৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। ইনস্তলচেন​ অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। + + + + This program will ask you some questions and set up %2 on your computer. + এইটো প্ৰগ্ৰেমে অপোনাক কিছুমান প্ৰশ্ন সুধিব আৰু অপোনাৰ কম্পিউটাৰত %2 স্থাপন কৰিব। + + + + <h1>Welcome to the Calamares setup program for %1</h1> + %1ৰ Calamares চেত্ আপ প্ৰগ্ৰামলৈ আদৰণি জনাইছো। + + + + <h1>Welcome to %1 setup</h1> + <h1> %1 চেত্ আপলৈ আদৰণি জনাইছো।</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1ৰ কেলামাৰেচ ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>%1 ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> @@ -1475,9 +1475,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - এইটো ডিভাইচত এখন <strong>%1</strong> বিভাজন তালিকা আছে। + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>এইটো বিভাজন তালিকা কেৱল <strong>BIOS</strong> বুট পৰিৱেশৰ পৰা আৰম্ভ হোৱা পুৰণি চিছটেমৰ বাবে গ্ৰহণ কৰা হয়। বাকী সকলোবোৰৰ বাবে GPT উপযুক্ত।<br><br><strong>সতৰ্কবাণী:</strong> MBR বিভাজন তালিকা পুৰণি MS-DOS ৰ যুগৰ পদ্ধতি। <br>ইয়াত কেৱল 4 <em>মূখ্য</em> বিভাজন বনাব পাৰি, ইয়াৰ পৰা এটা <em>প্ৰসাৰণ</em> কৰিব পাৰি আৰু ইযাৰ ভিতৰত <em>logical</em> বিভাজন ৰাখিব পাৰি। + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br><strong>EFI</strong> বুট পৰিবেশত আৰম্ভ হোৱা আধুনিক চিছটেমবোৰৰ কাৰণে এইটো পৰমৰ্শ কৰা বিভাজন তালিকা। @@ -1490,14 +1495,9 @@ The installer will quit and all changes will be lost. ইনস্তলাৰটোৱে বচনি কৰা ষ্টোৰেজ ডিভাইচত বিভাজন তালিকা বিচাৰি নাপলে। ডিভাইচটোত কোনো বিভাজন তালিকা নাই বা বিভাজন তালিকা বেয়া বা অগ্যাত প্ৰকাৰ। এই ইনস্তলাৰটোৱে আপোনাৰ বাবে নতুন বিভাজন তালিকা স্বত:ভাৱে বনাব পাৰে বা মেন্যুৱেল বিভাজন পেজৰ দ্বাৰা বনাব পাৰে। - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br><strong>EFI</strong> বুট পৰিবেশত আৰম্ভ হোৱা আধুনিক চিছটেমবোৰৰ কাৰণে এইটো পৰমৰ্শ কৰা বিভাজন তালিকা। - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>এইটো বিভাজন তালিকা কেৱল <strong>BIOS</strong> বুট পৰিৱেশৰ পৰা আৰম্ভ হোৱা পুৰণি চিছটেমৰ বাবে গ্ৰহণ কৰা হয়। বাকী সকলোবোৰৰ বাবে GPT উপযুক্ত।<br><br><strong>সতৰ্কবাণী:</strong> MBR বিভাজন তালিকা পুৰণি MS-DOS ৰ যুগৰ পদ্ধতি। <br>ইয়াত কেৱল 4 <em>মূখ্য</em> বিভাজন বনাব পাৰি, ইয়াৰ পৰা এটা <em>প্ৰসাৰণ</em> কৰিব পাৰি আৰু ইযাৰ ভিতৰত <em>logical</em> বিভাজন ৰাখিব পাৰি। + + This device has a <strong>%1</strong> partition table. + এইটো ডিভাইচত এখন <strong>%1</strong> বিভাজন তালিকা আছে। @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2447,6 +2447,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment দেস্কেতোপ + + + Applications + এপ্লীকেছ্নচ + Communication @@ -2495,11 +2500,6 @@ The installer will quit and all changes will be lost. label for netinstall module সঁজুলি - - - Applications - এপ্লীকেছ্নচ - NotesQmlViewStep @@ -2672,11 +2672,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form পাছৱৰ্ডটোত কিবা প্ৰকাৰে নিষিদ্ধ শব্দ আছে + + + The password contains fewer than %n digits + + + + + The password contains too few digits পাছৱৰ্ডটোত বহুত কম সংখ্যাক সংখ্যা আছে + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters পাছৱৰ্ডটোত বহুত কম সংখ্যাক কম lowercaseৰ বৰ্ণ আছে - - - The password contains too few non-alphanumeric characters - পাছৱৰ্ডটোত বহুত কম সংখ্যাক কম non-alphanumeric বৰ্ণ আছে - - - - The password is too short - পাছৱৰ্ডটো বহুত ছুটি - - - - The password does not contain enough character classes - পাছৱৰ্ডটোত থকা বৰ্ণ শ্ৰেণী যথেষ্ট নহয় - - - - The password contains too many same characters consecutively - পাছৱৰ্ডটোত একে বৰ্ণ উপর্যুপৰি বহুতবাৰ আছে - - - - The password contains too many characters of the same class consecutively - পাছৱৰ্ডটোত একে বৰ্ণ শ্ৰেণীৰ বৰ্ণ উপর্যুপৰি বহুতো আছে - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + পাছৱৰ্ডটোত বহুত কম সংখ্যাক কম non-alphanumeric বৰ্ণ আছে + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + পাছৱৰ্ডটো বহুত ছুটি + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + পাছৱৰ্ডটোত থকা বৰ্ণ শ্ৰেণী যথেষ্ট নহয় + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + পাছৱৰ্ডটোত একে বৰ্ণ উপর্যুপৰি বহুতবাৰ আছে + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + পাছৱৰ্ডটোত একে বৰ্ণ শ্ৰেণীৰ বৰ্ণ উপর্যুপৰি বহুতো আছে + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + বিভাজনসমুহ + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + বর্তমান: - - No EFI system partition configured - কোনো EFI চিছটেম বিভাজন কনফিগাৰ কৰা হোৱা নাই + + After: + @label + পিছত: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - বিভাজনসমুহ - - - - Current: - @label - বর্তমান: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - পিছত: + + No EFI system partition configured + কোনো EFI চিছটেম বিভাজন কনফিগাৰ কৰা হোৱা নাই - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,14 +3394,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. কমাণ্ডৰ পৰা কোনো আউটপুট পোৱা নগ'ল। - + Output: @@ -3410,52 +3410,52 @@ Output: - + External command crashed. বাহ্যিক কমাণ্ড ক্ৰেছ্ কৰিলে। - + Command <i>%1</i> crashed. <i>%1</i> কমাণ্ড ক্ৰেছ্ কৰিলে। - + External command failed to start. বাহ্যিক কমাণ্ড আৰম্ভ হোৱাত বিফল হ'ল। - + Command <i>%1</i> failed to start. <i>%1</i> কমাণ্ড আৰম্ভ হোৱাত বিফল হ'ল। - + Internal error when starting command. কমাণ্ড আৰম্ভ কৰাৰ সময়ত আভ্যন্তৰীণ ক্ৰুটি। - + Bad parameters for process job call. প্ৰক্ৰিয়া কাৰ্য্যৰ বাবে বেয়া মান। - + External command failed to finish. বাহ্যিক কমাণ্ড সমাপ্ত কৰাত বিফল হ'ল। - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> কমাণ্ড সমাপ্ত কৰাত %2 ছেকেণ্ডত বিফল হ'ল। - + External command finished with errors. বাহ্যিক কমাণ্ড ক্ৰটিৰ সৈতে সমাপ্ত হ'ল। - + Command <i>%1</i> finished with exit code %2. <i>%1</i> কমাণ্ড %2 এক্সিড্ কোডৰ সৈতে সমাপ্ত হ'ল। @@ -3467,6 +3467,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + অজ্ঞাত + + + + extended + @partition info + প্ৰসাৰিত + + + + unformatted + @partition info + ফৰ্মেট কৰা হোৱা নাই + + + + swap + @partition info + স্ৱেপ + @@ -3498,30 +3522,6 @@ Output: (no mount point) (কোনো মাউন্ট পইন্ট নাই) - - - unknown - @partition info - অজ্ঞাত - - - - extended - @partition info - প্ৰসাৰিত - - - - unformatted - @partition info - ফৰ্মেট কৰা হোৱা নাই - - - - swap - @partition info - স্ৱেপ - Unpartitioned space or unknown partition table @@ -3956,17 +3956,17 @@ Output: Cannot disable root account. ৰূট একাঊন্ট নিস্ক্ৰিয় কৰিব নোৱাৰি। - - - Cannot set password for user %1. - %1 ব্যৱহাৰকাৰীৰ পাছ্ৱৰ্ড চেত্ কৰিব নোৱাৰি। - usermod terminated with error code %1. %1 ক্ৰুটি চিহ্নৰ সৈতে ইউজাৰম'ড সমাপ্ত হ'ল। + + + Cannot set password for user %1. + %1 ব্যৱহাৰকাৰীৰ পাছ্ৱৰ্ড চেত্ কৰিব নোৱাৰি। + SetTimezoneJob @@ -4059,7 +4059,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4847,11 +4848,21 @@ Output: What is your name? আপোনাৰ নাম কি? + + + Your full name + + What name do you want to use to log in? লগইনত আপোনি কি নাম ব্যৱহাৰ কৰিব বিচাৰে? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4872,11 +4883,21 @@ Output: What is the name of this computer? এইটো কম্পিউটাৰৰ নাম কি? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4893,79 +4914,59 @@ Output: পাছৱৰ্ড - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password + + Repeat password - - Validate passwords quality + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - এই বাকচটো চিহ্নিত কৰিলে পাছ্ৱৰ্ডৰ প্ৰৱলতা কৰা হ'ব আৰু আপুনি দুৰ্বল পাছৱৰ্ড ব্যৱহাৰ কৰিব নোৱাৰিব। - - - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + প্ৰশাসনীয় একাউন্টৰ বাবে একে পাছৱৰ্ড্ ব্যৱহাৰ কৰক। - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - প্ৰশাসনীয় একাউন্টৰ বাবে একে পাছৱৰ্ড্ ব্যৱহাৰ কৰক। - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. - + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + এই বাকচটো চিহ্নিত কৰিলে পাছ্ৱৰ্ডৰ প্ৰৱলতা কৰা হ'ব আৰু আপুনি দুৰ্বল পাছৱৰ্ড ব্যৱহাৰ কৰিব নোৱাৰিব। @@ -4980,11 +4981,21 @@ Output: What is your name? আপোনাৰ নাম কি? + + + Your full name + + What name do you want to use to log in? লগইনত আপোনি কি নাম ব্যৱহাৰ কৰিব বিচাৰে? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5005,16 +5016,6 @@ Output: What is the name of this computer? এইটো কম্পিউটাৰৰ নাম কি? - - - Your full name - - - - - Login name - - Computer name @@ -5050,16 +5051,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5080,6 +5071,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ast.ts b/lang/calamares_ast.ts index 86dcb8a8ea..d11e99d9ad 100644 --- a/lang/calamares_ast.ts +++ b/lang/calamares_ast.ts @@ -126,18 +126,13 @@ Interfaz: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n segundu) + (%n segundos) @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Zarrar - + Setup Failed @title Falló la configuración @@ -437,13 +456,13 @@ %1 nun pue instalase. Calamares nun foi a cargar tolos módulos configuraos. Esto ye un problema col mou nel que la distribución usa Calamares. - + <br/>The following modules could not be loaded: @info <br/>Nun pudieron cargase los módulos de darréu: - + Continue with Setup? @title @@ -461,129 +480,110 @@ El programa d'instalación de %1 ta a piques de facer cambeos nel discu pa configurar %2.<br/><strong>Nun vas ser a desfacer estos cambeos.<strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version L'instalador de %1 ta a piques de facer cambeos nel discu pa instalar %2.<br/><strong>Nun vas ser a desfacer esos cambeos.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip Completóse la configuración. Zarra'l programa de configuración. - + The installation is complete. Close the installer. @tooltip Completóse la instalación. Zarra l'instalador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Siguiente - + &Back @button &Atrás - + &Done @button &Fecho - + &Cancel @button &Encaboxar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿De xuru que quies encaboxar el procesu actual de configuración? El programa de configuración va colar y van perdese tolos cambeos. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿De xuru que quies encaboxar el procesu actual d'instalación? @@ -593,25 +593,25 @@ L'instalador va colar y van perdese tolos cambeos. CalamaresPython::Helper - + Unknown exception type @error Desconozse la triba de la esceición - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ L'instalador va colar y van perdese tolos cambeos. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionáu manual</strong><br/>Vas poder crear o redimensionar particiones. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Esbilla una partición a redimensionar, dempués arrastra la barra baxera pa facelo</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ L'instalador va colar y van perdese tolos cambeos. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Esbilla una partición a redimensionar, dempués arrastra la barra baxera pa facelo</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ L'instalador va colar y van perdese tolos cambeos. @label Intercambéu nun ficheru + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionáu manual</strong><br/>Vas poder crear o redimensionar particiones. + Bootloader location: @@ -836,44 +836,44 @@ L'instalador va colar y van perdese tolos cambeos. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Llimpieza de los montaxes pa les operaciones de particionáu en %1. - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Llimpiáronse tolos montaxes de %1 @@ -909,129 +909,112 @@ L'instalador va colar y van perdese tolos cambeos. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - Instalación per rede. (Desactivada: Recibiéronse datos non válidos de grupos) + + Setup Failed + @title + Falló la configuración - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + Falló la instalación - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - Esbilla de paquetes - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalación per rede. (Desactivada: Nun pue dise en cata de les llistes de paquetes, comprueba la conexón a internet) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Setup Complete + @title + Configuración completada - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Esti ordenador nun satisfaz dalgún de los requirimientos aconseyaos pa configurar %1.<br/>La configuración pue siguir pero dalgunes carauterístiques podríen desactivase. + + Installation Complete + @title + Instalación completada - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Esti ordenador nun satisfaz dalgún requirimientu aconseyáu pa instalar %1.<br/>La instalación pue siguir pero podríen desactivase dalgunes carauterístiques. + + The setup of %1 is complete. + @info + La configuración de %1 ta completada. - - This program will ask you some questions and set up %2 on your computer. - Esti programa va facete dalgunes entrugues y va configurar %2 nel ordenador. + + The installation of %1 is complete. + @info + Completóse la instalación de %1. - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Afáyate nel programa de configuración de Calamares pa %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - <h1>Welcome to %1 setup</h1> - <h1>Afáyate na configuración de %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Afáyate nel instalador Calamares pa %1</h1> + + Set timezone to %1/%2 + @action + Afitamientu del fusu horariu a %1/%2 - - <h1>Welcome to the %1 installer</h1> - <h1>Afáyate nel instalador de %1</h1> + + The system language will be set to %1. + @info + La llingua del sistema va afitase a %1. - - Your username is too long. - El nome d'usuariu ye perllargu. + + The numbers and dates locale will be set to %1. + @info + La númberación y data van afitase en %1. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. - + + Network Installation. (Disabled: Received invalid groups data) + Instalación per rede. (Desactivada: Recibiéronse datos non válidos de grupos) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - El nome d'agospiu ye percurtiu. - - - - Your hostname is too long. - El nome d'agospiu ye perllargu. - - - - '%1' is not allowed as hostname. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalación per rede. (Desactivada: Nun pue dise en cata de les llistes de paquetes, comprueba la conexón a internet) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - ¡Les contraseñes nun concasen! - - - - OK! - + + Package selection + Esbilla de paquetes @@ -1075,82 +1058,99 @@ L'instalador va colar y van perdese tolos cambeos. Esto ye una previsualización de lo que va asoceder nel momentu qu'anicies el procesu d'instalación. - - Setup Failed - @title - Falló la configuración + + Your username is too long. + El nome d'usuariu ye perllargu. - - Installation Failed - @title - Falló la instalación + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title - Configuración completada + + Your hostname is too short. + El nome d'agospiu ye percurtiu. - - Installation Complete - @title - Instalación completada + + Your hostname is too long. + El nome d'agospiu ye perllargu. - - The setup of %1 is complete. - @info - La configuración de %1 ta completada. + + '%1' is not allowed as hostname. + - - The installation of %1 is complete. - @info - Completóse la instalación de %1. + + Only letters, numbers, underscore and hyphen are allowed. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + ¡Les contraseñes nun concasen! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - Afitamientu del fusu horariu a %1/%2 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info - La llingua del sistema va afitase a %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Esti ordenador nun satisfaz dalgún de los requirimientos aconseyaos pa configurar %1.<br/>La configuración pue siguir pero dalgunes carauterístiques podríen desactivase. - - The numbers and dates locale will be set to %1. - @info - La númberación y data van afitase en %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Esti ordenador nun satisfaz dalgún requirimientu aconseyáu pa instalar %1.<br/>La instalación pue siguir pero podríen desactivase dalgunes carauterístiques. + + + + This program will ask you some questions and set up %2 on your computer. + Esti programa va facete dalgunes entrugues y va configurar %2 nel ordenador. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Afáyate nel programa de configuración de Calamares pa %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Afáyate na configuración de %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Afáyate nel instalador Calamares pa %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Afáyate nel instalador de %1</h1> @@ -1475,9 +1475,14 @@ L'instalador va colar y van perdese tolos cambeos. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Esti preséu tien una tabla de particiones <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Esta triba de tabla de particiones namás s'aconseya en sistemes vieyos qu'anicien dende un entornu d'arrinque <strong>BIOS</strong>. GPT aconséyase na mayoría de los demás casos.<br><br><strong>Alvertencia:</strong> la tabla de particiones MBR ye un estándar obsoletu de la dómina de MS-DOS.<br>Namás van poder crease cuatro particiones <em>primaries</em>, y una d'eses cuatro, namás vas poder ser una partición <em>estendida</em> que va contener munches particiones <em>llóxiques</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Esta ye la tabla de particiones aconseyada pa sistemes modernos qu'anicien dende un entornu d'arrinque <strong>EFI</strong>. @@ -1490,14 +1495,9 @@ L'instalador va colar y van perdese tolos cambeos. Esti instalador <strong>nun pue deteutar una tabla de particiones</strong> nel preséu d'almacenamientu esbilláu.<br><br>El preséu nun tien una tabla de particiones porque ta toyida o ye d'una triba desconocida.<br>Esti instalador pue crear una tabla de particiones nueva por ti, automáticamente o pente la páxina de particionáu manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Esta ye la tabla de particiones aconseyada pa sistemes modernos qu'anicien dende un entornu d'arrinque <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Esta triba de tabla de particiones namás s'aconseya en sistemes vieyos qu'anicien dende un entornu d'arrinque <strong>BIOS</strong>. GPT aconséyase na mayoría de los demás casos.<br><br><strong>Alvertencia:</strong> la tabla de particiones MBR ye un estándar obsoletu de la dómina de MS-DOS.<br>Namás van poder crease cuatro particiones <em>primaries</em>, y una d'eses cuatro, namás vas poder ser una partición <em>estendida</em> que va contener munches particiones <em>llóxiques</em>. + + This device has a <strong>%1</strong> partition table. + Esti preséu tien una tabla de particiones <strong>%1</strong>. @@ -2273,7 +2273,7 @@ L'instalador va colar y van perdese tolos cambeos. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ L'instalador va colar y van perdese tolos cambeos. label for netinstall module, choose desktop environment Escritoriu + + + Applications + Aplicaciones + Communication @@ -2491,11 +2496,6 @@ L'instalador va colar y van perdese tolos cambeos. label for netinstall module Utilidaes - - - Applications - Aplicaciones - NotesQmlViewStep @@ -2668,11 +2668,27 @@ L'instalador va colar y van perdese tolos cambeos. The password contains forbidden words in some form La contraseña contién de dalgún mou pallabres prohibíes + + + The password contains fewer than %n digits + + + + + The password contains too few digits La contraseña contién prepocos díxitos + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2691,47 +2707,6 @@ L'instalador va colar y van perdese tolos cambeos. The password contains too few lowercase letters La contraseña contién perpoques lletres minúscules - - - The password contains too few non-alphanumeric characters - La contraseña contién perpocos caráuteres que nun son alfanumbéricos - - - - The password is too short - La contraseña ye percurtia - - - - The password does not contain enough character classes - La contraseña nun contién abondes clases de caráuteres - - - - The password contains too many same characters consecutively - La contraseña contién milenta caráuteres iguales consecutivamente - - - - The password contains too many characters of the same class consecutively - La contraseña contién milenta caráuteres de la mesma clas consecutivamente - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2740,6 +2715,11 @@ L'instalador va colar y van perdese tolos cambeos. + + + The password contains too few non-alphanumeric characters + La contraseña contién perpocos caráuteres que nun son alfanumbéricos + The password is shorter than %n characters @@ -2748,6 +2728,11 @@ L'instalador va colar y van perdese tolos cambeos. + + + The password is too short + La contraseña ye percurtia + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ L'instalador va colar y van perdese tolos cambeos. + + + The password does not contain enough character classes + La contraseña nun contién abondes clases de caráuteres + The password contains more than %n same characters consecutively @@ -2769,6 +2759,11 @@ L'instalador va colar y van perdese tolos cambeos. + + + The password contains too many same characters consecutively + La contraseña contién milenta caráuteres iguales consecutivamente + The password contains more than %n characters of the same class consecutively @@ -2777,6 +2772,11 @@ L'instalador va colar y van perdese tolos cambeos. + + + The password contains too many characters of the same class consecutively + La contraseña contién milenta caráuteres de la mesma clas consecutivamente + The password contains monotonic sequence longer than %n characters @@ -3200,6 +3200,18 @@ L'instalador va colar y van perdese tolos cambeos. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + Unsafe partition actions are enabled. @@ -3216,33 +3228,25 @@ L'instalador va colar y van perdese tolos cambeos. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Anguaño: - - No EFI system partition configured - Nun se configuró nenguna partición del sistema EFI + + After: + @label + Dempués: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3255,6 +3259,11 @@ L'instalador va colar y van perdese tolos cambeos. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3262,37 +3271,28 @@ L'instalador va colar y van perdese tolos cambeos. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particiones - - - - Current: - @label - Anguaño: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Dempués: + + No EFI system partition configured + Nun se configuró nenguna partición del sistema EFI - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3390,14 +3390,14 @@ L'instalador va colar y van perdese tolos cambeos. ProcessResult - + There was no output from the command. El comandu nun produxo nenguna salida. - + Output: @@ -3406,52 +3406,52 @@ Salida: - + External command crashed. El comandu esternu cascó. - + Command <i>%1</i> crashed. El comandu <i>%1</i> cascó. - + External command failed to start. El comandu esternu falló al aniciar. - + Command <i>%1</i> failed to start. El comandu <i>%1</i> falló al aniciar. - + Internal error when starting command. Fallu internu al aniciar el comandu. - + Bad parameters for process job call. Los parámetros son incorreutos pa la llamada del trabayu de procesos. - + External command failed to finish. El comandu esternu finó al finar. - + Command <i>%1</i> failed to finish in %2 seconds. El comandu <i>%1</i> falló al finar en %2 segundos. - + External command finished with errors. El comandu esternu finó con fallos. - + Command <i>%1</i> finished with exit code %2. El comandu <i>%1</i> finó col códigu de salida %2. @@ -3463,6 +3463,30 @@ Salida: %1 (%2) %1 (%2) + + + unknown + @partition info + desconozse + + + + extended + @partition info + estendida + + + + unformatted + @partition info + ensin formatiar + + + + swap + @partition info + intercambéu + @@ -3494,30 +3518,6 @@ Salida: (no mount point) - - - unknown - @partition info - desconozse - - - - extended - @partition info - estendida - - - - unformatted - @partition info - ensin formatiar - - - - swap - @partition info - intercambéu - Unpartitioned space or unknown partition table @@ -3954,17 +3954,17 @@ Salida: Cannot disable root account. Nun pue desactivase la cuenta root. - - - Cannot set password for user %1. - Nun pue afitase la contraseña del usuariu %1. - usermod terminated with error code %1. usermod terminó col códigu de fallu %1. + + + Cannot set password for user %1. + Nun pue afitase la contraseña del usuariu %1. + SetTimezoneJob @@ -4057,7 +4057,8 @@ Salida: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4844,11 +4845,21 @@ Salida: What is your name? ¿Cómo te llames? + + + Your full name + + What name do you want to use to log in? ¿Qué nome quies usar p'aniciar sesión? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4869,11 +4880,21 @@ Salida: What is the name of this computer? ¿Cómo va llamase esti ordenador? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4890,78 +4911,58 @@ Salida: Contraseña - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Usar la mesma contraseña pa la cuenta d'alministrador. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Usar la mesma contraseña pa la cuenta d'alministrador. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4977,11 +4978,21 @@ Salida: What is your name? ¿Cómo te llames? + + + Your full name + + What name do you want to use to log in? ¿Qué nome quies usar p'aniciar sesión? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5002,16 +5013,6 @@ Salida: What is the name of this computer? ¿Cómo va llamase esti ordenador? - - - Your full name - - - - - Login name - - Computer name @@ -5047,16 +5048,6 @@ Salida: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5077,6 +5068,16 @@ Salida: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_az.ts b/lang/calamares_az.ts index 260cbdbbef..87f3f67c4c 100644 --- a/lang/calamares_az.ts +++ b/lang/calamares_az.ts @@ -125,31 +125,21 @@ Interface: İnterfeys: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Clamares-i qəza baş vermiş kim bağlayın ki, məlumatlara Dr. Konqui-də baxmaq mümkün olsun. + Reloads the stylesheet from the branding directory. Üslub cədvəlini marka kataloqundan yenidən yükləyir. - - - Uploads the session log to the configured pastebin. - Sessiya jurnalını konfiqurasiya edilmiş pastebin'ə yükləyir. - - - - Send Session Log - Sessiya jurnalını göndərin - Reload Stylesheet Üslub cədvəlini yenidən yükləmək - - - Crashes Calamares, so that Dr. Konqi can look at it. - Clamares-i qəza baş vermiş kim bağlayın ki, məlumatlara Dr. Konqui-də baxmaq mümkün olsun. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Vidjetlər ağacı + + + Uploads the session log to the configured pastebin. + Sessiya jurnalını konfiqurasiya edilmiş pastebin'ə yükləyir. + + + + Send Session Log + Sessiya jurnalını göndərin + Debug Information @@ -378,7 +378,7 @@ (%n second(s)) @status - (%n saniyə) + (%n saniyə(lər)) (%n saniyə) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. + + + + Install log posted to + +%1 + +Link copied to clipboard + Quraşdırma jurnalını burada yazın + +%1 + +Keçid mübadilə yaddaşına kopyalandı + + + + Install Log Paste URL + Jurnal yerləşdirmə URL-nu daxil etmək + &Yes @@ -407,7 +430,7 @@ &Bağlamaq - + Setup Failed @title Quraşdırılma xətası @@ -437,13 +460,13 @@ %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i, sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. - + <br/>The following modules could not be loaded: @info <br/>Yüklənə bilməyən modullar aşağıdakılardır: - + Continue with Setup? @title Ayarlama ilə davam edək? @@ -461,133 +484,110 @@ %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + &Set Up Now @button &İndi ayarlamaq - + &Install Now @button &İndi quraşdırın - + Go &Back @button &Geriyə - + &Set Up @button &Ayarlayın - + &Install @button Qu&raşdırmaq - + Setup is complete. Close the setup program. @tooltip Quraşdırma başa çatdı. Quraşdırma proqramını bağlayın. - + The installation is complete. Close the installer. @tooltip Quraşdırma başa çatdı. Quraşdırıcını bağlayın. - + Cancel the setup process without changing the system. @tooltip Sistemdə dəyişiklik etmədən ayarlama prosesini ləğv etmək. - + Cancel the installation process without changing the system. @tooltip Sistemdə dəyişiklik etmədən quraşdırma prosesini ləğv etmək. - + &Next @button İ&rəli - + &Back @button &Geriyə - + &Done @button &Hazır - + &Cancel @button &İmtina etmək - + Cancel Setup? @title Ayarlama ləğv edilsin? - + Cancel Installation? @title Quraşdırma ləğv edilsin? - - Install Log Paste URL - Jurnal yerləşdirmə URL-nu daxil etmək - - - - The upload was unsuccessful. No web-paste was done. - Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. - - - - Install log posted to - -%1 - -Link copied to clipboard - Quraşdırma jurnalını burada yazın - -%1 - -Keçid mübadilə yaddaşına kopyalandı - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Siz doğrudanmı hazırkı quraşdırmadan imtina etmək istəyirsiniz? Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Siz doğrudanmı hazırkı yüklənmədən imtina etmək istəyirsiniz? @@ -597,25 +597,25 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. CalamaresPython::Helper - + Unknown exception type @error Naməlum istisna hal - + Unparseable Python error @error Təhlil edilə bilməyən Python xətası - + Unparseable Python traceback @error Təhlili mümkün olmayan Python izləri - + Unfetchable Python error @error Əldə edilə bilməyən Python xətası @@ -672,16 +672,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Reuse %1 as home partition for %2 @label - %2 üçün ev bölməsi kimi %1 təkrar istifadə edin. {1 ?} {2?} + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> @@ -830,6 +825,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.@label Mübadilə faylı + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. + Bootloader location: @@ -840,44 +840,44 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ClearMountsJob - + Successfully unmounted %1. %1 uğurla ayrıldı. - + Successfully disabled swap %1. %1 mübadilə bölməsi uğurla söndürüldü. - + Successfully cleared swap %1. %1 mübadilə bölməsi uğurla təmizləndi - + Successfully closed mapper device %1. Yerləşdirmə cihazı %1 uğurla bağlandı - + Successfully disabled volume group %1. Tutum qrupu %1, uğurla söndürüldü - + Clear mounts for partitioning operations on %1 @title %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək - + Clearing mounts for partitioning operations on %1… @status - %1 üzərində bölmələr yartma əməliyyatları üçün bağlantılar təmizlənir. {1...?} + - + Cleared all mounts for %1 %1 üçün bütün qoşulma nöqtələri silindi @@ -913,129 +913,112 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Config - - Network Installation. (Disabled: Incorrect configuration) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) - - - - Network Installation. (Disabled: Received invalid groups data) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) - - - - Network Installation. (Disabled: Internal error) - Şəbəkənin quraşdırılması. (Söndürüldü: daxili xəta) - - - - Network Installation. (Disabled: No package list) - Şəbəkənin quraşdırılması. (Söndürüldü: Paket siyahısı yoxdur) - - - - Package selection - Paket seçimi - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - %1 ayarlamaq üçün bu kompyuter minimum tələblərəcavab vermir.<br/>Ayarlama davam etdirilə bilməz. + + Setup Failed + @title + Quraşdırılma xətası - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - %1 quraşdırmaq üçün bu kompyuter minimum tələblərə cavab vermir.<br/>Quraşdırma davam etdirilə bilməz. + + Installation Failed + @title + Quraşdırılma alınmadı - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. + + The setup of %1 did not complete successfully. + @info + %1 qurulması uğurla çaşa çatmadı. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. + + The installation of %1 did not complete successfully. + @info + %1 quraşdırılması uğurla tamamlanmadı. - - This program will ask you some questions and set up %2 on your computer. - Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. + + Setup Complete + @title + Quraşdırma tamamlandı - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> + + Installation Complete + @title + Quraşdırma tamamlandı - - <h1>Welcome to %1 setup</h1> - <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> + + The setup of %1 is complete. + @info + %1 quraşdırmaq başa çatdı. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> + + The installation of %1 is complete. + @info + %1-n quraşdırılması başa çatdı. - - <h1>Welcome to the %1 installer</h1> - <h1>%1 quraşdırıcısına xoş gəldiniz</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Klaviatura modeli %1<br/> təyin edilib. - - Your username is too long. - İstifadəçi adınız çox uzundur. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Klaviatura qatı %1/%2 təyin edilib - - '%1' is not allowed as username. - İstifadəçi adı '%1' ola bilməz + + Set timezone to %1/%2 + @action + Saat qurşağını %1/%2 olaraq ayarlamaq - - Your username must start with a lowercase letter or underscore. - İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. + + The system language will be set to %1. + @info + Sistem dili %1 təyin ediləcək. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. + + The numbers and dates locale will be set to %1. + @info + Yerli say və tarix formatı %1 təyin olunacaq. - - Your hostname is too short. - Host adınız çox qısadır. + + Network Installation. (Disabled: Incorrect configuration) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) - - Your hostname is too long. - Host adınız çox uzundur. + + Network Installation. (Disabled: Received invalid groups data) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) - - '%1' is not allowed as hostname. - Host_adı '%1' ola bilməz + + Network Installation. (Disabled: Internal error) + Şəbəkənin quraşdırılması. (Söndürüldü: daxili xəta) - - Only letters, numbers, underscore and hyphen are allowed. - Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - - Your passwords do not match! - Şifrənizin təkrarı eyni deyil! + + Network Installation. (Disabled: No package list) + Şəbəkənin quraşdırılması. (Söndürüldü: Paket siyahısı yoxdur) - - OK! - OLDU! + + Package selection + Paket seçimi @@ -1063,98 +1046,115 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Heç biri - - Summary - @label - Nəticə + + Summary + @label + Nəticə + + + + This is an overview of what will happen once you start the setup procedure. + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + + + This is an overview of what will happen once you start the install procedure. + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + + + Your username is too long. + İstifadəçi adınız çox uzundur. + + + + Your username must start with a lowercase letter or underscore. + İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. + + + + '%1' is not allowed as username. + İstifadəçi adı '%1' ola bilməz - - This is an overview of what will happen once you start the setup procedure. - Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + Your hostname is too short. + Host adınız çox qısadır. - - This is an overview of what will happen once you start the install procedure. - Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + Your hostname is too long. + Host adınız çox uzundur. - - Setup Failed - @title - Quraşdırılma xətası + + '%1' is not allowed as hostname. + Host_adı '%1' ola bilməz - - Installation Failed - @title - Quraşdırılma alınmadı + + Only letters, numbers, underscore and hyphen are allowed. + Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. - - The setup of %1 did not complete successfully. - @info - %1 qurulması uğurla çaşa çatmadı. + + Your passwords do not match! + Şifrənizin təkrarı eyni deyil! - - The installation of %1 did not complete successfully. - @info - %1 quraşdırılması uğurla tamamlanmadı. + + OK! + OLDU! - - Setup Complete - @title - Quraşdırma tamamlandı + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + %1 ayarlamaq üçün bu kompyuter minimum tələblərəcavab vermir.<br/>Ayarlama davam etdirilə bilməz. - - Installation Complete - @title - Quraşdırma tamamlandı + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + %1 quraşdırmaq üçün bu kompyuter minimum tələblərə cavab vermir.<br/>Quraşdırma davam etdirilə bilməz. - - The setup of %1 is complete. - @info - %1 quraşdırmaq başa çatdı. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - - The installation of %1 is complete. - @info - %1-n quraşdırılması başa çatdı. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Klaviatura modeli %1<br/> təyin edilib. + + This program will ask you some questions and set up %2 on your computer. + Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Klaviatura qatı %1/%2 təyin edilib + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> - - Set timezone to %1/%2 - @action - Saat qurşağını %1/%2 olaraq ayarlamaq + + <h1>Welcome to %1 setup</h1> + <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> - - The system language will be set to %1. - @info - Sistem dili %1 təyin ediləcək. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> - - The numbers and dates locale will be set to %1. - @info - Yerli say və tarix formatı %1 təyin olunacaq. + + <h1>Welcome to the %1 installer</h1> + <h1>%1 quraşdırıcısına xoş gəldiniz</h1> @@ -1271,7 +1271,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Create new %1MiB partition on %3 (%2) with entries %4 @title - %1MB yeni bölməni %3 üzərində (%2) %4 girişləri ilə yaradın. {1M?} {3 ?} {2)?} {4?} + @@ -1479,9 +1479,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Bu cihazda <strong>%1</strong> bölmələr cədvəli var. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. @@ -1494,14 +1499,9 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Bu quraşdırıcı seçilmiş qurğuda <strong>bölmələr cədvəli aşkar edə bilmədi</strong>.<br><br>Bu cihazda ya bölmələr cədvəli yoxdur, ya bölmələr cədvəli korlanıb, ya da növü naməlumdur.<br>Bu quraşdırıcı bölmələr cədvəlini avtomatik, ya da əllə bölmək səhifəsi vasitəsi ilə yarada bilər. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. + + This device has a <strong>%1</strong> partition table. + Bu cihazda <strong>%1</strong> bölmələr cədvəli var. @@ -2277,7 +2277,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. LocaleTests - + Quit Çıxış @@ -2451,6 +2451,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.label for netinstall module, choose desktop environment İş Masası + + + Applications + Tətbiqlər + Communication @@ -2499,11 +2504,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.label for netinstall module Vasitələr, Alətlər - - - Applications - Tətbiqlər - NotesQmlViewStep @@ -2676,11 +2676,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.The password contains forbidden words in some form Şifrə qadağan edilmiş sözlərdən ibarətdir + + + The password contains fewer than %n digits + + Şifrə %1-dən az rəqəmdən ibarətdir + Şifrə %n -dən(dan) az rəqəmdən ibarətdir + + The password contains too few digits Şifrə çox az rəqəmdən ibarətdir + + + The password contains fewer than %n uppercase letters + + Şifrə %n -dən/dan az böyük hərflərdən ibarətdir + Şifrə %n -dən/dan az böyük hərfdən ibarətdir + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.The password contains too few lowercase letters Şifrə çox az kiçik hərflərdən ibarətdir - - - The password contains too few non-alphanumeric characters - Şifrə çox az alfasayısal olmayan simvollardan ibarətdir - - - - The password is too short - Şifrə çox qısadır - - - - The password does not contain enough character classes - Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur - - - - The password contains too many same characters consecutively - Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir - - - - The password contains too many characters of the same class consecutively - Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir - - - - The password contains fewer than %n digits - - Şifrə %1-dən az rəqəmdən ibarətdir - Şifrə %n -dən(dan) az rəqəmdən ibarətdir - - - - - The password contains fewer than %n uppercase letters - - Şifrə %n -dən/dan az böyük hərflərdən ibarətdir - Şifrə %n -dən/dan az böyük hərfdən ibarətdir - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n -dən/dan az hərf-rəqəm olmayan simvollardan ibarətdir + + + The password contains too few non-alphanumeric characters + Şifrə çox az alfasayısal olmayan simvollardan ibarətdir + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n simvoldan qısadır + + + The password is too short + Şifrə çox qısadır + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n simvol sinifindən azdır + + + The password does not contain enough character classes + Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə ardıcıl olaraq %n eyni simvollardan ibarətdir + + + The password contains too many same characters consecutively + Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə ardıcıl eyni sinifin %n-dən/dan çox simvolundan ibarətdir + + + The password contains too many characters of the same class consecutively + Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir + The password contains monotonic sequence longer than %n characters @@ -3209,6 +3209,18 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Bölmələr + Unsafe partition actions are enabled. @@ -3225,35 +3237,27 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Dəyişiklik ediləcək heç bir bölmə yoxdur. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - %1 başlatmaq üçün EFİ sistem bölməsi vacibdir. <br/><br/>EFİ bölməsi lazımi qaydada deyil. Geriyə qayıtmanız və uyğun fayl sistemi yaratmanız tövsiyyə olunur. - - - - The minimum recommended size for the filesystem is %1 MiB. - Fayl sistemi üçün tövsiyyə olunan ölçü %1 MiB-dır - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Bu EFİ sistem bölməsi tənzimləməsi ilə davam edə bilərsiniz, lakin sisteminizin açılmaya bilər. - - - - No EFI system partition configured - EFI sistemi bölməsi tənzimlənməyib + + Current: + @label + Cari: - - EFI system partition configured incorrectly - EFİ sistem bölməsi səhv yaradıldı + + After: + @label + Sonra: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. EFİ fayl sistemi %1 başladılması üçün lazımdır.<br/> <br/> EFİ fayl sistemini quraşdırmaq üçün geri qayıdın və uyğun fayl sistemini seçin və ya yaradın. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + %1 başlatmaq üçün EFİ sistem bölməsi vacibdir. <br/><br/>EFİ bölməsi lazımi qaydada deyil. Geriyə qayıtmanız və uyğun fayl sistemi yaratmanız tövsiyyə olunur. + The filesystem must be mounted on <strong>%1</strong>. @@ -3264,6 +3268,11 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril The filesystem must have type FAT32. Fayl sistemi FAT32 olmalıdır. + + + The filesystem must have flag <strong>%1</strong> set. + Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. + @@ -3271,38 +3280,29 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Fayl sisteminin ölçüsü ən az %1 MiB olmalıdır. - - The filesystem must have flag <strong>%1</strong> set. - Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. - - - - Gathering system information… - @status - + + The minimum recommended size for the filesystem is %1 MiB. + Fayl sistemi üçün tövsiyyə olunan ölçü %1 MiB-dır - - Partitions - @label - Bölmələr + + You can continue without setting up an EFI system partition but your system may fail to start. + Siz, EFİ sistem bölməsini ayarlamadan davam edə bilərsiniz, lakin bu sisteminizin işə düşə bilməməsinə səbəb ola bilər. - - Current: - @label - Cari: + + You can continue with this EFI system partition configuration but your system may fail to start. + Bu EFİ sistem bölməsi tənzimləməsi ilə davam edə bilərsiniz, lakin sisteminizin açılmaya bilər. - - After: - @label - Sonra: + + No EFI system partition configured + EFI sistemi bölməsi tənzimlənməyib - - You can continue without setting up an EFI system partition but your system may fail to start. - Siz, EFİ sistem bölməsini ayarlamadan davam edə bilərsiniz, lakin bu sisteminizin işə düşə bilməməsinə səbəb ola bilər. + + EFI system partition configured incorrectly + EFİ sistem bölməsi səhv yaradıldı @@ -3399,14 +3399,14 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril ProcessResult - + There was no output from the command. Əmrlərdən çıxarış alınmadı. - + Output: @@ -3415,52 +3415,52 @@ Output: - + External command crashed. Xarici əmr qəzası baş verdi. - + Command <i>%1</i> crashed. <i>%1</i> əmrində qəza baş verdi. - + External command failed to start. Xarici əmr başladıla bilmədi. - + Command <i>%1</i> failed to start. <i>%1</i> əmri əmri başladıla bilmədi. - + Internal error when starting command. Əmr başlayarkən daxili xəta. - + Bad parameters for process job call. İş prosesini çağırmaq üçün xətalı parametr. - + External command failed to finish. Xarici əmr başa çatdırıla bilmədi. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> əmrini %2 saniyədə başa çatdırmaq mümkün olmadı. - + External command finished with errors. Xarici əmr xəta ilə başa çatdı. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> əmri %2 xəta kodu ilə başa çatdı. @@ -3472,6 +3472,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + naməlum + + + + extended + @partition info + genişləndirilmiş + + + + unformatted + @partition info + format olunmamış + + + + swap + @partition info + mübadilə + @@ -3503,30 +3527,6 @@ Output: (no mount point) (qoşulma nöqtəsi yoxdur) - - - unknown - @partition info - naməlum - - - - extended - @partition info - genişləndirilmiş - - - - unformatted - @partition info - format olunmamış - - - - swap - @partition info - mübadilə - Unpartitioned space or unknown partition table @@ -3963,17 +3963,17 @@ Output: Cannot disable root account. Kök hesabını qeyri-aktiv etmək olmur. - - - Cannot set password for user %1. - %1 istifadəçisi üçün şifrə yaradıla bilmədi. - usermod terminated with error code %1. usermod %1 xəta kodu ilə sonlandı. + + + Cannot set password for user %1. + %1 istifadəçisi üçün şifrə yaradıla bilmədi. + SetTimezoneJob @@ -4066,7 +4066,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4885,11 +4886,21 @@ Output: What is your name? Adınız nədir? + + + Your full name + + What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,11 +4921,21 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Əgər gizlədilməzsə komputer şəbəkədə bu adla görünəcək. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. + localhost is not allowed as hostname. @@ -4930,11 +4951,31 @@ Output: Password Şifrə + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. Güclü şifrə üçün rəqəm, hərf və durğu işarələrinin qarışıöğından istifadə edin. Şifrə ən azı səkkiz simvoldan uzun olmalı və müntəzəm olaraq dəyişdirilməlidir. + + + Reuse user password as root password + İstifadəçi şifrəsini kök şifrəsi kimi istifadə etmək + + + + Use the same password for the administrator account. + İdarəçi hesabı üçün eyni şifrədən istifadə etmək. + + + + Choose a root password to keep your account safe. + Hesabınızı qorumaq üçün kök şifrəsini seçin. + Root password @@ -4946,14 +4987,9 @@ Output: - - Validate passwords quality - Şifrənin keyfiyyətini yoxlamaq - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. + + Enter the same password twice, so that it can be checked for typing errors. + Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. @@ -4961,49 +4997,14 @@ Output: Şifrə soruşmadan sistemə daxil olmaq - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. - - - - Repeat password - - - - - Reuse user password as root password - İstifadəçi şifrəsini kök şifrəsi kimi istifadə etmək - - - - Use the same password for the administrator account. - İdarəçi hesabı üçün eyni şifrədən istifadə etmək. - - - - Choose a root password to keep your account safe. - Hesabınızı qorumaq üçün kök şifrəsini seçin. + + Validate passwords quality + Şifrənin keyfiyyətini yoxlamaq - - Enter the same password twice, so that it can be checked for typing errors. - Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. @@ -5018,11 +5019,21 @@ Output: What is your name? Adınız nədir? + + + Your full name + + What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5043,16 +5054,6 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? - - - Your full name - - - - - Login name - - Computer name @@ -5088,16 +5089,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5118,6 +5109,16 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_az_AZ.ts b/lang/calamares_az_AZ.ts index 0733b91650..de4484e99d 100644 --- a/lang/calamares_az_AZ.ts +++ b/lang/calamares_az_AZ.ts @@ -125,31 +125,21 @@ Interface: İnterfeys: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Üslub cədvəlini marka kataloqundan yenidən yükləyir. - - - Uploads the session log to the configured pastebin. - Sessiya jurnalını konfiqurasiya edilmiş pastebin'ə yükləyir. - - - - Send Session Log - Sessiya jurnalını göndərin - Reload Stylesheet Üslub cədvəlini yenidən yükləmək - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Vidjetlər ağacı + + + Uploads the session log to the configured pastebin. + Sessiya jurnalını konfiqurasiya edilmiş pastebin'ə yükləyir. + + + + Send Session Log + Sessiya jurnalını göndərin + Debug Information @@ -378,7 +378,7 @@ (%n second(s)) @status - (%n saniyə) + (%n saniyə(lər)) (%n saniyə) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. + + + + Install log posted to + +%1 + +Link copied to clipboard + Quraşdırma jurnalını burada yazın + +%1 + +Keçid mübadilə yaddaşına kopyalandı + + + + Install Log Paste URL + Jurnal yerləşdirmə URL-nu daxil etmək + &Yes @@ -407,7 +430,7 @@ &Bağlamaq - + Setup Failed @title Quraşdırılma xətası @@ -437,13 +460,13 @@ %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i, sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. - + <br/>The following modules could not be loaded: @info <br/>Yüklənə bilməyən modullar aşağıdakılardır: - + Continue with Setup? @title @@ -461,133 +484,110 @@ %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button Qu&raşdırmaq - + Setup is complete. Close the setup program. @tooltip Quraşdırma başa çatdı. Quraşdırma proqramını bağlayın. - + The installation is complete. Close the installer. @tooltip Quraşdırma başa çatdı. Quraşdırıcını bağlayın. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button İ&rəli - + &Back @button &Geriyə - + &Done @button &Hazır - + &Cancel @button &İmtina etmək - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Jurnal yerləşdirmə URL-nu daxil etmək - - - - The upload was unsuccessful. No web-paste was done. - Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. - - - - Install log posted to - -%1 - -Link copied to clipboard - Quraşdırma jurnalını burada yazın - -%1 - -Keçid mübadilə yaddaşına kopyalandı - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Siz doğrudanmı hazırkı quraşdırmadan imtina etmək istəyirsiniz? Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Siz doğrudanmı hazırkı yüklənmədən imtina etmək istəyirsiniz? @@ -597,25 +597,25 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. CalamaresPython::Helper - + Unknown exception type @error Naməlum istisna hal - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.@label Mübadilə faylı + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Əl ilə bölmək</strong><br/>Siz bölməni özünüz yarada və ölçüsünü dəyişə bilərsiniz. + Bootloader location: @@ -840,44 +840,44 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. ClearMountsJob - + Successfully unmounted %1. %1 uğurla ayrıldı. - + Successfully disabled swap %1. %1 mübadilə bölməsi uğurla söndürüldü. - + Successfully cleared swap %1. %1 mübadilə bölməsi uğurla təmizləndi - + Successfully closed mapper device %1. Yerləşdirmə cihazı %1 uğurla bağlandı - + Successfully disabled volume group %1. Tutum qrupu %1, uğurla söndürüldü - + Clear mounts for partitioning operations on %1 @title %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1 üçün bütün qoşulma nöqtələri silindi @@ -913,129 +913,112 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Config - - Network Installation. (Disabled: Incorrect configuration) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) - - - - Network Installation. (Disabled: Received invalid groups data) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) - - - - Network Installation. (Disabled: Internal error) - Şəbəkənin quraşdırılması. (Söndürüldü: daxili xəta) - - - - Network Installation. (Disabled: No package list) - Şəbəkənin quraşdırılması. (Söndürüldü: Paket siyahısı yoxdur) - - - - Package selection - Paket seçimi - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - %1 ayarlamaq üçün bu kompyuter minimum tələblərəcavab vermir.<br/>Ayarlama davam etdirilə bilməz. + + Setup Failed + @title + Quraşdırılma xətası - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - %1 quraşdırmaq üçün bu kompyuter minimum tələblərə cavab vermir.<br/>Quraşdırma davam etdirilə bilməz. + + Installation Failed + @title + Quraşdırılma alınmadı - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. + + The setup of %1 did not complete successfully. + @info + %1 qurulması uğurla çaşa çatmadı. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. + + The installation of %1 did not complete successfully. + @info + %1 quraşdırılması uğurla tamamlanmadı. - - This program will ask you some questions and set up %2 on your computer. - Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. + + Setup Complete + @title + Quraşdırma tamamlandı - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> + + Installation Complete + @title + Quraşdırma tamamlandı - - <h1>Welcome to %1 setup</h1> - <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> + + The setup of %1 is complete. + @info + %1 quraşdırmaq başa çatdı. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> + + The installation of %1 is complete. + @info + %1-n quraşdırılması başa çatdı. - - <h1>Welcome to the %1 installer</h1> - <h1>%1 quraşdırıcısına xoş gəldiniz</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - İstifadəçi adınız çox uzundur. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - İstifadəçi adı '%1' ola bilməz + + Set timezone to %1/%2 + @action + Saat qurşağını %1/%2 olaraq ayarlamaq - - Your username must start with a lowercase letter or underscore. - İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. + + The system language will be set to %1. + @info + Sistem dili %1 təyin ediləcək. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. + + The numbers and dates locale will be set to %1. + @info + Yerli say və tarix formatı %1 təyin olunacaq. - - Your hostname is too short. - Host adınız çox qısadır. + + Network Installation. (Disabled: Incorrect configuration) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) - - Your hostname is too long. - Host adınız çox uzundur. + + Network Installation. (Disabled: Received invalid groups data) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) - - '%1' is not allowed as hostname. - Host_adı '%1' ola bilməz + + Network Installation. (Disabled: Internal error) + Şəbəkənin quraşdırılması. (Söndürüldü: daxili xəta) - - Only letters, numbers, underscore and hyphen are allowed. - Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - - Your passwords do not match! - Şifrənizin təkrarı eyni deyil! + + Network Installation. (Disabled: No package list) + Şəbəkənin quraşdırılması. (Söndürüldü: Paket siyahısı yoxdur) - - OK! - OLDU! + + Package selection + Paket seçimi @@ -1063,98 +1046,115 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Heç biri - - Summary - @label - Nəticə + + Summary + @label + Nəticə + + + + This is an overview of what will happen once you start the setup procedure. + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + + + This is an overview of what will happen once you start the install procedure. + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + + + Your username is too long. + İstifadəçi adınız çox uzundur. + + + + Your username must start with a lowercase letter or underscore. + İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. + + + + '%1' is not allowed as username. + İstifadəçi adı '%1' ola bilməz - - This is an overview of what will happen once you start the setup procedure. - Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + Your hostname is too short. + Host adınız çox qısadır. - - This is an overview of what will happen once you start the install procedure. - Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. + + Your hostname is too long. + Host adınız çox uzundur. - - Setup Failed - @title - Quraşdırılma xətası + + '%1' is not allowed as hostname. + Host_adı '%1' ola bilməz - - Installation Failed - @title - Quraşdırılma alınmadı + + Only letters, numbers, underscore and hyphen are allowed. + Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. - - The setup of %1 did not complete successfully. - @info - %1 qurulması uğurla çaşa çatmadı. + + Your passwords do not match! + Şifrənizin təkrarı eyni deyil! - - The installation of %1 did not complete successfully. - @info - %1 quraşdırılması uğurla tamamlanmadı. + + OK! + OLDU! - - Setup Complete - @title - Quraşdırma tamamlandı + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + %1 ayarlamaq üçün bu kompyuter minimum tələblərəcavab vermir.<br/>Ayarlama davam etdirilə bilməz. - - Installation Complete - @title - Quraşdırma tamamlandı + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + %1 quraşdırmaq üçün bu kompyuter minimum tələblərə cavab vermir.<br/>Quraşdırma davam etdirilə bilməz. - - The setup of %1 is complete. - @info - %1 quraşdırmaq başa çatdı. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - - The installation of %1 is complete. - @info - %1-n quraşdırılması başa çatdı. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> - - Set timezone to %1/%2 - @action - Saat qurşağını %1/%2 olaraq ayarlamaq + + <h1>Welcome to %1 setup</h1> + <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> - - The system language will be set to %1. - @info - Sistem dili %1 təyin ediləcək. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> - - The numbers and dates locale will be set to %1. - @info - Yerli say və tarix formatı %1 təyin olunacaq. + + <h1>Welcome to the %1 installer</h1> + <h1>%1 quraşdırıcısına xoş gəldiniz</h1> @@ -1479,9 +1479,14 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Bu cihazda <strong>%1</strong> bölmələr cədvəli var. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. @@ -1494,14 +1499,9 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Bu quraşdırıcı seçilmiş qurğuda <strong>bölmələr cədvəli aşkar edə bilmədi</strong>.<br><br>Bu cihazda ya bölmələr cədvəli yoxdur, ya bölmələr cədvəli korlanıb, ya da növü naməlumdur.<br>Bu quraşdırıcı bölmələr cədvəlini avtomatik, ya da əllə bölmək səhifəsi vasitəsi ilə yarada bilər. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. + + This device has a <strong>%1</strong> partition table. + Bu cihazda <strong>%1</strong> bölmələr cədvəli var. @@ -2277,7 +2277,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. LocaleTests - + Quit Çıxış @@ -2451,6 +2451,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.label for netinstall module, choose desktop environment İş Masası + + + Applications + Tətbiqlər + Communication @@ -2499,11 +2504,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.label for netinstall module Vasitələr, Alətlər - - - Applications - Tətbiqlər - NotesQmlViewStep @@ -2676,11 +2676,27 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.The password contains forbidden words in some form Şifrə qadağan edilmiş sözlərdən ibarətdir
+ + + The password contains fewer than %n digits + + Şifrə %1-dən az rəqəmdən ibarətdir + Şifrə %n -dən(dan) az rəqəmdən ibarətdir + + The password contains too few digits Şifrə çox az rəqəmdən ibarətdir + + + The password contains fewer than %n uppercase letters + + Şifrə %n -dən/dan az böyük hərflərdən ibarətdir + Şifrə %n -dən/dan az böyük hərfdən ibarətdir + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.The password contains too few lowercase letters Şifrə çox az kiçik hərflərdən ibarətdir - - - The password contains too few non-alphanumeric characters - Şifrə çox az alfasayısal olmayan simvollardan ibarətdir - - - - The password is too short - Şifrə çox qısadır - - - - The password does not contain enough character classes - Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur - - - - The password contains too many same characters consecutively - Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir - - - - The password contains too many characters of the same class consecutively - Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir - - - - The password contains fewer than %n digits - - Şifrə %1-dən az rəqəmdən ibarətdir - Şifrə %n -dən(dan) az rəqəmdən ibarətdir - - - - - The password contains fewer than %n uppercase letters - - Şifrə %n -dən/dan az böyük hərflərdən ibarətdir - Şifrə %n -dən/dan az böyük hərfdən ibarətdir - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n -dən/dan az hərf-rəqəm olmayan simvollardan ibarətdir + + + The password contains too few non-alphanumeric characters + Şifrə çox az alfasayısal olmayan simvollardan ibarətdir + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n simvoldan qısadır + + + The password is too short + Şifrə çox qısadır + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə %n simvol sinifindən azdır + + + The password does not contain enough character classes + Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə ardıcıl olaraq %n eyni simvollardan ibarətdir + + + The password contains too many same characters consecutively + Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir.Şifrə ardıcıl eyni sinifin %n-dən/dan çox simvolundan ibarətdir + + + The password contains too many characters of the same class consecutively + Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir + The password contains monotonic sequence longer than %n characters @@ -3209,6 +3209,18 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Bölmələr + Unsafe partition actions are enabled. @@ -3225,35 +3237,27 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Dəyişiklik ediləcək heç bir bölmə yoxdur. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - EFI sistemi bölməsi tənzimlənməyib - - - - EFI system partition configured incorrectly - EFİ sistem bölməsi səhv yaradıldı + + Current: + @label + Cari: + + + + After: + @label + Sonra: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. EFİ fayl sistemi %1 başladılması üçün lazımdır.<br/> <br/> EFİ fayl sistemini quraşdırmaq üçün geri qayıdın və uyğun fayl sistemini seçin və ya yaradın. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3264,6 +3268,11 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril The filesystem must have type FAT32. Fayl sistemi FAT32 olmalıdır. + + + The filesystem must have flag <strong>%1</strong> set. + Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. + @@ -3271,38 +3280,29 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril Fayl sisteminin ölçüsü ən az %1 MiB olmalıdır. - - The filesystem must have flag <strong>%1</strong> set. - Fayl sisteminə <strong>%1</strong> bayrağı təyin olunmalıdır. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Bölmələr + + You can continue without setting up an EFI system partition but your system may fail to start. + Siz, EFİ sistem bölməsini ayarlamadan davam edə bilərsiniz, lakin bu sisteminizin işə düşə bilməməsinə səbəb ola bilər. - - Current: - @label - Cari: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Sonra: + + No EFI system partition configured + EFI sistemi bölməsi tənzimlənməyib - - You can continue without setting up an EFI system partition but your system may fail to start. - Siz, EFİ sistem bölməsini ayarlamadan davam edə bilərsiniz, lakin bu sisteminizin işə düşə bilməməsinə səbəb ola bilər. + + EFI system partition configured incorrectly + EFİ sistem bölməsi səhv yaradıldı @@ -3399,14 +3399,14 @@ Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndiril ProcessResult - + There was no output from the command. Əmrlərdən çıxarış alınmadı. - + Output: @@ -3415,52 +3415,52 @@ Output: - + External command crashed. Xarici əmr qəzası baş verdi. - + Command <i>%1</i> crashed. <i>%1</i> əmrində qəza baş verdi. - + External command failed to start. Xarici əmr başladıla bilmədi. - + Command <i>%1</i> failed to start. <i>%1</i> əmri əmri başladıla bilmədi. - + Internal error when starting command. Əmr başlayarkən daxili xəta. - + Bad parameters for process job call. İş prosesini çağırmaq üçün xətalı parametr. - + External command failed to finish. Xarici əmr başa çatdırıla bilmədi. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> əmrini %2 saniyədə başa çatdırmaq mümkün olmadı. - + External command finished with errors. Xarici əmr xəta ilə başa çatdı. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> əmri %2 xəta kodu ilə başa çatdı. @@ -3472,6 +3472,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + naməlum + + + + extended + @partition info + genişləndirilmiş + + + + unformatted + @partition info + format olunmamış + + + + swap + @partition info + mübadilə + @@ -3503,30 +3527,6 @@ Output: (no mount point) (qoşulma nöqtəsi yoxdur) - - - unknown - @partition info - naməlum - - - - extended - @partition info - genişləndirilmiş - - - - unformatted - @partition info - format olunmamış - - - - swap - @partition info - mübadilə - Unpartitioned space or unknown partition table @@ -3963,17 +3963,17 @@ Output: Cannot disable root account. Kök hesabını qeyri-aktiv etmək olmur. - - - Cannot set password for user %1. - %1 istifadəçisi üçün şifrə yaradıla bilmədi. - usermod terminated with error code %1. usermod %1 xəta kodu ilə sonlandı. + + + Cannot set password for user %1. + %1 istifadəçisi üçün şifrə yaradıla bilmədi. + SetTimezoneJob @@ -4066,7 +4066,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4885,11 +4886,21 @@ Output: What is your name? Adınız nədir? + + + Your full name + + What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,11 +4921,21 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Əgər gizlədilməzsə komputer şəbəkədə bu adla görünəcək. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. + localhost is not allowed as hostname. @@ -4930,11 +4951,31 @@ Output: Password Şifrə + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. Güclü şifrə üçün rəqəm, hərf və durğu işarələrinin qarışıöğından istifadə edin. Şifrə ən azı səkkiz simvoldan uzun olmalı və müntəzəm olaraq dəyişdirilməlidir. + + + Reuse user password as root password + İstifadəçi şifrəsini kök şifrəsi kimi istifadə etmək + + + + Use the same password for the administrator account. + İdarəçi hesabı üçün eyni şifrədən istifadə etmək. + + + + Choose a root password to keep your account safe. + Hesabınızı qorumaq üçün kök şifrəsini seçin. + Root password @@ -4946,14 +4987,9 @@ Output: - - Validate passwords quality - Şifrənin keyfiyyətini yoxlamaq - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. + + Enter the same password twice, so that it can be checked for typing errors. + Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. @@ -4961,49 +4997,14 @@ Output: Şifrə soruşmadan sistemə daxil olmaq - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Yalnız hərflərə, saylara, alt cizgisinə və tire işarəsinə icazə verilir, ən az iki simvol. - - - - Repeat password - - - - - Reuse user password as root password - İstifadəçi şifrəsini kök şifrəsi kimi istifadə etmək - - - - Use the same password for the administrator account. - İdarəçi hesabı üçün eyni şifrədən istifadə etmək. - - - - Choose a root password to keep your account safe. - Hesabınızı qorumaq üçün kök şifrəsini seçin. + + Validate passwords quality + Şifrənin keyfiyyətini yoxlamaq - - Enter the same password twice, so that it can be checked for typing errors. - Düzgün yazılmasını yoxlamaq üçün eyni şifrəni iki dəfə daxil edin. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. @@ -5018,11 +5019,21 @@ Output: What is your name? Adınız nədir? + + + Your full name + + What name do you want to use to log in? Giriş üçün hansı adı istifadə etmək istəyirsiniz? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5043,16 +5054,6 @@ Output: What is the name of this computer? Bu kompyuterin adı nədir? - - - Your full name - - - - - Login name - - Computer name @@ -5088,16 +5089,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5118,6 +5109,16 @@ Output: Choose a root password to keep your account safe. Hesabınızı qorumaq üçün kök şifrəsini seçin. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_be.ts b/lang/calamares_be.ts index 4978997e79..7c6df40e50 100644 --- a/lang/calamares_be.ts +++ b/lang/calamares_be.ts @@ -125,31 +125,21 @@ Interface: Інтэрфейс: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Перазагружае табліцу стыляў з фірмовага каталога. - - - Uploads the session log to the configured pastebin. - Запампоўвае журнал сеанса ў наладжаны pastebin. - - - - Send Session Log - Адправіць журнал сеанса - Reload Stylesheet Перазагрузіць табліцу стыляў - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Дрэва віджэтаў + + + Uploads the session log to the configured pastebin. + Запампоўвае журнал сеанса ў наладжаны pastebin. + + + + Send Session Log + Адправіць журнал сеанса + Debug Information @@ -379,11 +379,11 @@ (%n second(s)) @status - - - - - + + (%n секунда) + (%n секунды) + (%n секунд) + (%n секунды) @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Не ўдалося запампаваць. + + + + Install log posted to + +%1 + +Link copied to clipboard + Журнал усталявання апублікаваны ў + +%1 + +Спасылка скапіяваная ў буфер абмену + + + + Install Log Paste URL + Уставіць журнал усталявання па URL + &Yes @@ -411,7 +434,7 @@ &Закрыць - + Setup Failed @title Не ўдалося ўсталяваць @@ -441,13 +464,13 @@ Не ўдалося ўсталяваць %1. Calamares не ўдалося загрузіць усе падрыхтаваныя модулі. Гэтая праблема ўзнікла праз асаблівасці выкарыстання Calamares вашым дыстрыбутывам. - + <br/>The following modules could not be loaded: @info <br/>Не ўдалося загрузіць наступныя модулі: - + Continue with Setup? @title @@ -465,132 +488,109 @@ Праграма ўсталявання %1 гатовая ўнесці змены на ваш дыск, каб усталяваць %2.<br/><strong>Скасаваць змены будзе немагчыма.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Праграма ўсталявання %1 гатовая ўнесці змены на ваш дыск, каб усталяваць %2.<br/><strong>Адрабіць змены будзе немагчыма.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Усталяваць - + Setup is complete. Close the setup program. @tooltip Усталяванне завершана. Закрыйце праграму ўсталявання. - + The installation is complete. Close the installer. @tooltip Усталяванне завершана. Закрыйце праграму. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Далей - + &Back @button &Назад - + &Done @button &Завершана - + &Cancel @button &Скасаваць - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Уставіць журнал усталявання па URL - - - - The upload was unsuccessful. No web-paste was done. - Не ўдалося запампаваць. - - - - Install log posted to - -%1 - -Link copied to clipboard - Журнал усталявання апублікаваны ў - -%1 - -Спасылка скапіяваная ў буфер абмену - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Сапраўды хочаце скасаваць працэс усталявання? Праграма спыніць працу, а ўсе змены страцяцца. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Сапраўды хочаце скасаваць бягучы працэс усталявання? @@ -600,25 +600,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Невядомы тып выключэння - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -675,16 +675,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Уласнаручная разметка</strong><br/>Вы можаце самастойна ствараць раздзелы або змяняць іх памеры. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Абярыце раздзел для памяншэння і цягніце паўзунок, каб змяніць памер</strong> - Select storage de&vice: @@ -712,6 +702,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Абярыце раздзел для памяншэння і цягніце паўзунок, каб змяніць памер</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -833,6 +828,11 @@ The installer will quit and all changes will be lost. @label Раздзел падпампоўвання ў файле + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Уласнаручная разметка</strong><br/>Вы можаце самастойна ствараць раздзелы або змяняць іх памеры. + Bootloader location: @@ -843,44 +843,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. Паспяхова адмантаваны %1. - + Successfully disabled swap %1. Паспяхова адключаны раздзел swap %1. - + Successfully cleared swap %1. Паспяхова ачышчаны раздзел swap %1. - + Successfully closed mapper device %1. Паспяхова закрыты сродак стварэння разметкі %1. - + Successfully disabled volume group %1. Група тамоў паспяхова адключаная %1. - + Clear mounts for partitioning operations on %1 @title Ачысціць пункты мантавання для выканання разметкі на %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Усе пункты мантавання ачышчаныя для %1 @@ -916,129 +916,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Сеткавае ўсталяванне. (Адключана: хібная канфігурацыя) - - - - Network Installation. (Disabled: Received invalid groups data) - Сеткавае ўсталяванне. (Адключана: атрыманы хібныя звесткі пра групы) - - - - Network Installation. (Disabled: Internal error) - Сеткавае ўсталяванне. (адключана: унутраная памылка) - - - - Network Installation. (Disabled: No package list) - Сеткавае ўсталяванне. (адключана: няма спіса пакункаў) - - - - Package selection - Выбар пакункаў - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Сеткавае ўсталяванне. (Адключана: немагчыма атрымаць спіс пакункаў, праверце ваша сеткавае злучэнне) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Не ўдалося ўсталяваць - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Не ўдалося ўсталяваць - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталявання %1.<br/>Можна працягнуць усталяванне, але некаторыя магчымасці могуць быць недаступнымі. + + The setup of %1 did not complete successfully. + @info + Наладжванне %1 завяршылася з памылкай. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталявання %1.<br/>Можна працягнуць усталяванне, але некаторыя магчымасці могуць быць недаступнымі. + + The installation of %1 did not complete successfully. + @info + Усталяванне %1 завяршылася з памылкай. - - This program will ask you some questions and set up %2 on your computer. - Гэтая праграма задасць вам некалькі пытанняў і дапаможа ўсталяваць %2 на ваш камп’ютар. + + Setup Complete + @title + Усталяванне завершана - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Вітаем у праграме ўсталявання Calamares для %1</h1> + + Installation Complete + @title + Усталяванне завершана - - <h1>Welcome to %1 setup</h1> - <h1>Вітаем у праграме ўсталявання %1</h1> + + The setup of %1 is complete. + @info + Усталяванне %1 завершана. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Вітаем у праграме ўсталявання Calamares для %1</h1> + + The installation of %1 is complete. + @info + Усталяванне %1 завершана. - - <h1>Welcome to the %1 installer</h1> - <h1>Вітаем у праграме ўсталявання %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Імя карыстальніка занадта доўгае. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' немагчыма выкарыстаць як імя карыстальніка. + + Set timezone to %1/%2 + @action + Вызначыць часавы пояс %1/%2 - - Your username must start with a lowercase letter or underscore. - Імя карыстальніка павінна пачынацца з малой літары альбо сімвала падкрэслівання. + + The system language will be set to %1. + @info + Мова сістэмы: %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Дазваляюцца толькі літары, лічбы, знакі падкрэслівання, працяжнікі. + + The numbers and dates locale will be set to %1. + @info + Рэгіянальны фармат лічбаў і датаў: %1. - - Your hostname is too short. - Назва вашага камп’ютара занадта кароткая. + + Network Installation. (Disabled: Incorrect configuration) + Сеткавае ўсталяванне. (Адключана: хібная канфігурацыя) - - Your hostname is too long. - Назва вашага камп’ютара занадта доўгая. + + Network Installation. (Disabled: Received invalid groups data) + Сеткавае ўсталяванне. (Адключана: атрыманы хібныя звесткі пра групы) - - '%1' is not allowed as hostname. - '%1' немагчыма выкарыстаць як назву хоста. + + Network Installation. (Disabled: Internal error) + Сеткавае ўсталяванне. (адключана: унутраная памылка) - - Only letters, numbers, underscore and hyphen are allowed. - Толькі літары, лічбы, знакі падкрэслівання, працяжнікі. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Сеткавае ўсталяванне. (Адключана: немагчыма атрымаць спіс пакункаў, праверце ваша сеткавае злучэнне) - - Your passwords do not match! - Вашыя паролі не супадаюць! + + Network Installation. (Disabled: No package list) + Сеткавае ўсталяванне. (адключана: няма спіса пакункаў) - - OK! - Добра! + + Package selection + Выбар пакункаў @@ -1077,87 +1060,104 @@ The installer will quit and all changes will be lost. Гэта агляд дзеянняў, якія здейсняцца падчас запуску працэдуры ўсталявання. - - This is an overview of what will happen once you start the install procedure. - Гэта агляд дзеянняў, якія здейсняцца падчас запуску працэдуры ўсталявання. + + This is an overview of what will happen once you start the install procedure. + Гэта агляд дзеянняў, якія здейсняцца падчас запуску працэдуры ўсталявання. + + + + Your username is too long. + Імя карыстальніка занадта доўгае. + + + + Your username must start with a lowercase letter or underscore. + Імя карыстальніка павінна пачынацца з малой літары альбо сімвала падкрэслівання. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Дазваляюцца толькі літары, лічбы, знакі падкрэслівання, працяжнікі. + + + + '%1' is not allowed as username. + '%1' немагчыма выкарыстаць як імя карыстальніка. + + + + Your hostname is too short. + Назва вашага камп’ютара занадта кароткая. - - Setup Failed - @title - Не ўдалося ўсталяваць + + Your hostname is too long. + Назва вашага камп’ютара занадта доўгая. - - Installation Failed - @title - Не ўдалося ўсталяваць + + '%1' is not allowed as hostname. + '%1' немагчыма выкарыстаць як назву хоста. - - The setup of %1 did not complete successfully. - @info - Наладжванне %1 завяршылася з памылкай. + + Only letters, numbers, underscore and hyphen are allowed. + Толькі літары, лічбы, знакі падкрэслівання, працяжнікі. - - The installation of %1 did not complete successfully. - @info - Усталяванне %1 завяршылася з памылкай. + + Your passwords do not match! + Вашыя паролі не супадаюць! - - Setup Complete - @title - Усталяванне завершана + + OK! + Добра! - - Installation Complete - @title - Усталяванне завершана + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - The setup of %1 is complete. - @info - Усталяванне %1 завершана. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The installation of %1 is complete. - @info - Усталяванне %1 завершана. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталявання %1.<br/>Можна працягнуць усталяванне, але некаторыя магчымасці могуць быць недаступнымі. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталявання %1.<br/>Можна працягнуць усталяванне, але некаторыя магчымасці могуць быць недаступнымі. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + This program will ask you some questions and set up %2 on your computer. + Гэтая праграма задасць вам некалькі пытанняў і дапаможа ўсталяваць %2 на ваш камп’ютар. - - Set timezone to %1/%2 - @action - Вызначыць часавы пояс %1/%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Вітаем у праграме ўсталявання Calamares для %1</h1> - - The system language will be set to %1. - @info - Мова сістэмы: %1. + + <h1>Welcome to %1 setup</h1> + <h1>Вітаем у праграме ўсталявання %1</h1> - - The numbers and dates locale will be set to %1. - @info - Рэгіянальны фармат лічбаў і датаў: %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Вітаем у праграме ўсталявання Calamares для %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Вітаем у праграме ўсталявання %1</h1> @@ -1482,9 +1482,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - На гэтай прыладзе ёсць <strong>%1</strong> табліца раздзелаў. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Гэты тып табліцы раздзелаў рэкамендуецца толькі для старых сістэм, якія выкарыстоўваюць <strong>BIOS</strong>. У большасці выпадкаў лепш выкарыстоўваць GPT.<br><br><strong>Увага:</strong> стандарт табліцы раздзелаў MBR ёсць састарэлым.<br>Яго максімум - 4 <em>першасныя</em> раздзелы, і толькі адзін з іх можа быць <em>пашыраным</em> і змяшчаць шмат <em>лагічных</em> раздзелаў. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Гэта рэкамендаваны тып табліцы раздзелаў для сучасных сістэм, якія выкарыстоўваюць <strong>EFI</strong> у якасці асяроддзя загрузкі. @@ -1497,14 +1502,9 @@ The installer will quit and all changes will be lost. Праграма ўсталявання <strong>не выявіла табліцу раздзелаў </strong> на абранай прыладзе.<br><br>На гэтай прыладзе альбо няма табліцы раздзелаў, альбо яна пашкоджаная, альбо невядомага тыпу.<br>Праграма ўсталявання можа аўтаматычна стварыць новую, альбо вы можаце стварыць яе ўласнаручна. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Гэта рэкамендаваны тып табліцы раздзелаў для сучасных сістэм, якія выкарыстоўваюць <strong>EFI</strong> у якасці асяроддзя загрузкі. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Гэты тып табліцы раздзелаў рэкамендуецца толькі для старых сістэм, якія выкарыстоўваюць <strong>BIOS</strong>. У большасці выпадкаў лепш выкарыстоўваць GPT.<br><br><strong>Увага:</strong> стандарт табліцы раздзелаў MBR ёсць састарэлым.<br>Яго максімум - 4 <em>першасныя</em> раздзелы, і толькі адзін з іх можа быць <em>пашыраным</em> і змяшчаць шмат <em>лагічных</em> раздзелаў. + + This device has a <strong>%1</strong> partition table. + На гэтай прыладзе ёсць <strong>%1</strong> табліца раздзелаў. @@ -2280,7 +2280,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit Выйсці @@ -2454,6 +2454,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Працоўны стол + + + Applications + Праграмы + Communication @@ -2502,11 +2507,6 @@ The installer will quit and all changes will be lost. label for netinstall module Утыліты - - - Applications - Праграмы - NotesQmlViewStep @@ -2679,11 +2679,31 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form Пароль змяшчае забароненыя сімвалы + + + The password contains fewer than %n digits + + Пароль змяшчае менш %n лічбы + Пароль змяшчае менш %n лічбаў + Пароль змяшчае менш %n лічбаў + Пароль змяшчае менш %n лічбаў + + The password contains too few digits У паролі занадта мала лічбаў + + + The password contains fewer than %n uppercase letters + + У паролі менш %n вялікай літары + У паролі менш %n вялікіх літар + У паролі менш %n вялікіх літар + У паролі менш %n вялікіх літар + + The password contains too few uppercase letters @@ -2704,51 +2724,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters У паролі занадта мала малых літар - - - The password contains too few non-alphanumeric characters - У паролі занадта мала адмысловых знакаў - - - - The password is too short - Пароль занадта кароткі - - - - The password does not contain enough character classes - Пароль змяшчае недастаткова класаў сімвалаў - - - - The password contains too many same characters consecutively - Пароль змяшчае занадта шмат аднолькавых паслядоўных знакаў - - - - The password contains too many characters of the same class consecutively - Пароль змяшчае занадта шмат паслядоўных знакаў аднаго класа - - - - The password contains fewer than %n digits - - Пароль змяшчае менш %n лічбы - Пароль змяшчае менш %n лічбаў - Пароль змяшчае менш %n лічбаў - Пароль змяшчае менш %n лічбаў - - - - - The password contains fewer than %n uppercase letters - - У паролі менш %n вялікай літары - У паролі менш %n вялікіх літар - У паролі менш %n вялікіх літар - У паролі менш %n вялікіх літар - - The password contains fewer than %n non-alphanumeric characters @@ -2759,6 +2734,11 @@ The installer will quit and all changes will be lost. У паролі менш %n адмысловых знакаў + + + The password contains too few non-alphanumeric characters + У паролі занадта мала адмысловых знакаў + The password is shorter than %n characters @@ -2769,6 +2749,11 @@ The installer will quit and all changes will be lost. Пароль карацейшы за %n знакі + + + The password is too short + Пароль занадта кароткі + The password is a rotated version of the previous one @@ -2784,6 +2769,11 @@ The installer will quit and all changes will be lost. Пароль змяшчае менш %n класаў сімвалаў + + + The password does not contain enough character classes + Пароль змяшчае недастаткова класаў сімвалаў + The password contains more than %n same characters consecutively @@ -2794,6 +2784,11 @@ The installer will quit and all changes will be lost. Пароль змяшчае больш за %n аднолькавыя паслядоўныя знакі + + + The password contains too many same characters consecutively + Пароль змяшчае занадта шмат аднолькавых паслядоўных знакаў + The password contains more than %n characters of the same class consecutively @@ -2804,6 +2799,11 @@ The installer will quit and all changes will be lost. Пароль змяшчае больш за %n паслядоўныя знакі таго ж класа + + + The password contains too many characters of the same class consecutively + Пароль змяшчае занадта шмат паслядоўных знакаў аднаго класа + The password contains monotonic sequence longer than %n characters @@ -3229,6 +3229,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Раздзелы + Unsafe partition actions are enabled. @@ -3245,35 +3257,27 @@ The installer will quit and all changes will be lost. Раздзелы не зменяцца. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Няма наладжанага сістэмнага раздзела EFI - - - - EFI system partition configured incorrectly - Сістэмны раздзел EFI наладжаны некарэктна + + Current: + @label + Зараз: + + + + After: + @label + Пасля: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Для таго, каб пачаць %1, патрабуецца сістэмны раздзел EFI.<br/><br/> Каб наладзіць сістэмны раздзел EFI, вярніцеся назад, абярыце альбо стварыце файлавую сістэму. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3284,6 +3288,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. Файлавая сістэма павінна быць тыпу FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Файлавая сістэма павінна мець сцяг <strong>%1</strong>. + @@ -3291,38 +3300,29 @@ The installer will quit and all changes will be lost. Файлавая сістэма павмнна мець памер прынамсі %1 МіБ. - - The filesystem must have flag <strong>%1</strong> set. - Файлавая сістэма павінна мець сцяг <strong>%1</strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Раздзелы + + You can continue without setting up an EFI system partition but your system may fail to start. + Вы можаце працягнуць без наладжвання сістэмнага раздзела EFI, але ваша сістэма можа не запусціцца. - - Current: - @label - Зараз: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Пасля: + + No EFI system partition configured + Няма наладжанага сістэмнага раздзела EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Вы можаце працягнуць без наладжвання сістэмнага раздзела EFI, але ваша сістэма можа не запусціцца. + + EFI system partition configured incorrectly + Сістэмны раздзел EFI наладжаны некарэктна @@ -3419,14 +3419,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. Вываду ад загаду няма. - + Output: @@ -3435,52 +3435,52 @@ Output: - + External command crashed. Вонкавы загад схібіў. - + Command <i>%1</i> crashed. Загад <i>%1</i> схібіў. - + External command failed to start. Не ўдалося запусціць вонкавы загад. - + Command <i>%1</i> failed to start. Не ўдалося запусціць загад <i>%1</i>. - + Internal error when starting command. Падчас запуску загаду адбылася ўнутраная памылка. - + Bad parameters for process job call. Хібныя параметры выкліку працэсу. - + External command failed to finish. Не ўдалося завяршыць вонкавы загад. - + Command <i>%1</i> failed to finish in %2 seconds. Загад <i>%1</i> не ўдалося завяршыць за %2 секунд. - + External command finished with errors. Вонкавы загад завяршыўся з памылкамі. - + Command <i>%1</i> finished with exit code %2. Загад <i>%1</i> завяршыўся з кодам %2. @@ -3492,6 +3492,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + невядома + + + + extended + @partition info + пашыраны + + + + unformatted + @partition info + нефарматавана + + + + swap + @partition info + swap + @@ -3523,30 +3547,6 @@ Output: (no mount point) (без пункта мантавання) - - - unknown - @partition info - невядома - - - - extended - @partition info - пашыраны - - - - unformatted - @partition info - нефарматавана - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3983,17 +3983,17 @@ Output: Cannot disable root account. Немагчыма адключыць акаўнт адміністратара. - - - Cannot set password for user %1. - Не ўдалося прызначыць пароль для карыстальніка %1. - usermod terminated with error code %1. Загад "usermod" завяршыўся з кодам памылкі %1. + + + Cannot set password for user %1. + Не ўдалося прызначыць пароль для карыстальніка %1. + SetTimezoneJob @@ -4086,7 +4086,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4902,11 +4903,21 @@ Output: What is your name? Як ваша імя? + + + Your full name + + What name do you want to use to log in? Якое імя вы хочаце выкарыстоўваць для ўваходу? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4927,11 +4938,21 @@ Output: What is the name of this computer? Якая назва гэтага камп’ютара? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Назва будзе выкарыстоўвацца для пазначэння камп’ютара ў сетцы. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Толькі літары, лічбы, знакі падкрэслівання, працяжнікі, мінімум - 2 сімвалы. + localhost is not allowed as hostname. @@ -4947,11 +4968,31 @@ Output: Password Пароль + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Увядзіце двойчы аднолькавы пароль. Гэта неабходна для таго, каб пазбегнуць памылак. Надзейны пароль павінен складацца з літар, лічбаў, знакаў пунктуацыі. Ён павінен змяшчаць прынамсі 8 знакаў, яго перыядычна трэба змяняць. + + + Reuse user password as root password + Выкарыстоўваць пароль карыстальніка як пароль адміністратара + + + + Use the same password for the administrator account. + Выкарыстоўваць той жа пароль для акаўнта адміністратара. + + + + Choose a root password to keep your account safe. + Абярыце пароль адміністратара для абароны вашага акаўнта. + Root password @@ -4963,14 +5004,9 @@ Output: - - Validate passwords quality - Правяранне якасці пароляў - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Калі адзначана, будзе выконвацца правяранне надзейнасці пароля, таму вы не зможаце выкарыстаць слабы пароль. + + Enter the same password twice, so that it can be checked for typing errors. + Увядзіце пароль двойчы, каб пазбегнуць памылак уводу. @@ -4978,49 +5014,14 @@ Output: Аўтаматычна ўваходзіць без уводу пароля - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Толькі літары, лічбы, знакі падкрэслівання, працяжнікі, мінімум - 2 сімвалы. - - - - Repeat password - - - - - Reuse user password as root password - Выкарыстоўваць пароль карыстальніка як пароль адміністратара - - - - Use the same password for the administrator account. - Выкарыстоўваць той жа пароль для акаўнта адміністратара. - - - - Choose a root password to keep your account safe. - Абярыце пароль адміністратара для абароны вашага акаўнта. + + Validate passwords quality + Правяранне якасці пароляў - - Enter the same password twice, so that it can be checked for typing errors. - Увядзіце пароль двойчы, каб пазбегнуць памылак уводу. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Калі адзначана, будзе выконвацца правяранне надзейнасці пароля, таму вы не зможаце выкарыстаць слабы пароль. @@ -5035,11 +5036,21 @@ Output: What is your name? Як ваша імя? + + + Your full name + + What name do you want to use to log in? Якое імя вы хочаце выкарыстоўваць для ўваходу? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5060,16 +5071,6 @@ Output: What is the name of this computer? Якая назва гэтага камп’ютара? - - - Your full name - - - - - Login name - - Computer name @@ -5105,16 +5106,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5135,6 +5126,16 @@ Output: Choose a root password to keep your account safe. Абярыце пароль адміністратара для абароны вашага акаўнта. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_bg.ts b/lang/calamares_bg.ts index fba4822e65..26f54a759d 100644 --- a/lang/calamares_bg.ts +++ b/lang/calamares_bg.ts @@ -125,31 +125,21 @@ Interface: Интерфейс: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Презарежда стиловата таблица от директорията за брандиране. - - - Uploads the session log to the configured pastebin. - Качете дневника на сесията в конфигурирания pastebin. - - - - Send Session Log - Изпращане на дневника на сесията - Reload Stylesheet Презареждане на таблицата със стилове - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Структура на уиджети + + + Uploads the session log to the configured pastebin. + Качете дневника на сесията в конфигурирания pastebin. + + + + Send Session Log + Изпращане на дневника на сесията + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n секунда) + (%n секунди) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Качването беше неуспешно. Не беше направено поставяне в мрежата. + + + + Install log posted to + +%1 + +Link copied to clipboard + Дневникът на инсталирането е публикуван в + +%1 + +Връзката е копирана в клипборда + + + + Install Log Paste URL + Инсталиране на дневник Вмъкване на URL адрес + &Yes @@ -407,7 +430,7 @@ &Затвори - + Setup Failed @title Настройването е неуспешно @@ -437,13 +460,13 @@ %1 не може да се инсталира. Calamares не можа да зареди всичките конфигурирани модули. Това е проблем с начина, по който Calamares е използван от дистрибуцията. - + <br/>The following modules could not be loaded: @info <br/>Следните модули не могат да се заредят: - + Continue with Setup? @title @@ -461,133 +484,110 @@ Програмата за настройване на %1 е на път да направи промени на вашия диск, за да инсталира %2. <br/><strong> Няма да можете да отмените тези промени.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Инсталатора на %1 ще направи промени по вашия диск за да инсталира %2. <br><strong>Промените ще бъдат окончателни.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Инсталирай - + Setup is complete. Close the setup program. @tooltip Настройката е завършена. Затворете програмата за настройка. - + The installation is complete. Close the installer. @tooltip Инсталацията е завършена. Затворете инсталаторa. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Напред - + &Back @button &Назад - + &Done @button &Готово - + &Cancel @button &Отказ - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Инсталиране на дневник Вмъкване на URL адрес - - - - The upload was unsuccessful. No web-paste was done. - Качването беше неуспешно. Не беше направено поставяне в мрежата. - - - - Install log posted to - -%1 - -Link copied to clipboard - Дневникът на инсталирането е публикуван в - -%1 - -Връзката е копирана в клипборда - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Наистина ли искате да анулирате текущия процес на настройване? Инсталирането ще се отмени и всички промени ще бъдат загубени. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Наистина ли искате да отмените текущият процес на инсталиране? @@ -597,25 +597,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Неизвестен тип изключение - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Самостоятелно поделяне</strong><br/>Можете да създадете или преоразмерите дяловете сами. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Изберете дял за смаляване, после влачете долната лента за преоразмеряване</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Изберете дял за смаляване, после влачете долната лента за преоразмеряване</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ The installer will quit and all changes will be lost. @label Swap във файл + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Самостоятелно поделяне</strong><br/>Можете да създадете или преоразмерите дяловете сами. + Bootloader location: @@ -840,44 +840,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. Успешно демонтиране на %1. - + Successfully disabled swap %1. Успешно деактивиране на swap %1. - + Successfully cleared swap %1. Успешно изчистване на swap %1. - + Successfully closed mapper device %1. Успешно затваряне на mapper устройство %1. - + Successfully disabled volume group %1. Успешно деактивиране на група дялове %1. - + Clear mounts for partitioning operations on %1 @title Разчисти монтиранията за операциите на подялбата на %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Разчистени всички монтирания за %1 @@ -913,129 +913,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Мрежова инсталация. (Деактивирано: Неправилна конфигурация) - - - - Network Installation. (Disabled: Received invalid groups data) - Мрежова инсталация. (Изключена: Получени са данни за невалидни групи) - - - - Network Installation. (Disabled: Internal error) - Мрежова инсталация. (Деактивирано: Вътрешна грешка) - - - - Network Installation. (Disabled: No package list) - Мрежова инсталация. (Деактивирано: няма списък с пакети) - - - - Package selection - Избор на пакети - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Мрежова инсталация. (Изключена: Списъкът с пакети не може да бъде извлечен, проверете Вашата Интернет връзка) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Настройването е неуспешно - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Неуспешна инсталация - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Този ​​компютър не удовлетворява някои от препоръчителните изисквания занастройването на %1. <br/> Настройката може да продължи, но някои функции могат да бъдат деактивирани. + + The setup of %1 did not complete successfully. + @info + Настройката на %1 не завърши успешно. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Този компютър не отговаря на някои от препоръчителните изисквания за инсталиране %1.<br/>Инсталацията може да продължи, но някои свойства могат да бъдат недостъпни. + + The installation of %1 did not complete successfully. + @info + Инсталирането на %1 не завърши успешно. - - This program will ask you some questions and set up %2 on your computer. - Тази програма ще ви зададе няколко въпроса и ще конфигурира %2 на вашия компютър. + + Setup Complete + @title + Настройването завърши. - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1> Добре дошли в програмата за настройване на Calamares за %1 </h1> + + Installation Complete + @title + Инсталацията е завършена - - <h1>Welcome to %1 setup</h1> - <h1> Добре дошли в %1 настройка </h1> + + The setup of %1 is complete. + @info + Настройката на %1 е пълна. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1> Добре дошли в инсталатора на Calamares за %1 </h1> + + The installation of %1 is complete. + @info + Инсталацията на %1 е завършена. - - <h1>Welcome to the %1 installer</h1> - <h1> Добре дошли в инсталатора %1 </h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Вашето потребителско име е твърде дълго. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - "%1" не е разрешено като потребителско име. + + Set timezone to %1/%2 + @action + Постави часовата зона на %1/%2 - - Your username must start with a lowercase letter or underscore. - Вашето потребителско име трябва да започне с малки букви или долна черта. + + The system language will be set to %1. + @info + Системният език ще бъде %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Разрешени са само малки букви, цифри, долна черта и тире. + + The numbers and dates locale will be set to %1. + @info + Форматът на цифрите и датата ще бъде %1. - - Your hostname is too short. - Вашето име на хоста е твърде кратко. + + Network Installation. (Disabled: Incorrect configuration) + Мрежова инсталация. (Деактивирано: Неправилна конфигурация) - - Your hostname is too long. - Вашето име на хоста е твърде дълго. + + Network Installation. (Disabled: Received invalid groups data) + Мрежова инсталация. (Изключена: Получени са данни за невалидни групи) - - '%1' is not allowed as hostname. - "%1" не е разрешено като име на хост. + + Network Installation. (Disabled: Internal error) + Мрежова инсталация. (Деактивирано: Вътрешна грешка) - - Only letters, numbers, underscore and hyphen are allowed. - Разрешени са само букви, цифри, долна черта и тире. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Мрежова инсталация. (Изключена: Списъкът с пакети не може да бъде извлечен, проверете Вашата Интернет връзка) - - Your passwords do not match! - Паролите Ви не съвпадат! + + Network Installation. (Disabled: No package list) + Мрежова инсталация. (Деактивирано: няма списък с пакети) - - OK! - OK! + + Package selection + Избор на пакети @@ -1063,98 +1046,115 @@ The installer will quit and all changes will be lost. Без - - Summary - @label - Обобщение + + Summary + @label + Обобщение + + + + This is an overview of what will happen once you start the setup procedure. + Това е преглед на това, което ще се случи, след като започнете процедурата за настройване. + + + + This is an overview of what will happen once you start the install procedure. + Това е преглед на промените, които ще се извършат, след като започнете процедурата по инсталиране. + + + + Your username is too long. + Вашето потребителско име е твърде дълго. + + + + Your username must start with a lowercase letter or underscore. + Вашето потребителско име трябва да започне с малки букви или долна черта. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Разрешени са само малки букви, цифри, долна черта и тире. + + + + '%1' is not allowed as username. + "%1" не е разрешено като потребителско име. - - This is an overview of what will happen once you start the setup procedure. - Това е преглед на това, което ще се случи, след като започнете процедурата за настройване. + + Your hostname is too short. + Вашето име на хоста е твърде кратко. - - This is an overview of what will happen once you start the install procedure. - Това е преглед на промените, които ще се извършат, след като започнете процедурата по инсталиране. + + Your hostname is too long. + Вашето име на хоста е твърде дълго. - - Setup Failed - @title - Настройването е неуспешно + + '%1' is not allowed as hostname. + "%1" не е разрешено като име на хост. - - Installation Failed - @title - Неуспешна инсталация + + Only letters, numbers, underscore and hyphen are allowed. + Разрешени са само букви, цифри, долна черта и тире. - - The setup of %1 did not complete successfully. - @info - Настройката на %1 не завърши успешно. + + Your passwords do not match! + Паролите Ви не съвпадат! - - The installation of %1 did not complete successfully. - @info - Инсталирането на %1 не завърши успешно. + + OK! + OK! - - Setup Complete - @title - Настройването завърши. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - Инсталацията е завършена + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - Настройката на %1 е пълна. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Този ​​компютър не удовлетворява някои от препоръчителните изисквания занастройването на %1. <br/> Настройката може да продължи, но някои функции могат да бъдат деактивирани. - - The installation of %1 is complete. - @info - Инсталацията на %1 е завършена. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Този компютър не отговаря на някои от препоръчителните изисквания за инсталиране %1.<br/>Инсталацията може да продължи, но някои свойства могат да бъдат недостъпни. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Тази програма ще ви зададе няколко въпроса и ще конфигурира %2 на вашия компютър. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1> Добре дошли в програмата за настройване на Calamares за %1 </h1> - - Set timezone to %1/%2 - @action - Постави часовата зона на %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1> Добре дошли в %1 настройка </h1> - - The system language will be set to %1. - @info - Системният език ще бъде %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1> Добре дошли в инсталатора на Calamares за %1 </h1> - - The numbers and dates locale will be set to %1. - @info - Форматът на цифрите и датата ще бъде %1. + + <h1>Welcome to the %1 installer</h1> + <h1> Добре дошли в инсталатора %1 </h1> @@ -1479,9 +1479,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Устройството има <strong>%1</strong> таблица на дяловете. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Тази таблица на дяловете е препоръчителна само за стари системи, които стартират с <strong>BIOS</strong> среда за начално зареждане. GPT е препоръчителна в повечето случаи.<br><br><strong>Внимание:</strong> MBR таблица на дяловете е остарял стандарт от времето на MS-DOS.<br>Само 4 <em>главни</em> дяла могат да бъдат създадени и от тях само един може да е <em>разширен</em> дял, който може да съдържа много <em>логически</em> дялове. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Това е препоръчаният тип на таблицата на дяловете за модерни системи, които стартират от <strong>EFI</strong> среда за начално зареждане. @@ -1494,14 +1499,9 @@ The installer will quit and all changes will be lost. Инсталатора <strong>не може да открие таблица на дяловете</strong> на избраното устройство за съхранение.<br><br>Таблицата на дяловете липсва, повредена е или е от неизвестен тип.<br>Инсталатора може да създаде нова таблица на дяловете автоматично или ръчно, чрез програмата за подялба. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Това е препоръчаният тип на таблицата на дяловете за модерни системи, които стартират от <strong>EFI</strong> среда за начално зареждане. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Тази таблица на дяловете е препоръчителна само за стари системи, които стартират с <strong>BIOS</strong> среда за начално зареждане. GPT е препоръчителна в повечето случаи.<br><br><strong>Внимание:</strong> MBR таблица на дяловете е остарял стандарт от времето на MS-DOS.<br>Само 4 <em>главни</em> дяла могат да бъдат създадени и от тях само един може да е <em>разширен</em> дял, който може да съдържа много <em>логически</em> дялове. + + This device has a <strong>%1</strong> partition table. + Устройството има <strong>%1</strong> таблица на дяловете. @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit Изход @@ -2451,6 +2451,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Работен плот + + + Applications + Приложения + Communication @@ -2499,11 +2504,6 @@ The installer will quit and all changes will be lost. label for netinstall module Помощни програми - - - Applications - Приложения - NotesQmlViewStep @@ -2676,11 +2676,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form Паролата съдържа забранени думи под някаква форма + + + The password contains fewer than %n digits + + Паролата съдържа по -малко от %n цифри + Паролата съдържа по -малко от %n цифри + + The password contains too few digits Паролата съдържа твърде малко цифри + + + The password contains fewer than %n uppercase letters + + Паролата съдържа по -малко от %n главни букви + Паролата съдържа по -малко от %n главни букви + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters Паролата съдържа твърде малко малки букви - - - The password contains too few non-alphanumeric characters - Паролата съдържа твърде малко знаци, които не са букви или цифри - - - - The password is too short - Паролата е твърде кратка - - - - The password does not contain enough character classes - Паролата не съдържа достатъчно видове знаци - - - - The password contains too many same characters consecutively - Паролата съдържа твърде много еднакви знаци последователно - - - - The password contains too many characters of the same class consecutively - Паролата съдържа твърде много еднакви видове знаци последователно - - - - The password contains fewer than %n digits - - Паролата съдържа по -малко от %n цифри - Паролата съдържа по -малко от %n цифри - - - - - The password contains fewer than %n uppercase letters - - Паролата съдържа по -малко от %n главни букви - Паролата съдържа по -малко от %n главни букви - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ The installer will quit and all changes will be lost. Паролата съдържа по-малко от %n небуквени и нецифрови знаци + + + The password contains too few non-alphanumeric characters + Паролата съдържа твърде малко знаци, които не са букви или цифри + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ The installer will quit and all changes will be lost. Паролата е по -къса от %n знака + + + The password is too short + Паролата е твърде кратка + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ The installer will quit and all changes will be lost. Паролата съдържа по -малко от %n класове символи + + + The password does not contain enough character classes + Паролата не съдържа достатъчно видове знаци + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ The installer will quit and all changes will be lost. Паролата съдържа повече от %n еднакви знака последователно + + + The password contains too many same characters consecutively + Паролата съдържа твърде много еднакви знаци последователно + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. Паролата съдържа повече от %n знака от един и същи клас последователно + + + The password contains too many characters of the same class consecutively + Паролата съдържа твърде много еднакви видове знаци последователно + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Дялове + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ The installer will quit and all changes will be lost. Дяловете няма да бъдат променени. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Няма конфигуриран EFI системен дял - - - - EFI system partition configured incorrectly - Системният дял EFI е конфигуриран неправилно + + Current: + @label + Сегашен: + + + + After: + @label + След: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. За стартирането на %1 е необходим системен дял EFI.<br/><br/>За да конфигурирате EFI системен дял, върнете се назад и изберете или създайте подходяща файлова система. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. Файловата система трябва да бъде от тип FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Файловата система трябва да има флаг <strong>%1 </strong>. + @@ -3270,38 +3279,29 @@ The installer will quit and all changes will be lost. Файловата система трябва да е с размер поне %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - Файловата система трябва да има флаг <strong>%1 </strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Дялове + + You can continue without setting up an EFI system partition but your system may fail to start. + Можете да продължите, без да настроите EFI системен дял, но вашата системаможе да не успее да се стартира. - - Current: - @label - Сегашен: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - След: + + No EFI system partition configured + Няма конфигуриран EFI системен дял - - You can continue without setting up an EFI system partition but your system may fail to start. - Можете да продължите, без да настроите EFI системен дял, но вашата системаможе да не успее да се стартира. + + EFI system partition configured incorrectly + Системният дял EFI е конфигуриран неправилно @@ -3398,14 +3398,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. Няма резултат от командата. - + Output: @@ -3414,52 +3414,52 @@ Output: - + External command crashed. Външната команда се срина. - + Command <i>%1</i> crashed. Командата <i>%1 </i> се срина. - + External command failed to start. Външната команда не успя да се стратира. - + Command <i>%1</i> failed to start. Команда <i>%1 </i> не успя да се стартира. - + Internal error when starting command. Вътрешна грешка при стартиране на команда. - + Bad parameters for process job call. Невалидни параметри за извикване на задача за процес. - + External command failed to finish. Външната команда не успя да завърши. - + Command <i>%1</i> failed to finish in %2 seconds. Командата <i> %1 </i> не успя да завърши за %2 секунди. - + External command finished with errors. Външната команда завърши с грешки. - + Command <i>%1</i> finished with exit code %2. Командата <i> %1 </i> завърши с изходен код %2. @@ -3471,6 +3471,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + неизвестна + + + + extended + @partition info + разширена + + + + unformatted + @partition info + неформатирана + + + + swap + @partition info + swap + @@ -3502,30 +3526,6 @@ Output: (no mount point) (без точка на монтиране) - - - unknown - @partition info - неизвестна - - - - extended - @partition info - разширена - - - - unformatted - @partition info - неформатирана - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3962,17 +3962,17 @@ Output: Cannot disable root account. Не може да деактивира root акаунтът. - - - Cannot set password for user %1. - Не може да се постави парола за потребител %1. - usermod terminated with error code %1. usermod е прекратен с грешка %1. + + + Cannot set password for user %1. + Не може да се постави парола за потребител %1. + SetTimezoneJob @@ -4065,7 +4065,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4880,11 +4881,21 @@ Output: What is your name? Какво е вашето име? + + + Your full name + + What name do you want to use to log in? Какво име искате да използвате за влизане? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4905,11 +4916,21 @@ Output: What is the name of this computer? Какво е името на този компютър? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Това име ще бъде използвано, ако направите компютъра видим за другите в мрежата. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Само букви, цифри, долна черта и тире са разрешени, минимуми от двазнака. + localhost is not allowed as hostname. @@ -4925,11 +4946,31 @@ Output: Password Парола + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Въведете една и съща парола два пъти, така че да може да бъде проверена за грешки във въвеждането.Добрата парола съдържа комбинация от букви, цифри и пунктуации. Трябва да е дълга поне осем знака и трябва да се променя периодично. + + + Reuse user password as root password + Използване на потребителската парола и за парола на root + + + + Use the same password for the administrator account. + Използвайте същата парола за администраторския акаунт. + + + + Choose a root password to keep your account safe. + Изберете парола за root, за да запазите акаунта си сигурен. + Root password @@ -4941,14 +4982,9 @@ Output: - - Validate passwords quality - Проверка на качеството на паролите - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Когато това поле е маркирано, се извършва проверка на силата на паролата и няма да можете да използвате слаба парола. + + Enter the same password twice, so that it can be checked for typing errors. + Въведете една и съща парола два пъти, така че да може да бъде проверена за грешки във въвеждането. @@ -4956,49 +4992,14 @@ Output: Автоматично влизане без изискване за парола - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Само букви, цифри, долна черта и тире са разрешени, минимуми от двазнака. - - - - Repeat password - - - - - Reuse user password as root password - Използване на потребителската парола и за парола на root - - - - Use the same password for the administrator account. - Използвайте същата парола за администраторския акаунт. - - - - Choose a root password to keep your account safe. - Изберете парола за root, за да запазите акаунта си сигурен. + + Validate passwords quality + Проверка на качеството на паролите - - Enter the same password twice, so that it can be checked for typing errors. - Въведете една и съща парола два пъти, така че да може да бъде проверена за грешки във въвеждането. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Когато това поле е маркирано, се извършва проверка на силата на паролата и няма да можете да използвате слаба парола. @@ -5013,11 +5014,21 @@ Output: What is your name? Какво е вашето име? + + + Your full name + + What name do you want to use to log in? Какво име искате да използвате за влизане? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5038,16 +5049,6 @@ Output: What is the name of this computer? Какво е името на този компютър? - - - Your full name - - - - - Login name - - Computer name @@ -5083,16 +5084,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5113,6 +5104,16 @@ Output: Choose a root password to keep your account safe. Изберете парола за root, за да запазите акаунта си сигурен. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_bn.ts b/lang/calamares_bn.ts index 14e11b6eb4..b0956052d1 100644 --- a/lang/calamares_bn.ts +++ b/lang/calamares_bn.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 ইনস্টলার %2 সংস্থাপন করতে আপনার ডিস্কে পরিবর্তন করতে যাচ্ছে। - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button এবং পরবর্তী - + &Back @button এবং পেছনে - + &Done @button - + &Cancel @button এবংবাতিল করুন - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. আপনি কি সত্যিই বর্তমান সংস্থাপন প্রক্রিয়া বাতিল করতে চান? @@ -592,25 +592,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error অজানা ধরনের ব্যতিক্রম - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>সংকুচিত করার জন্য একটি পার্টিশন নির্বাচন করুন, তারপর নিচের বারটি পুনঃআকারের জন্য টেনে আনুন</strong> - Select storage de&vice: @@ -704,6 +694,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>সংকুচিত করার জন্য একটি পার্টিশন নির্বাচন করুন, তারপর নিচের বারটি পুনঃআকারের জন্য টেনে আনুন</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -835,44 +835,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title %1 এ পার্টিশনিং অপারেশনের জন্য মাউন্ট গুলি মুছে ফেলুন - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1-এর জন্য সকল মাউন্ট মুছে ফেলা হয়েছে @@ -908,128 +908,111 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Setup Failed + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Installation Failed + @title + ইনস্টলেশন ব্যর্থ হলো - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Setup Complete + @title - - This program will ask you some questions and set up %2 on your computer. + + Installation Complete + @title - - <h1>Welcome to the Calamares setup program for %1</h1> + + The setup of %1 is complete. + @info - - <h1>Welcome to %1 setup</h1> + + The installation of %1 is complete. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the %1 installer</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - Your username is too long. - + + Set timezone to %1/%2 + @action + %1/%2 এ সময়অঞ্চল নির্ধারণ করুন - - '%1' is not allowed as username. + + The system language will be set to %1. + @info - - Your username must start with a lowercase letter or underscore. + + The numbers and dates locale will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too short. + + Network Installation. (Disabled: Received invalid groups data) - - Your hostname is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - আপনার পাসওয়ার্ড মেলে না! - - - - OK! + + Package selection @@ -1074,81 +1057,98 @@ The installer will quit and all changes will be lost. আপনি ইনস্টল প্রক্রিয়া শুরু করার পর কি হবে তার একটি পর্যালোচনা। - - Setup Failed - @title + + Your username is too long. - - Installation Failed - @title - ইনস্টলেশন ব্যর্থ হলো + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. - - Installation Complete - @title + + Your hostname is too long. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. - - The installation of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + আপনার পাসওয়ার্ড মেলে না! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - %1/%2 এ সময়অঞ্চল নির্ধারণ করুন + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1474,9 +1474,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - এই যন্ত্রটির একটি <strong>%1</strong> পার্টিশন টেবিল আছে। + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>এটি আধুনিক সিস্টেমের জন্য প্রস্তাবিত পার্টিশন টেবিলের ধরন যা একটি <strong>EFI</strong> বুট পরিবেশ থেকে শুরু হয়। @@ -1489,14 +1494,9 @@ The installer will quit and all changes will be lost. এই ইনস্টলার নির্বাচিত সঞ্চয় ডিভাইসে <strong>একটি পার্টিশন টেবিল শনাক্ত করতে পারে না</strong>।<br> <br>ডিভাইসটির কোন পার্টিশন টেবিল নেই, অথবা পার্টিশন টেবিলটি দূষিত অথবা একটি অজানা ধরনের।<br> এই ইনস্টলার আপনার জন্য একটি নতুন পার্টিশন টেবিল তৈরি করতে পারে, হয় স্বয়ংক্রিয়ভাবে, অথবা ম্যানুয়াল পার্টিশনিং পৃষ্ঠার মাধ্যমে। - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>এটি আধুনিক সিস্টেমের জন্য প্রস্তাবিত পার্টিশন টেবিলের ধরন যা একটি <strong>EFI</strong> বুট পরিবেশ থেকে শুরু হয়। - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + এই যন্ত্রটির একটি <strong>%1</strong> পার্টিশন টেবিল আছে। @@ -2272,7 +2272,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + পার্টিশনগুলো + Unsafe partition actions are enabled. @@ -3215,33 +3227,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + বর্তমান: - - No EFI system partition configured - + + After: + @label + পরে: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,6 +3258,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3261,37 +3270,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - পার্টিশনগুলো - - - - Current: - @label - বর্তমান: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - পরে: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,65 +3389,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3459,6 +3459,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + অজানা + + + + extended + @partition info + বর্ধিত + + + + unformatted + @partition info + অবিন্যাসিত + + + + swap + @partition info + + @@ -3490,30 +3514,6 @@ Output: (no mount point) - - - unknown - @partition info - অজানা - - - - extended - @partition info - বর্ধিত - - - - unformatted - @partition info - অবিন্যাসিত - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3947,17 +3947,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - %1 ব্যবহারকারীর জন্য পাসওয়ার্ড নির্ধারণ করা যাচ্ছে না। - usermod terminated with error code %1. %1 ত্রুটি কোড দিয়ে ব্যবহারকারীমোড সমাপ্ত করা হয়েছে। + + + Cannot set password for user %1. + %1 ব্যবহারকারীর জন্য পাসওয়ার্ড নির্ধারণ করা যাচ্ছে না। + SetTimezoneJob @@ -4050,7 +4050,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4837,11 +4838,21 @@ Output: What is your name? আপনার নাম কি? + + + Your full name + + What name do you want to use to log in? লগ-ইন করতে আপনি কোন নাম ব্যবহার করতে চান? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4862,11 +4873,21 @@ Output: What is the name of this computer? এই কম্পিউটারের নাম কি? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4883,78 +4904,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + প্রশাসক হিসাবের জন্য একই গুপ্ত-সংকেত ব্যবহার করুন। - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - প্রশাসক হিসাবের জন্য একই গুপ্ত-সংকেত ব্যবহার করুন। - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4970,11 +4971,21 @@ Output: What is your name? আপনার নাম কি? + + + Your full name + + What name do you want to use to log in? লগ-ইন করতে আপনি কোন নাম ব্যবহার করতে চান? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4995,16 +5006,6 @@ Output: What is the name of this computer? এই কম্পিউটারের নাম কি? - - - Your full name - - - - - Login name - - Computer name @@ -5040,16 +5041,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5070,6 +5061,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_bqi.ts b/lang/calamares_bqi.ts index eeca6025a7..194cc57b97 100644 --- a/lang/calamares_bqi.ts +++ b/lang/calamares_bqi.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ca.ts b/lang/calamares_ca.ts index 79d0b7928b..73a5c21460 100644 --- a/lang/calamares_ca.ts +++ b/lang/calamares_ca.ts @@ -125,31 +125,21 @@ Interface: Interfície: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Falla el Calamares, perquè el Dr. Konqui pugui mirar-s'ho. + Reloads the stylesheet from the branding directory. Torna a carregar el full d'estil del directori de marques. - - - Uploads the session log to the configured pastebin. - Puja el registre de la sessió a la carpeta d'enganxar configurada. - - - - Send Session Log - Envia el registre de la sessió - Reload Stylesheet Torna a carregar el full d’estil - - - Crashes Calamares, so that Dr. Konqi can look at it. - Falla el Calamares, perquè el Dr. Konqui pugui mirar-s'ho. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arbre de ginys + + + Uploads the session log to the configured pastebin. + Puja el registre de la sessió a la carpeta d'enganxar configurada. + + + + Send Session Log + Envia el registre de la sessió + Debug Information @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + La càrrega no s'ha fet correctament. No s'ha enganxat res a la xarxa. + + + + Install log posted to + +%1 + +Link copied to clipboard + El registre d'instal·lació s'ha penjat a + +%1 + +L'enllaç s'ha copiat al porta-retalls. + + + + Install Log Paste URL + URL de publicació del registre d'instal·lació + &Yes @@ -407,7 +430,7 @@ Tan&ca - + Setup Failed @title Ha fallat la configuració. @@ -437,13 +460,13 @@ No es pot instal·lar %1. El Calamares no ha pogut carregar tots els mòduls configurats. Aquest és un problema amb la manera com el Calamares és utilitzat per la distribució. - + <br/>The following modules could not be loaded: @info <br/>No s'han pogut carregar els mòduls següents: - + Continue with Setup? @title Voleu continuar la configuració? @@ -461,133 +484,110 @@ El programa de configuració %1 està a punt de fer canvis al disc per tal de configurar %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version L'instal·lador per a %1 està a punt de fer canvis al disc per tal d'instal·lar-hi %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + &Set Up Now @button Con&figura-ho ara - + &Install Now @button &Instal·la'l ara - + Go &Back @button Ves &enrere - + &Set Up @button Con&figuració - + &Install @button &Instal·la - + Setup is complete. Close the setup program. @tooltip La configuració s'ha acabat. Tanqueu el programa de configuració. - + The installation is complete. Close the installer. @tooltip La instal·lació s'ha acabat. Tanqueu l'instal·lador. - + Cancel the setup process without changing the system. @tooltip Cancel·la el procés de configuració sense canviar el sistema. - + Cancel the installation process without changing the system. @tooltip Cancel·la el procés d'instal·lació sense canviar el sistema. - + &Next @button &Següent - + &Back @button &Enrere - + &Done @button &Fet - + &Cancel @button &Cancel·la - + Cancel Setup? @title Voleu cancel·lar la configuració? - + Cancel Installation? @title Voleu cancel·lar la instal·lació? - - Install Log Paste URL - URL de publicació del registre d'instal·lació - - - - The upload was unsuccessful. No web-paste was done. - La càrrega no s'ha fet correctament. No s'ha enganxat res a la xarxa. - - - - Install log posted to - -%1 - -Link copied to clipboard - El registre d'instal·lació s'ha penjat a - -%1 - -L'enllaç s'ha copiat al porta-retalls. - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Realment voleu cancel·lar el procés de configuració actual? El programa de configuració es tancarà i es perdran tots els canvis. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Voleu cancel·lar el procés d'instal·lació actual? @@ -597,25 +597,25 @@ L'instal·lador es tancarà i tots els canvis es perdran. CalamaresPython::Helper - + Unknown exception type @error Tipus d'excepció desconeguda - + Unparseable Python error @error Error de Python no analitzable - + Unparseable Python traceback @error Traça de Python no analitzable - + Unfetchable Python error @error Error de Python irrecuperable @@ -672,16 +672,6 @@ L'instal·lador es tancarà i tots els canvis es perdran. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particions manuals</strong><br/>Podeu crear o canviar la mida de les particions vosaltres mateixos. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccioneu una partició per encongir i arrossegueu-la per redimensinar-la</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ L'instal·lador es tancarà i tots els canvis es perdran. Reuse %1 as home partition for %2 @label - Es reutilitza %1 com a partició de l'usuari per a %2. {1 ?} {2?} + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccioneu una partició per encongir i arrossegueu-la per redimensinar-la</strong> @@ -830,6 +825,11 @@ L'instal·lador es tancarà i tots els canvis es perdran. @label Intercanvi en fitxer + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particions manuals</strong><br/>Podeu crear o canviar la mida de les particions vosaltres mateixos. + Bootloader location: @@ -840,44 +840,44 @@ L'instal·lador es tancarà i tots els canvis es perdran. ClearMountsJob - + Successfully unmounted %1. S'ha desmuntat correctament %1. - + Successfully disabled swap %1. S'ha inhabilitat correctament l'intercanvi %1. - + Successfully cleared swap %1. S'ha netejat correctament l'intercanvi %1. - + Successfully closed mapper device %1. El dispositiu de mapatge %1 s'ha tancat correctament. - + Successfully disabled volume group %1. El grup de volums %1 s'ha inhabilitat correctament. - + Clear mounts for partitioning operations on %1 @title Neteja els muntatges per les operacions de partició a %1 - + Clearing mounts for partitioning operations on %1… @status - Es netegen els muntatges per a les operacions de les particions a %1. {1…?} + - + Cleared all mounts for %1 S'han netejat tots els muntatges de %1 @@ -913,129 +913,112 @@ L'instal·lador es tancarà i tots els canvis es perdran. Config - - Network Installation. (Disabled: Incorrect configuration) - Instal·lació per xarxa. (Inhabilitada: configuració incorrecta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instal·lació per xarxa. (Inhabilitada: dades de grups rebudes no vàlides) - - - - Network Installation. (Disabled: Internal error) - Instal·lació de xarxa. (Inhabilitat: error intern) - - - - Network Installation. (Disabled: No package list) - Instal·lació de xarxa. (Inhabilitat: no hi ha llista de paquets) - - - - Package selection - Selecció de paquets - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instal·lació per xarxa. (Inhabilitada: no es poden obtenir les llistes de paquets, comproveu la connexió.) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Aquest ordinador no compleix els requisits mínims per configurar %1. <br/>La configuració no pot continuar. + + Setup Failed + @title + Ha fallat la configuració. - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Aquest ordinador no satisfà els requisits mínims per instal·lar-hi %1. <br/>La instal·lació no pot continuar. + + Installation Failed + @title + La instal·lació ha fallat. - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/>La configuració pot continuar, però algunes característiques podrien estar inhabilitades. + + The setup of %1 did not complete successfully. + @info + La configuració de %1 no s'ha completat correctament. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Aquest ordinador no satisfà alguns dels requisits recomanats per instal·lar-hi %1.<br/>La instal·lació pot continuar, però algunes característiques podrien estar inhabilitades. + + The installation of %1 did not complete successfully. + @info + La instal·lació de %1 no s'ha completat correctament. - - This program will ask you some questions and set up %2 on your computer. - Aquest programa us farà unes preguntes i instal·larà %2 a l'ordinador. + + Setup Complete + @title + Configuració completa - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Benvingut/da al programa de configuració del Calamares per a %1</h1> + + Installation Complete + @title + Instal·lació acabada - - <h1>Welcome to %1 setup</h1> - <h1>Benvingut/da a la configuració per a %1</h1> + + The setup of %1 is complete. + @info + La configuració de %1 ha acabat. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Us donem la benvinguda a l'instal·lador Calamares per a %1</h1> + + The installation of %1 is complete. + @info + La instal·lació de %1 ha acabat. - - <h1>Welcome to the %1 installer</h1> - <h1>Us donem la benvinguda a l'instal·lador per a %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + El model del teclat s'ha establert a %1 <br/>. - - Your username is too long. - El nom d'usuari és massa llarg. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + La disposició del teclat s'ha establert a %1 / %2. - - '%1' is not allowed as username. - No es permet %1 com a nom d'usuari. + + Set timezone to %1/%2 + @action + Estableix la zona horària a %1/%2 - - Your username must start with a lowercase letter or underscore. - El nom d'usuari ha de començar amb una lletra en minúscula o una ratlla baixa. + + The system language will be set to %1. + @info + La llengua del sistema s'establirà a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Només es permeten lletres en minúscula, números, ratlles baixes i guions. + + The numbers and dates locale will be set to %1. + @info + Els números i les dates de la configuració local s'establiran a %1. - - Your hostname is too short. - El nom d'amfitrió és massa curt. + + Network Installation. (Disabled: Incorrect configuration) + Instal·lació per xarxa. (Inhabilitada: configuració incorrecta) - - Your hostname is too long. - El nom d'amfitrió és massa llarg. + + Network Installation. (Disabled: Received invalid groups data) + Instal·lació per xarxa. (Inhabilitada: dades de grups rebudes no vàlides) - - '%1' is not allowed as hostname. - No es permet %1 com a nom d'amfitrió. + + Network Installation. (Disabled: Internal error) + Instal·lació de xarxa. (Inhabilitat: error intern) - - Only letters, numbers, underscore and hyphen are allowed. - Només es permeten lletres, números, ratlles baixes i guions. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instal·lació per xarxa. (Inhabilitada: no es poden obtenir les llistes de paquets, comproveu la connexió.) - - Your passwords do not match! - Les contrasenyes no coincideixen! + + Network Installation. (Disabled: No package list) + Instal·lació de xarxa. (Inhabilitat: no hi ha llista de paquets) - - OK! - D'acord! + + Package selection + Selecció de paquets @@ -1063,98 +1046,115 @@ L'instal·lador es tancarà i tots els canvis es perdran. Cap - - Summary - @label - Resum + + Summary + @label + Resum + + + + This is an overview of what will happen once you start the setup procedure. + Això és un resum del que passarà quan s'iniciï el procés de configuració. + + + + This is an overview of what will happen once you start the install procedure. + Això és un resum del que passarà quan s'iniciï el procés d'instal·lació. + + + + Your username is too long. + El nom d'usuari és massa llarg. + + + + Your username must start with a lowercase letter or underscore. + El nom d'usuari ha de començar amb una lletra en minúscula o una ratlla baixa. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Només es permeten lletres en minúscula, números, ratlles baixes i guions. + + + + '%1' is not allowed as username. + No es permet %1 com a nom d'usuari. - - This is an overview of what will happen once you start the setup procedure. - Això és un resum del que passarà quan s'iniciï el procés de configuració. + + Your hostname is too short. + El nom d'amfitrió és massa curt. - - This is an overview of what will happen once you start the install procedure. - Això és un resum del que passarà quan s'iniciï el procés d'instal·lació. + + Your hostname is too long. + El nom d'amfitrió és massa llarg. - - Setup Failed - @title - Ha fallat la configuració. + + '%1' is not allowed as hostname. + No es permet %1 com a nom d'amfitrió. - - Installation Failed - @title - La instal·lació ha fallat. + + Only letters, numbers, underscore and hyphen are allowed. + Només es permeten lletres, números, ratlles baixes i guions. - - The setup of %1 did not complete successfully. - @info - La configuració de %1 no s'ha completat correctament. + + Your passwords do not match! + Les contrasenyes no coincideixen! - - The installation of %1 did not complete successfully. - @info - La instal·lació de %1 no s'ha completat correctament. + + OK! + D'acord! - - Setup Complete - @title - Configuració completa + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Aquest ordinador no compleix els requisits mínims per configurar %1. <br/>La configuració no pot continuar. - - Installation Complete - @title - Instal·lació acabada + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Aquest ordinador no satisfà els requisits mínims per instal·lar-hi %1. <br/>La instal·lació no pot continuar. - - The setup of %1 is complete. - @info - La configuració de %1 ha acabat. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/>La configuració pot continuar, però algunes característiques podrien estar inhabilitades. - - The installation of %1 is complete. - @info - La instal·lació de %1 ha acabat. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Aquest ordinador no satisfà alguns dels requisits recomanats per instal·lar-hi %1.<br/>La instal·lació pot continuar, però algunes característiques podrien estar inhabilitades. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - El model del teclat s'ha establert a %1 <br/>. + + This program will ask you some questions and set up %2 on your computer. + Aquest programa us farà unes preguntes i instal·larà %2 a l'ordinador. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - La disposició del teclat s'ha establert a %1 / %2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Benvingut/da al programa de configuració del Calamares per a %1</h1> - - Set timezone to %1/%2 - @action - Estableix la zona horària a %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Benvingut/da a la configuració per a %1</h1> - - The system language will be set to %1. - @info - La llengua del sistema s'establirà a %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Us donem la benvinguda a l'instal·lador Calamares per a %1</h1> - - The numbers and dates locale will be set to %1. - @info - Els números i les dates de la configuració local s'establiran a %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Us donem la benvinguda a l'instal·lador per a %1</h1> @@ -1271,7 +1271,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Create new %1MiB partition on %3 (%2) with entries %4 @title - Crea una partició nova de %1 MiB a %3 (%2) amb entrades %4. {1M?} {3 ?} {2)?} {4?} + @@ -1308,7 +1308,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Creating new %1 partition on %2… @status - Es crea la partició nova %1 a %2. {1 ?} {2…?} + @@ -1352,7 +1352,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Creating new %1 partition table on %2… @status - Es crea una taula de particions nova %1 a %2. {1 ?} {2…?} + @@ -1420,7 +1420,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Creating new volume group named %1… @status - Es crea el grup de volums nou anomenat %1. {1…?} + @@ -1462,7 +1462,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Deleting partition %1… @status - Se suprimeix la partició %1. {1…?} + @@ -1479,9 +1479,14 @@ L'instal·lador es tancarà i tots els canvis es perdran. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Aquest dispositiu té una taula de particions <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Aquest tipus de taula de particions és només recomanable en sistemes més antics que s'iniciïn des d'un entorn d'arrencada <strong>BIOS</strong>. Per a la majoria d'altres usos, es recomana fer servir GPT.<br><strong>Avís:</strong> la taula de particions MBR és un estàndard obsolet de l'era MSDOS. <br>Només es poden crear 4 particions <em>primàries</em> i d'aquestes 4, una pot ser una partició <em>ampliada</em>, que pot contenir algunes particions <em>lògiques</em>.<br> + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Aquest és el tipus de taula de particions recomanat per als sistemes moderns que s'inicien des d'un entorn d'arrencada <strong>EFI</strong>. @@ -1494,14 +1499,9 @@ L'instal·lador es tancarà i tots els canvis es perdran. Aquest instal·lador <strong>no pot detectar una taula de particions</strong> al dispositiu d'emmagatzematge seleccionat.<br><br>O bé el dispositiu no té taula de particions o la taula de particions és corrupta o d'un tipus desconegut.<br>Aquest instal·lador pot crear una nova taula de particions, o bé automàticament o a través de la pàgina del partidor manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Aquest és el tipus de taula de particions recomanat per als sistemes moderns que s'inicien des d'un entorn d'arrencada <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Aquest tipus de taula de particions és només recomanable en sistemes més antics que s'iniciïn des d'un entorn d'arrencada <strong>BIOS</strong>. Per a la majoria d'altres usos, es recomana fer servir GPT.<br><strong>Avís:</strong> la taula de particions MBR és un estàndard obsolet de l'era MSDOS. <br>Només es poden crear 4 particions <em>primàries</em> i d'aquestes 4, una pot ser una partició <em>ampliada</em>, que pot contenir algunes particions <em>lògiques</em>.<br> + + This device has a <strong>%1</strong> partition table. + Aquest dispositiu té una taula de particions <strong>%1</strong>. @@ -1706,7 +1706,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Estableix la partició <strong>nova</strong> %2 amb el punt de muntatge <strong>%1</strong> %3. {2 ?} {1<?} {3?} + @@ -1730,7 +1730,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} + @@ -1813,7 +1813,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Formata la partició %1 (sistema de fitxers: %2, mida: %3 MiB) a %4. {1 ?} {2,?} {3 ?} {4?} + @@ -1831,7 +1831,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. Formatting partition %1 with file system %2… @status - Es formata la partició %1 amb el sistema de fitxers %2. {1 ?} {2…?} + @@ -2277,7 +2277,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. LocaleTests - + Quit Surt @@ -2451,6 +2451,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé label for netinstall module, choose desktop environment Escriptori + + + Applications + Aplicacions + Communication @@ -2499,11 +2504,6 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé label for netinstall module Utilitats - - - Applications - Aplicacions - NotesQmlViewStep @@ -2676,11 +2676,27 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé The password contains forbidden words in some form La contrasenya conté paraules prohibides d'alguna manera. + + + The password contains fewer than %n digits + + La contrasenya és inferior a %n dígit. + La contrasenya és inferior a %n dígits. + + The password contains too few digits La contrasenya conté massa pocs dígits. + + + The password contains fewer than %n uppercase letters + + La contrasenya conté menys d'%n lletra majúscula. + La contrasenya conté menys de %n lletres majúscules. + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé The password contains too few lowercase letters La contrasenya conté massa poques lletres minúscules. - - - The password contains too few non-alphanumeric characters - La contrasenya conté massa pocs caràcters no alfanumèrics. - - - - The password is too short - La contrasenya és massa curta. - - - - The password does not contain enough character classes - La contrasenya no conté prou classes de caràcters. - - - - The password contains too many same characters consecutively - La contrasenya conté massa caràcters iguals consecutius. - - - - The password contains too many characters of the same class consecutively - La contrasenya conté massa caràcters consecutius de la mateixa classe. - - - - The password contains fewer than %n digits - - La contrasenya és inferior a %n dígit. - La contrasenya és inferior a %n dígits. - - - - - The password contains fewer than %n uppercase letters - - La contrasenya conté menys d'%n lletra majúscula. - La contrasenya conté menys de %n lletres majúscules. - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé La contrasenya conté menys de %n caràcters no alfanumèrics. + + + The password contains too few non-alphanumeric characters + La contrasenya conté massa pocs caràcters no alfanumèrics. + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé La contrasenya és inferior a %n caràcters. + + + The password is too short + La contrasenya és massa curta. + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé La contrasenya conté menys de %n classes de caràcters. + + + The password does not contain enough character classes + La contrasenya no conté prou classes de caràcters. + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé La contrasenya conté més de %n caràcters iguals consecutius. + + + The password contains too many same characters consecutively + La contrasenya conté massa caràcters iguals consecutius. + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé La contrasenya conté més de %n caràcters consecutius de la mateixa classe. + + + The password contains too many characters of the same class consecutively + La contrasenya conté massa caràcters consecutius de la mateixa classe. + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé PartitionViewStep + + + Gathering system information… + @status + Es recopila informació del sistema... + + + + Partitions + @label + Particions + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé No es canviarà cap partició. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Cal una partició de sistema EFI per iniciar %1. <br/><br/> La partició de sistema EFI no compleix les recomanacions. Es recomana tornar enrere i seleccionar o crear un sistema de fitxers adequat. - - - - The minimum recommended size for the filesystem is %1 MiB. - La mida mínima recomanada per al sistema de fitxers és %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Podeu continuar aquesta configuració de la partició de sistema EFI, però és possible que el sistema no s'iniciï. - - - - No EFI system partition configured - No hi ha cap partició EFI de sistema configurada + + Current: + @label + Ara: - - EFI system partition configured incorrectly - Partició de sistema EFI configurada incorrectament + + After: + @label + Després: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Cal una partició de sistema EFI per iniciar %1. <br/><br/>Per configurar-ne una, torneu enrere i seleccioneu o creeu un sistema de fitxers adequat. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Cal una partició de sistema EFI per iniciar %1. <br/><br/> La partició de sistema EFI no compleix les recomanacions. Es recomana tornar enrere i seleccionar o crear un sistema de fitxers adequat. + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé The filesystem must have type FAT32. El sistema de fitxers ha de ser del tipus FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + El sistema de fitxers ha de tenir la bandera <strong>%1</strong> establerta. + @@ -3270,38 +3279,29 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé El sistema de fitxers ha de tenir un mínim de %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - El sistema de fitxers ha de tenir la bandera <strong>%1</strong> establerta. - - - - Gathering system information… - @status - Es recopila informació del sistema... + + The minimum recommended size for the filesystem is %1 MiB. + La mida mínima recomanada per al sistema de fitxers és %1 MiB. - - Partitions - @label - Particions + + You can continue without setting up an EFI system partition but your system may fail to start. + Podeu continuar sense configurar una partició del sistema EFI, però és possible que el sistema no s'iniciï. - - Current: - @label - Ara: + + You can continue with this EFI system partition configuration but your system may fail to start. + Podeu continuar aquesta configuració de la partició de sistema EFI, però és possible que el sistema no s'iniciï. - - After: - @label - Després: + + No EFI system partition configured + No hi ha cap partició EFI de sistema configurada - - You can continue without setting up an EFI system partition but your system may fail to start. - Podeu continuar sense configurar una partició del sistema EFI, però és possible que el sistema no s'iniciï. + + EFI system partition configured incorrectly + Partició de sistema EFI configurada incorrectament @@ -3398,14 +3398,14 @@ per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé ProcessResult - + There was no output from the command. No hi ha hagut sortida de l'ordre. - + Output: @@ -3414,52 +3414,52 @@ Sortida: - + External command crashed. L'ordre externa ha fallat. - + Command <i>%1</i> crashed. L'ordre <i>%1</i> ha fallat. - + External command failed to start. L'ordre externa no s'ha pogut iniciar. - + Command <i>%1</i> failed to start. L'ordre <i>%1</i> no s'ha pogut iniciar. - + Internal error when starting command. Error intern en iniciar l'ordre. - + Bad parameters for process job call. Paràmetres incorrectes per a la crida de la tasca del procés. - + External command failed to finish. L'ordre externa no ha acabat correctament. - + Command <i>%1</i> failed to finish in %2 seconds. L'ordre <i>%1</i> no ha pogut acabar en %2 segons. - + External command finished with errors. L'ordre externa ha acabat amb errors. - + Command <i>%1</i> finished with exit code %2. L'ordre <i>%1</i> ha acabat amb el codi de sortida %2. @@ -3471,6 +3471,30 @@ Sortida: %1 (%2) %1 (%2) + + + unknown + @partition info + desconeguda + + + + extended + @partition info + ampliada + + + + unformatted + @partition info + sense format + + + + swap + @partition info + Intercanvi + @@ -3502,30 +3526,6 @@ Sortida: (no mount point) (sense punt de muntatge) - - - unknown - @partition info - desconeguda - - - - extended - @partition info - ampliada - - - - unformatted - @partition info - sense format - - - - swap - @partition info - Intercanvi - Unpartitioned space or unknown partition table @@ -3717,7 +3717,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Resize volume group named %1 from %2 to %3 @title - Canvia la mida del grup de volums anomenat %1 de %2 a %3. {1 ?} {2 ?} {3?} + @@ -3776,7 +3776,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Setting hostname %1… @status - S'estableix el nom d'amfitrió %1. {1…?} + @@ -3945,7 +3945,7 @@ La configuració pot continuar, però algunes característiques podrien estar in Setting password for user %1… @status - S'estableix la contrasenya per a l'usuari %1. {1…?} + @@ -3962,17 +3962,17 @@ La configuració pot continuar, però algunes característiques podrien estar in Cannot disable root account. No es pot inhabilitar el compte d'arrel. - - - Cannot set password for user %1. - No es pot establir la contrasenya per a l'usuari %1. - usermod terminated with error code %1. usermod ha terminat amb el codi d'error %1. + + + Cannot set password for user %1. + No es pot establir la contrasenya per a l'usuari %1. + SetTimezoneJob @@ -4065,7 +4065,8 @@ La configuració pot continuar, però algunes característiques podrien estar in SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4884,11 +4885,21 @@ Opció predeterminada. What is your name? Com us dieu? + + + Your full name + El nom complet + What name do you want to use to log in? Quin nom voleu usar per iniciar la sessió? + + + Login name + Nom per a l'entrada + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4909,11 +4920,21 @@ Opció predeterminada. What is the name of this computer? Com es diu aquest ordinador? + + + Computer name + Nom de l'ordinador + This name will be used if you make the computer visible to others on a network. Aquest nom s'usarà si feu visible aquest ordinador per a altres en una xarxa. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Només es permeten lletres, números, guionets, guionets baixos i un mínim de dos caràcters. + localhost is not allowed as hostname. @@ -4929,11 +4950,31 @@ Opció predeterminada. Password Contrasenya + + + Repeat password + Repetiu la contrasenya. + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Escriviu la mateixa contrasenya dos cops per poder-ne comprovar els errors de mecanografia. Una bona contrasenya ha de contenir una barreja de lletres, números i signes de puntuació, hauria de tenir un mínim de 8 caràcters i s'hauria de modificar a intervals regulars. + + + Reuse user password as root password + Reutilitza la contrasenya d'usuari com a contrasenya d'arrel. + + + + Use the same password for the administrator account. + Usa la mateixa contrasenya per al compte d'administració. + + + + Choose a root password to keep your account safe. + Trieu una contrasenya d'arrel per mantenir el compte segur. + Root password @@ -4945,14 +4986,9 @@ Opció predeterminada. Repetiu la contrasenya d'arrel. - - Validate passwords quality - Valida la qualitat de les contrasenyes. - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quan aquesta casella està marcada, es comprova la fortalesa de la contrasenya i no en podreu fer una de dèbil. + + Enter the same password twice, so that it can be checked for typing errors. + Escriviu la mateixa contrasenya dos cops per poder-ne comprovar els errors de mecanografia. @@ -4960,49 +4996,14 @@ Opció predeterminada. Entra automàticament sense demanar la contrasenya. - - Your full name - El nom complet - - - - Login name - Nom per a l'entrada - - - - Computer name - Nom de l'ordinador - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Només es permeten lletres, números, guionets, guionets baixos i un mínim de dos caràcters. - - - - Repeat password - Repetiu la contrasenya. - - - - Reuse user password as root password - Reutilitza la contrasenya d'usuari com a contrasenya d'arrel. - - - - Use the same password for the administrator account. - Usa la mateixa contrasenya per al compte d'administració. - - - - Choose a root password to keep your account safe. - Trieu una contrasenya d'arrel per mantenir el compte segur. + + Validate passwords quality + Valida la qualitat de les contrasenyes. - - Enter the same password twice, so that it can be checked for typing errors. - Escriviu la mateixa contrasenya dos cops per poder-ne comprovar els errors de mecanografia. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quan aquesta casella està marcada, es comprova la fortalesa de la contrasenya i no en podreu fer una de dèbil. @@ -5017,11 +5018,21 @@ Opció predeterminada. What is your name? Com us dieu? + + + Your full name + El nom complet + What name do you want to use to log in? Quin nom voleu usar per iniciar la sessió? + + + Login name + Nom per a l'entrada + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5042,16 +5053,6 @@ Opció predeterminada. What is the name of this computer? Com es diu aquest ordinador? - - - Your full name - El nom complet - - - - Login name - Nom per a l'entrada - Computer name @@ -5087,16 +5088,6 @@ Opció predeterminada. Repeat password Repetiu la contrasenya. - - - Root password - Contrasenya d'arrel - - - - Repeat root password - Repetiu la contrasenya d'arrel. - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5117,6 +5108,16 @@ Opció predeterminada. Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantenir el compte segur. + + + Root password + Contrasenya d'arrel + + + + Repeat root password + Repetiu la contrasenya d'arrel. + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ca@valencia.ts b/lang/calamares_ca@valencia.ts index 0c71369a9e..30ef3cad92 100644 --- a/lang/calamares_ca@valencia.ts +++ b/lang/calamares_ca@valencia.ts @@ -126,18 +126,13 @@ Interfície: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet Torna a carregar el full d'estil - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arbre d'elements + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + La càrrega no s'ha fet correctament. No s'ha enganxat res a la xarxa. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + URL de publicació del registre d'instal·lació + &Yes @@ -407,7 +426,7 @@ Tan&ca - + Setup Failed @title S'ha produït un error en la configuració. @@ -437,13 +456,13 @@ No es pot instal·lar %1. El Calamares no ha pogut carregar tots els mòduls configurats. El problema es troba en com utilitza el Calamares la distribució. - + <br/>The following modules could not be loaded: @info <br/>No s'han pogut carregar els mòduls següents: - + Continue with Setup? @title @@ -461,129 +480,110 @@ El programa de configuració %1 està a punt de fer canvis en el disc per a configurar %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version L'instal·lador per a %1 està a punt de fer canvis en el disc per tal d'instal·lar-hi %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instal·la - + Setup is complete. Close the setup program. @tooltip La configuració s'ha completat. Tanqueu el programa de configuració. - + The installation is complete. Close the installer. @tooltip La instal·lació s'ha completat. Tanqueu l'instal·lador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Següent - + &Back @button A&rrere - + &Done @button &Fet - + &Cancel @button &Cancel·la - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL de publicació del registre d'instal·lació - - - - The upload was unsuccessful. No web-paste was done. - La càrrega no s'ha fet correctament. No s'ha enganxat res a la xarxa. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Voleu cancel·lar el procés de configuració actual? El programa de configuració es tancarà i es perdran tots els canvis. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Voleu cancel·lar el procés d'instal·lació actual? @@ -593,25 +593,25 @@ L'instal·lador es tancarà i tots els canvis es perdran. CalamaresPython::Helper - + Unknown exception type @error Tipus d'excepció desconeguda - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ L'instal·lador es tancarà i tots els canvis es perdran. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particions manuals</strong><br/>Podeu crear particions o canviar-ne la mida pel vostre compte. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccioneu una partició per a reduir-la i arrossegueu-la per a redimensionar-la</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ L'instal·lador es tancarà i tots els canvis es perdran. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccioneu una partició per a reduir-la i arrossegueu-la per a redimensionar-la</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ L'instal·lador es tancarà i tots els canvis es perdran. @label Intercanvi en fitxer + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particions manuals</strong><br/>Podeu crear particions o canviar-ne la mida pel vostre compte. + Bootloader location: @@ -836,44 +836,44 @@ L'instal·lador es tancarà i tots els canvis es perdran. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Neteja els muntatges per a les operacions de partició en %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 S'han netejat tots els muntatges de %1. @@ -909,129 +909,112 @@ L'instal·lador es tancarà i tots els canvis es perdran. Config - - Network Installation. (Disabled: Incorrect configuration) - Instal·lació per xarxa. (Inhabilitada: configuració incorrecta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instal·lació per xarxa. (Inhabilitada: dades de grups rebudes no vàlides) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - Selecció de paquets + + Setup Failed + @title + S'ha produït un error en la configuració. - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instal·lació per xarxa. (Inhabilitada: no es poden obtindre les llistes de paquets, comproveu la connexió.) + + Installation Failed + @title + La instal·lació ha fallat. - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Aquest ordinador no satisfà alguns dels requisits recomanats per a configurar-hi %1.<br/>La configuració pot continuar, però és possible que algunes característiques no estiguen habilitades. - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Aquest ordinador no satisfà alguns dels requisits recomanats per a instal·lar-hi %1.<br/>La instal·lació pot continuar, però és possible que algunes característiques no estiguen habilitades. - - - - This program will ask you some questions and set up %2 on your computer. - Aquest programa us farà unes preguntes i instal·larà %2 en l'ordinador. + + Setup Complete + @title + S'ha completat la configuració. - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Us donen la benvinguda al programa de configuració del Calamares per a %1</h1> + + Installation Complete + @title + Ha acabat la instal·lació. - - <h1>Welcome to %1 setup</h1> - <h1>Us donen la benvinguda a la configuració per a %1</h1> + + The setup of %1 is complete. + @info + La configuració de %1 ha acabat. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Us donen la benvinguda a l'instal·lador del Calamares per a %1</h1> + + The installation of %1 is complete. + @info + La instal·lació de %1 ha acabat. - - <h1>Welcome to the %1 installer</h1> - <h1>Us donen la benvinguda a l'instal·lador per a %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - El nom d'usuari és massa llarg. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - No es permet %1 com a nom d'usuari. + + Set timezone to %1/%2 + @action + Estableix el fus horari en %1/%2 - - Your username must start with a lowercase letter or underscore. - El nom d'usuari ha de començar amb una lletra en minúscula o una ratlla baixa. + + The system language will be set to %1. + @info + La llengua del sistema s'establirà en %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Només es permeten lletres en minúscula, números, ratlles baixes i guions. + + The numbers and dates locale will be set to %1. + @info + Els números i les dates de la configuració local s'establiran en %1. - - Your hostname is too short. - El nom d'amfitrió és massa curt. + + Network Installation. (Disabled: Incorrect configuration) + Instal·lació per xarxa. (Inhabilitada: configuració incorrecta) - - Your hostname is too long. - El nom d'amfitrió és massa llarg. + + Network Installation. (Disabled: Received invalid groups data) + Instal·lació per xarxa. (Inhabilitada: dades de grups rebudes no vàlides) - - '%1' is not allowed as hostname. - No es permet %1 com a nom d'amfitrió. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Només es permeten lletres, números, ratlles baixes i guions. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instal·lació per xarxa. (Inhabilitada: no es poden obtindre les llistes de paquets, comproveu la connexió.) - - Your passwords do not match! - Les contrasenyes no coincideixen. + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Selecció de paquets @@ -1075,82 +1058,99 @@ L'instal·lador es tancarà i tots els canvis es perdran. Això és un resum de què passarà quan s'inicie el procés d'instal·lació. - - Setup Failed - @title - S'ha produït un error en la configuració. + + Your username is too long. + El nom d'usuari és massa llarg. - - Installation Failed - @title - La instal·lació ha fallat. + + Your username must start with a lowercase letter or underscore. + El nom d'usuari ha de començar amb una lletra en minúscula o una ratlla baixa. - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Només es permeten lletres en minúscula, números, ratlles baixes i guions. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + No es permet %1 com a nom d'usuari. - - Setup Complete - @title - S'ha completat la configuració. + + Your hostname is too short. + El nom d'amfitrió és massa curt. - - Installation Complete - @title - Ha acabat la instal·lació. + + Your hostname is too long. + El nom d'amfitrió és massa llarg. - - The setup of %1 is complete. - @info - La configuració de %1 ha acabat. + + '%1' is not allowed as hostname. + No es permet %1 com a nom d'amfitrió. - - The installation of %1 is complete. - @info - La instal·lació de %1 ha acabat. + + Only letters, numbers, underscore and hyphen are allowed. + Només es permeten lletres, números, ratlles baixes i guions. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Les contrasenyes no coincideixen. + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - Estableix el fus horari en %1/%2 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info - La llengua del sistema s'establirà en %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Aquest ordinador no satisfà alguns dels requisits recomanats per a configurar-hi %1.<br/>La configuració pot continuar, però és possible que algunes característiques no estiguen habilitades. - - The numbers and dates locale will be set to %1. - @info - Els números i les dates de la configuració local s'establiran en %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Aquest ordinador no satisfà alguns dels requisits recomanats per a instal·lar-hi %1.<br/>La instal·lació pot continuar, però és possible que algunes característiques no estiguen habilitades. + + + + This program will ask you some questions and set up %2 on your computer. + Aquest programa us farà unes preguntes i instal·larà %2 en l'ordinador. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Us donen la benvinguda al programa de configuració del Calamares per a %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Us donen la benvinguda a la configuració per a %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Us donen la benvinguda a l'instal·lador del Calamares per a %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Us donen la benvinguda a l'instal·lador per a %1</h1> @@ -1475,9 +1475,14 @@ L'instal·lador es tancarà i tots els canvis es perdran. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Aquest dispositiu té una taula de particions <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Aquest tipus de taula de particions és només recomanable en sistemes més antics que s'inicien des d'un entorn d'arrancada <strong>BIOS</strong>. Per a la majoria de la resta d'usos, es recomana fer servir GPT.<br><br><strong>Avís:</strong> la taula de particions MBR és un estàndard obsolet de l'era MSDOS. Es poden crear <br>només 4 <em>particions primàries</em> i d'aquestes 4, una pot ser una partició <em>ampliada</em> que pot contindre algunes particions <em>lògiques</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Aquest és el tipus de taula de particions recomanat per als sistemes moderns que s'inicien des d'un entorn d'arrancada <strong>EFI</strong>. @@ -1490,14 +1495,9 @@ L'instal·lador es tancarà i tots els canvis es perdran. Aquest instal·lador <strong>no pot detectar una taula de particions</strong> en el dispositiu d'emmagatzematge seleccionat.<br><br>O bé el dispositiu no té taula de particions o la taula de particions és corrupta o d'un tipus desconegut.<br>Aquest instal·lador pot crear una nova taula de particions, o bé automàticament o a través de la pàgina del partidor manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Aquest és el tipus de taula de particions recomanat per als sistemes moderns que s'inicien des d'un entorn d'arrancada <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Aquest tipus de taula de particions és només recomanable en sistemes més antics que s'inicien des d'un entorn d'arrancada <strong>BIOS</strong>. Per a la majoria de la resta d'usos, es recomana fer servir GPT.<br><br><strong>Avís:</strong> la taula de particions MBR és un estàndard obsolet de l'era MSDOS. Es poden crear <br>només 4 <em>particions primàries</em> i d'aquestes 4, una pot ser una partició <em>ampliada</em> que pot contindre algunes particions <em>lògiques</em>. + + This device has a <strong>%1</strong> partition table. + Aquest dispositiu té una taula de particions <strong>%1</strong>. @@ -2273,7 +2273,7 @@ L'instal·lador es tancarà i tots els canvis es perdran. LocaleTests - + Quit @@ -2447,6 +2447,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé label for netinstall module, choose desktop environment Escriptori + + + Applications + Aplicacions + Communication @@ -2495,11 +2500,6 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé label for netinstall module Utilitats - - - Applications - Aplicacions - NotesQmlViewStep @@ -2672,11 +2672,27 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé The password contains forbidden words in some form La contrasenya d'alguna manera conté paraules prohibides. + + + The password contains fewer than %n digits + + + + + The password contains too few digits La contrasenya no conté prou dígits. + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé The password contains too few lowercase letters La contrasenya no conté prou lletres en minúscula. - - - The password contains too few non-alphanumeric characters - La contrasenya no conté prou caràcters no alfanumèrics. - - - - The password is too short - La contrasenya és massa curta. - - - - The password does not contain enough character classes - La contrasenya no conté prou tipus de caràcters. - - - - The password contains too many same characters consecutively - La contrasenya conté consecutivament massa caràcters idèntics. - - - - The password contains too many characters of the same class consecutively - La contrasenya conté consecutivament massa caràcters de la mateixa classe. - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé + + + The password contains too few non-alphanumeric characters + La contrasenya no conté prou caràcters no alfanumèrics. + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé + + + The password is too short + La contrasenya és massa curta. + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé + + + The password does not contain enough character classes + La contrasenya no conté prou tipus de caràcters. + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé + + + The password contains too many same characters consecutively + La contrasenya conté consecutivament massa caràcters idèntics. + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé + + + The password contains too many characters of the same class consecutively + La contrasenya conté consecutivament massa caràcters de la mateixa classe. + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particions + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Actual: - - No EFI system partition configured - No hi ha cap partició EFI de sistema configurada + + After: + @label + Després: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particions - - - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Després: + + No EFI system partition configured + No hi ha cap partició EFI de sistema configurada - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,14 +3394,14 @@ per a desplaçar-s'hi i useu els botons +/- per a ampliar-lo o reduir-lo, o bé ProcessResult - + There was no output from the command. No hi ha hagut eixida de l'ordre. - + Output: @@ -3410,52 +3410,52 @@ Eixida: - + External command crashed. L'ordre externa ha fallat. - + Command <i>%1</i> crashed. L'ordre <i>%1</i> ha fallat. - + External command failed to start. L'ordre externa no s'ha pogut iniciar. - + Command <i>%1</i> failed to start. L'ordre <i>%1</i> no s'ha pogut iniciar. - + Internal error when starting command. S'ha produït un error intern en iniciar l'ordre. - + Bad parameters for process job call. Hi ha paràmetres incorrectes per a la crida de la tasca del procés. - + External command failed to finish. L'ordre externa no ha acabat correctament. - + Command <i>%1</i> failed to finish in %2 seconds. L'ordre <i>%1</i> no ha pogut acabar en %2 segons. - + External command finished with errors. L'ordre externa ha acabat amb errors. - + Command <i>%1</i> finished with exit code %2. L'ordre <i>%1</i> ha acabat amb el codi d'eixida %2. @@ -3467,6 +3467,30 @@ Eixida: %1 (%2) %1 (%2) + + + unknown + @partition info + desconegut + + + + extended + @partition info + ampliada + + + + unformatted + @partition info + sense format + + + + swap + @partition info + intercanvi + @@ -3498,30 +3522,6 @@ Eixida: (no mount point) (sense punt de muntatge) - - - unknown - @partition info - desconegut - - - - extended - @partition info - ampliada - - - - unformatted - @partition info - sense format - - - - swap - @partition info - intercanvi - Unpartitioned space or unknown partition table @@ -3958,17 +3958,17 @@ La configuració pot continuar, però és possible que algunes característiques Cannot disable root account. No es pot desactivar el compte d'arrel. - - - Cannot set password for user %1. - No es pot establir la contrasenya per a l'usuari %1. - usermod terminated with error code %1. usermod ha terminat amb el codi d'error %1. + + + Cannot set password for user %1. + No es pot establir la contrasenya per a l'usuari %1. + SetTimezoneJob @@ -4061,7 +4061,8 @@ La configuració pot continuar, però és possible que algunes característiques SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4869,11 +4870,21 @@ La configuració pot continuar, però és possible que algunes característiques What is your name? Quin és el vostre nom? + + + Your full name + + What name do you want to use to log in? Quin nom voleu utilitzar per a entrar al sistema? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4894,11 +4905,21 @@ La configuració pot continuar, però és possible que algunes característiques What is the name of this computer? Quin és el nom d'aquest ordinador? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Aquest nom s'usarà si feu visible aquest ordinador per a altres en una xarxa. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4914,11 +4935,31 @@ La configuració pot continuar, però és possible que algunes característiques Password Contrasenya + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Escriviu la mateixa contrasenya dues vegades per a poder comprovar-ne els errors de mecanografia. Una bona contrasenya contindrà una barreja de lletres, números i signes de puntuació. Hauria de tindre un mínim de huit caràcters i s'hauria de canviar sovint. + + + Reuse user password as root password + Reutilitza la contrasenya d'usuari com a contrasenya d'arrel. + + + + Use the same password for the administrator account. + Usa la mateixa contrasenya per al compte d'administració. + + + + Choose a root password to keep your account safe. + Trieu una contrasenya d'arrel per mantindre el compte segur. + Root password @@ -4930,14 +4971,9 @@ La configuració pot continuar, però és possible que algunes característiques - - Validate passwords quality - Valida la qualitat de les contrasenyes. - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quan aquesta casella està marcada, es comprova la fortalesa de la contrasenya i no podreu indicar-ne una de dèbil. + + Enter the same password twice, so that it can be checked for typing errors. + Escriviu la mateixa contrasenya dues vegades per a poder comprovar-ne els errors de mecanografia. @@ -4945,49 +4981,14 @@ La configuració pot continuar, però és possible que algunes característiques Entra automàticament sense demanar la contrasenya. - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Reutilitza la contrasenya d'usuari com a contrasenya d'arrel. - - - - Use the same password for the administrator account. - Usa la mateixa contrasenya per al compte d'administració. - - - - Choose a root password to keep your account safe. - Trieu una contrasenya d'arrel per mantindre el compte segur. + + Validate passwords quality + Valida la qualitat de les contrasenyes. - - Enter the same password twice, so that it can be checked for typing errors. - Escriviu la mateixa contrasenya dues vegades per a poder comprovar-ne els errors de mecanografia. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quan aquesta casella està marcada, es comprova la fortalesa de la contrasenya i no podreu indicar-ne una de dèbil. @@ -5002,11 +5003,21 @@ La configuració pot continuar, però és possible que algunes característiques What is your name? Quin és el vostre nom? + + + Your full name + + What name do you want to use to log in? Quin nom voleu utilitzar per a entrar al sistema? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5027,16 +5038,6 @@ La configuració pot continuar, però és possible que algunes característiques What is the name of this computer? Quin és el nom d'aquest ordinador? - - - Your full name - - - - - Login name - - Computer name @@ -5072,16 +5073,6 @@ La configuració pot continuar, però és possible que algunes característiques Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5102,6 +5093,16 @@ La configuració pot continuar, però és possible que algunes característiques Choose a root password to keep your account safe. Trieu una contrasenya d'arrel per mantindre el compte segur. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_cs_CZ.ts b/lang/calamares_cs_CZ.ts index c3f31558d6..0a6d59f663 100644 --- a/lang/calamares_cs_CZ.ts +++ b/lang/calamares_cs_CZ.ts @@ -125,31 +125,21 @@ Interface: Rozhraní: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Znovu načíst tabulky stylů ze složky s přizpůsobením vzhledu. - - - Uploads the session log to the configured pastebin. - Nahraje záznam událostí z relace do nastavené instance pastebin. - - - - Send Session Log - Odeslat záznamu událostí z relace - Reload Stylesheet Znovunačíst sešit se styly - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Strom ovládacích prvků + + + Uploads the session log to the configured pastebin. + Nahraje záznam událostí z relace do nastavené instance pastebin. + + + + Send Session Log + Odeslat záznamu událostí z relace + Debug Information @@ -379,11 +379,11 @@ (%n second(s)) @status - - - - - + + (%n sekundu) + (%n sekundy) + (%n sekund) + (%n sekundy) @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Nahrání se nezdařilo. Na web nebylo nic vloženo. + + + + Install log posted to + +%1 + +Link copied to clipboard + Záznam událostí z instalace poskytnut na + +%1 + +Odkaz na něj zkopírován do schránky + + + + Install Log Paste URL + URL pro vložení záznamu událostí při instalaci + &Yes @@ -411,7 +434,7 @@ &Zavřít - + Setup Failed @title Nastavení se nezdařilo @@ -441,13 +464,13 @@ %1 nemůže být nainstalováno. Calamares se nepodařilo načíst všechny nastavené moduly. Toto je problém způsobu použití Calamares ve vámi používané distribuci. - + <br/>The following modules could not be loaded: @info <br/> Následující moduly se nepodařilo načíst: - + Continue with Setup? @title @@ -465,133 +488,110 @@ Instalátor %1 provede změny na datovém úložišti, aby bylo nainstalováno %2.<br/><strong>Změny nebude možné vrátit zpět.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Instalátor %1 provede změny na datovém úložišti, aby bylo nainstalováno %2.<br/><strong>Změny nebude možné vrátit zpět.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button Na&instalovat - + Setup is complete. Close the setup program. @tooltip Nastavení je dokončeno. Ukončete nastavovací program. - + The installation is complete. Close the installer. @tooltip Instalace je dokončena. Ukončete instalátor. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Další - + &Back @button &Zpět - + &Done @button &Hotovo - + &Cancel @button &Storno - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL pro vložení záznamu událostí při instalaci - - - - The upload was unsuccessful. No web-paste was done. - Nahrání se nezdařilo. Na web nebylo nic vloženo. - - - - Install log posted to - -%1 - -Link copied to clipboard - Záznam událostí z instalace poskytnut na - -%1 - -Odkaz na něj zkopírován do schránky - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Opravdu chcete přerušit instalaci? Instalační program bude ukončen a všechny změny ztraceny. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Opravdu chcete instalaci přerušit? @@ -601,25 +601,25 @@ Instalační program bude ukončen a všechny změny ztraceny. CalamaresPython::Helper - + Unknown exception type @error Neznámý typ výjimky - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -676,16 +676,6 @@ Instalační program bude ukončen a všechny změny ztraceny. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ruční rozdělení datového úložiště</strong><br/>Sami si můžete vytvořit vytvořit nebo zvětšit/zmenšit oddíly. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vyberte oddíl, který chcete zmenšit, poté posouváním na spodní liště změňte jeho velikost.</strong> - Select storage de&vice: @@ -713,6 +703,11 @@ Instalační program bude ukončen a všechny změny ztraceny. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vyberte oddíl, který chcete zmenšit, poté posouváním na spodní liště změňte jeho velikost.</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -834,6 +829,11 @@ Instalační program bude ukončen a všechny změny ztraceny. @label Odkládat do souboru + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ruční rozdělení datového úložiště</strong><br/>Sami si můžete vytvořit vytvořit nebo zvětšit/zmenšit oddíly. + Bootloader location: @@ -844,44 +844,44 @@ Instalační program bude ukončen a všechny změny ztraceny. ClearMountsJob - + Successfully unmounted %1. Úspěšně odpojeno %1. - + Successfully disabled swap %1. Úspěšně vypnut swap %1. - + Successfully cleared swap %1. Úspěšně vyčištěn swap %1. - + Successfully closed mapper device %1. Úspěšně zavřeno mapper zařízení %1. - + Successfully disabled volume group %1. Úspěšně vypnuta skupina svazků %1. - + Clear mounts for partitioning operations on %1 @title Odpojit souborové systémy před zahájením dělení %1 na oddíly - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Všechny souborové systémy na %1 odpojeny @@ -917,129 +917,112 @@ Instalační program bude ukončen a všechny změny ztraceny. Config - - Network Installation. (Disabled: Incorrect configuration) - Síťová instalace. (vypnuto: nesprávné nastavení) - - - - Network Installation. (Disabled: Received invalid groups data) - Síťová instalace. (Vypnuto: Obdrženy neplatné údaje skupin) - - - - Network Installation. (Disabled: Internal error) - Instalace ze sítě. (Vypnuto: vnitřní chyba) - - - - Network Installation. (Disabled: No package list) - Instalace ze sítě. (Vypnuto: Není seznam balíčků) - - - - Package selection - Výběr balíčků - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Síťová instalace. (Vypnuto: Nedaří se stáhnout seznamy balíčků – zkontrolujte připojení k síti) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Nastavení se nezdařilo - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Instalace se nezdařila - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. + + The setup of %1 did not complete successfully. + @info + Nastavení %1 nebylo úspěšně dokončeno. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. + + The installation of %1 did not complete successfully. + @info + Instalace %1 nebyla úspěšně dokončena. - - This program will ask you some questions and set up %2 on your computer. - Tento program vám položí několik dotazů, aby na základě odpovědí příslušně nainstaloval %2 na váš počítač. + + Setup Complete + @title + Nastavení dokončeno - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Vítejte v Calamares – instalačním programu pro %1.</h1> + + Installation Complete + @title + Instalace dokončena - - <h1>Welcome to %1 setup</h1> - <h1>Vítejte v instalátoru %1</h1> + + The setup of %1 is complete. + @info + Nastavení %1 je dokončeno. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Vítejte v Calamares, instalačním programu pro %1</h1> + + The installation of %1 is complete. + @info + Instalace %1 je dokončena. - - <h1>Welcome to the %1 installer</h1> - <h1>Vítejte v instalátoru %1.</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Vaše uživatelské jméno je příliš dlouhé. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - „%1“ není možné použít jako uživatelské jméno. + + Set timezone to %1/%2 + @action + Nastavit časové pásmo na %1/%2 - - Your username must start with a lowercase letter or underscore. - Je třeba, aby uživatelské jméno začínalo na malé písmeno nebo podtržítko. + + The system language will be set to %1. + @info + Jazyk systému bude nastaven na %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Je možné použít pouze malá písmena, číslice, podtržítko a spojovník. + + The numbers and dates locale will be set to %1. + @info + Formát zobrazení čísel, data a času bude nastaven dle národního prostředí %1. - - Your hostname is too short. - Název stroje je příliš krátký. + + Network Installation. (Disabled: Incorrect configuration) + Síťová instalace. (vypnuto: nesprávné nastavení) - - Your hostname is too long. - Název stroje je příliš dlouhý. + + Network Installation. (Disabled: Received invalid groups data) + Síťová instalace. (Vypnuto: Obdrženy neplatné údaje skupin) - - '%1' is not allowed as hostname. - „%1“ není možné použít jako název počítače. + + Network Installation. (Disabled: Internal error) + Instalace ze sítě. (Vypnuto: vnitřní chyba) - - Only letters, numbers, underscore and hyphen are allowed. - Je možné použít pouze písmena, číslice, podtržítko a spojovník. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Síťová instalace. (Vypnuto: Nedaří se stáhnout seznamy balíčků – zkontrolujte připojení k síti) - - Your passwords do not match! - Zadání hesla se neshodují! + + Network Installation. (Disabled: No package list) + Instalace ze sítě. (Vypnuto: Není seznam balíčků) - - OK! - OK! + + Package selection + Výběr balíčků @@ -1078,87 +1061,104 @@ Instalační program bude ukončen a všechny změny ztraceny. Toto je přehled událostí které nastanou po spuštění instalačního procesu. - - This is an overview of what will happen once you start the install procedure. - Toto je přehled událostí které nastanou po spuštění instalačního procesu. + + This is an overview of what will happen once you start the install procedure. + Toto je přehled událostí které nastanou po spuštění instalačního procesu. + + + + Your username is too long. + Vaše uživatelské jméno je příliš dlouhé. + + + + Your username must start with a lowercase letter or underscore. + Je třeba, aby uživatelské jméno začínalo na malé písmeno nebo podtržítko. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Je možné použít pouze malá písmena, číslice, podtržítko a spojovník. + + + + '%1' is not allowed as username. + „%1“ není možné použít jako uživatelské jméno. + + + + Your hostname is too short. + Název stroje je příliš krátký. - - Setup Failed - @title - Nastavení se nezdařilo + + Your hostname is too long. + Název stroje je příliš dlouhý. - - Installation Failed - @title - Instalace se nezdařila + + '%1' is not allowed as hostname. + „%1“ není možné použít jako název počítače. - - The setup of %1 did not complete successfully. - @info - Nastavení %1 nebylo úspěšně dokončeno. + + Only letters, numbers, underscore and hyphen are allowed. + Je možné použít pouze písmena, číslice, podtržítko a spojovník. - - The installation of %1 did not complete successfully. - @info - Instalace %1 nebyla úspěšně dokončena. + + Your passwords do not match! + Zadání hesla se neshodují! - - Setup Complete - @title - Nastavení dokončeno + + OK! + OK! - - Installation Complete - @title - Instalace dokončena + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - The setup of %1 is complete. - @info - Nastavení %1 je dokončeno. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The installation of %1 is complete. - @info - Instalace %1 je dokončena. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + This program will ask you some questions and set up %2 on your computer. + Tento program vám položí několik dotazů, aby na základě odpovědí příslušně nainstaloval %2 na váš počítač. - - Set timezone to %1/%2 - @action - Nastavit časové pásmo na %1/%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Vítejte v Calamares – instalačním programu pro %1.</h1> - - The system language will be set to %1. - @info - Jazyk systému bude nastaven na %1. + + <h1>Welcome to %1 setup</h1> + <h1>Vítejte v instalátoru %1</h1> - - The numbers and dates locale will be set to %1. - @info - Formát zobrazení čísel, data a času bude nastaven dle národního prostředí %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Vítejte v Calamares, instalačním programu pro %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Vítejte v instalátoru %1.</h1> @@ -1483,9 +1483,14 @@ Instalační program bude ukončen a všechny změny ztraceny. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Na tomto zařízení je tabulka oddílů <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Tento typ tabulky oddílů je vhodný pro starší systémy, které jsou spouštěny z prostředí <strong>BIOS</strong>. Více se dnes využívá GPT.<br><strong>Upozornění:</strong> Tabulka oddílů MBR je zastaralý standard z dob MS-DOS.<br>Lze vytvořit pouze 4 <em>primární</em> oddíly, a z těchto 4, jeden může být <em>rozšířeným</em> oddílem, který potom může obsahovat více <em>logických</em> oddílů. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Toto je doporučený typ tabulky oddílů pro moderní systémy, které se spouští pomocí <strong>UEFI</strong> zaváděcího prostředí. @@ -1498,14 +1503,9 @@ Instalační program bude ukončen a všechny změny ztraceny. Instalační program na zvoleném zařízení <strong>nezjistil žádnou tabulku oddílů</strong>.<br><br>Toto zařízení buď žádnou tabulku nemá nebo je porušená nebo neznámého typu.<br> Instalátor může vytvořit novou tabulku oddílů – buď automaticky nebo přes ruční rozdělení jednotky. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Toto je doporučený typ tabulky oddílů pro moderní systémy, které se spouští pomocí <strong>UEFI</strong> zaváděcího prostředí. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Tento typ tabulky oddílů je vhodný pro starší systémy, které jsou spouštěny z prostředí <strong>BIOS</strong>. Více se dnes využívá GPT.<br><strong>Upozornění:</strong> Tabulka oddílů MBR je zastaralý standard z dob MS-DOS.<br>Lze vytvořit pouze 4 <em>primární</em> oddíly, a z těchto 4, jeden může být <em>rozšířeným</em> oddílem, který potom může obsahovat více <em>logických</em> oddílů. + + This device has a <strong>%1</strong> partition table. + Na tomto zařízení je tabulka oddílů <strong>%1</strong>. @@ -2281,7 +2281,7 @@ Instalační program bude ukončen a všechny změny ztraceny. LocaleTests - + Quit Ukončit @@ -2455,6 +2455,11 @@ Instalační program bude ukončen a všechny změny ztraceny. label for netinstall module, choose desktop environment Desktop + + + Applications + Aplikace + Communication @@ -2503,11 +2508,6 @@ Instalační program bude ukončen a všechny změny ztraceny. label for netinstall module Nástroje - - - Applications - Aplikace - NotesQmlViewStep @@ -2680,11 +2680,31 @@ Instalační program bude ukončen a všechny změny ztraceny. The password contains forbidden words in some form Heslo obsahuje nějakou formou slova, která není možné použít + + + The password contains fewer than %n digits + + Heslo obsahuje méně než %1 číslici + Heslo obsahuje méně než %1 číslice + Heslo obsahuje méně než %1 číslic + Heslo obsahuje méně než %1 číslice + + The password contains too few digits Heslo obsahuje příliš málo číslic + + + The password contains fewer than %n uppercase letters + + Heslo obsahuje méně než %n velké písmeno + Heslo obsahuje méně než %n velká písmena + Heslo obsahuje méně než %n velkých písmen + Heslo obsahuje méně než %n velká písmena + + The password contains too few uppercase letters @@ -2705,51 +2725,6 @@ Instalační program bude ukončen a všechny změny ztraceny. The password contains too few lowercase letters Heslo obsahuje příliš málo malých písmen - - - The password contains too few non-alphanumeric characters - Heslo obsahuje příliš málo speciálních znaků - - - - The password is too short - Heslo je příliš krátké - - - - The password does not contain enough character classes - Heslo není tvořeno dostatečným počtem druhů znaků - - - - The password contains too many same characters consecutively - Heslo obsahuje příliš mnoho stejných znaků za sebou - - - - The password contains too many characters of the same class consecutively - Heslo obsahuje příliš mnoho znaků stejného druhu za sebou - - - - The password contains fewer than %n digits - - Heslo obsahuje méně než %1 číslici - Heslo obsahuje méně než %1 číslice - Heslo obsahuje méně než %1 číslic - Heslo obsahuje méně než %1 číslice - - - - - The password contains fewer than %n uppercase letters - - Heslo obsahuje méně než %n velké písmeno - Heslo obsahuje méně než %n velká písmena - Heslo obsahuje méně než %n velkých písmen - Heslo obsahuje méně než %n velká písmena - - The password contains fewer than %n non-alphanumeric characters @@ -2760,6 +2735,11 @@ Instalační program bude ukončen a všechny změny ztraceny. Heslo obsahuje méně než %n speciální znaky + + + The password contains too few non-alphanumeric characters + Heslo obsahuje příliš málo speciálních znaků + The password is shorter than %n characters @@ -2770,6 +2750,11 @@ Instalační program bude ukončen a všechny změny ztraceny. Heslo je kratší než %1 znaky + + + The password is too short + Heslo je příliš krátké + The password is a rotated version of the previous one @@ -2785,6 +2770,11 @@ Instalační program bude ukončen a všechny změny ztraceny. Heslo obsahuje méně než %n druhy znaků + + + The password does not contain enough character classes + Heslo není tvořeno dostatečným počtem druhů znaků + The password contains more than %n same characters consecutively @@ -2795,6 +2785,11 @@ Instalační program bude ukončen a všechny změny ztraceny. Heslo obsahuje více než %1 stejné znaky za sebou + + + The password contains too many same characters consecutively + Heslo obsahuje příliš mnoho stejných znaků za sebou + The password contains more than %n characters of the same class consecutively @@ -2805,6 +2800,11 @@ Instalační program bude ukončen a všechny změny ztraceny. Heslo obsahuje více než %n znaky stejného druhu za sebou + + + The password contains too many characters of the same class consecutively + Heslo obsahuje příliš mnoho znaků stejného druhu za sebou + The password contains monotonic sequence longer than %n characters @@ -3230,6 +3230,18 @@ Instalační program bude ukončen a všechny změny ztraceny. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Oddíly + Unsafe partition actions are enabled. @@ -3246,35 +3258,27 @@ Instalační program bude ukončen a všechny změny ztraceny. Žádné oddíly nebudou změněny. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Není nastavený žádný EFI systémový oddíl - - - - EFI system partition configured incorrectly - EFI systémový oddíl není nastaven správně + + Current: + @label + Stávající: + + + + After: + @label + Potom: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Aby bylo možné spouštět %1, je zapotřebí EFI systémový oddíl.<br/><br/>Takový nastavíte tak, že se vrátíte zpět a vyberete nebo vytvoříte příhodný souborový systém. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3285,6 +3289,11 @@ Instalační program bude ukončen a všechny změny ztraceny. The filesystem must have type FAT32. Je třeba, aby souborový systém byl typu FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Je třeba, aby souborový systém měl nastavený příznak <strong>%1</strong>. + @@ -3292,38 +3301,29 @@ Instalační program bude ukončen a všechny změny ztraceny. Je třeba, aby souborový systém byl alespoň %1 MiB velký. - - The filesystem must have flag <strong>%1</strong> set. - Je třeba, aby souborový systém měl nastavený příznak <strong>%1</strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Oddíly + + You can continue without setting up an EFI system partition but your system may fail to start. + Je možné pokračovat bez vytvoření EFI systémového oddílu, ale může se stát, že váš systém tím nenastartuje. - - Current: - @label - Stávající: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Potom: + + No EFI system partition configured + Není nastavený žádný EFI systémový oddíl - - You can continue without setting up an EFI system partition but your system may fail to start. - Je možné pokračovat bez vytvoření EFI systémového oddílu, ale může se stát, že váš systém tím nenastartuje. + + EFI system partition configured incorrectly + EFI systémový oddíl není nastaven správně @@ -3420,14 +3420,14 @@ Instalační program bude ukončen a všechny změny ztraceny. ProcessResult - + There was no output from the command. Příkaz neposkytl žádný výstup. - + Output: @@ -3436,52 +3436,52 @@ Výstup: - + External command crashed. Vnější příkaz byl neočekávaně ukončen. - + Command <i>%1</i> crashed. Příkaz <i>%1</i> byl neočekávaně ukončen. - + External command failed to start. Vnější příkaz se nepodařilo spustit. - + Command <i>%1</i> failed to start. Příkaz <i>%1</i> se nepodařilo spustit. - + Internal error when starting command. Vnitřní chyba při spouštění příkazu. - + Bad parameters for process job call. Chybné parametry volání úlohy procesu. - + External command failed to finish. Vnější příkaz se nepodařilo dokončit. - + Command <i>%1</i> failed to finish in %2 seconds. Příkaz <i>%1</i> se nepodařilo dokončit do %2 sekund. - + External command finished with errors. Vnější příkaz skončil s chybami. - + Command <i>%1</i> finished with exit code %2. Příkaz <i>%1</i> skončil s návratovým kódem %2. @@ -3493,6 +3493,30 @@ Výstup: %1 (%2) %1 (%2) + + + unknown + @partition info + neznámý + + + + extended + @partition info + rozšířený + + + + unformatted + @partition info + nenaformátovaný + + + + swap + @partition info + odkládací oddíl + @@ -3524,30 +3548,6 @@ Výstup: (no mount point) (žádný přípojný bod) - - - unknown - @partition info - neznámý - - - - extended - @partition info - rozšířený - - - - unformatted - @partition info - nenaformátovaný - - - - swap - @partition info - odkládací oddíl - Unpartitioned space or unknown partition table @@ -3984,17 +3984,17 @@ Výstup: Cannot disable root account. Nedaří se zakázat účet správce systému (root). - - - Cannot set password for user %1. - Nepodařilo se nastavit heslo uživatele %1. - usermod terminated with error code %1. Příkaz usermod ukončen s chybovým kódem %1. + + + Cannot set password for user %1. + Nepodařilo se nastavit heslo uživatele %1. + SetTimezoneJob @@ -4087,7 +4087,8 @@ Výstup: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4902,11 +4903,21 @@ Výstup: What is your name? Jak se jmenujete? + + + Your full name + + What name do you want to use to log in? Jaké jméno chcete používat pro přihlašování do systému? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4927,11 +4938,21 @@ Výstup: What is the name of this computer? Jaký je název tohoto počítače? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Pod tímto názvem se bude počítač případně zobrazovat ostatním počítačům v síti. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Je možné použít pouze písmena, číslice, podtržítko a spojovník. Dále je třeba, aby délka byla alespoň dva znaky. + localhost is not allowed as hostname. @@ -4947,11 +4968,31 @@ Výstup: Password Heslo + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Zadání hesla zopakujte i do kontrolní kolonky, abyste měli jistotu, že jste napsali, co zamýšleli (že nedošlo k překlepu). Dobré heslo se bude skládat z písmen, číslic a interpunkce a mělo by být alespoň osm znaků dlouhé. Heslo byste také měli pravidelně měnit (prevence škod z jeho případného prozrazení). + + + Reuse user password as root password + Použijte heslo uživatele i pro účet správce (root) + + + + Use the same password for the administrator account. + Použít stejné heslo i pro účet správce systému. + + + + Choose a root password to keep your account safe. + Zvolte heslo uživatele root, aby byl váš účet v bezpečí. + Root password @@ -4963,14 +5004,9 @@ Výstup: - - Validate passwords quality - Ověřte kvalitu hesel - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Když je toto zaškrtnuto, je prověřována odolnost hesla a nebude umožněno použít snadno prolomitelné heslo. + + Enter the same password twice, so that it can be checked for typing errors. + Zadání hesla zopakujte i do kontrolní kolonky, abyste měli jistotu, že jste napsali, co zamýšleli (že nedošlo k překlepu). @@ -4978,49 +5014,14 @@ Výstup: Přihlašovat se automaticky bez zadávání hesla - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Je možné použít pouze písmena, číslice, podtržítko a spojovník. Dále je třeba, aby délka byla alespoň dva znaky. - - - - Repeat password - - - - - Reuse user password as root password - Použijte heslo uživatele i pro účet správce (root) - - - - Use the same password for the administrator account. - Použít stejné heslo i pro účet správce systému. - - - - Choose a root password to keep your account safe. - Zvolte heslo uživatele root, aby byl váš účet v bezpečí. + + Validate passwords quality + Ověřte kvalitu hesel - - Enter the same password twice, so that it can be checked for typing errors. - Zadání hesla zopakujte i do kontrolní kolonky, abyste měli jistotu, že jste napsali, co zamýšleli (že nedošlo k překlepu). + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Když je toto zaškrtnuto, je prověřována odolnost hesla a nebude umožněno použít snadno prolomitelné heslo. @@ -5035,11 +5036,21 @@ Výstup: What is your name? Jak se jmenujete? + + + Your full name + + What name do you want to use to log in? Jaké jméno chcete používat pro přihlašování do systému? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5060,16 +5071,6 @@ Výstup: What is the name of this computer? Jaký je název tohoto počítače? - - - Your full name - - - - - Login name - - Computer name @@ -5105,16 +5106,6 @@ Výstup: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5135,6 +5126,16 @@ Výstup: Choose a root password to keep your account safe. Zvolte heslo uživatele root, aby byl váš účet v bezpečí. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_da.ts b/lang/calamares_da.ts index 13c61dfdb4..2ec9b0447a 100644 --- a/lang/calamares_da.ts +++ b/lang/calamares_da.ts @@ -126,18 +126,13 @@ Grænseflade: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet Genindlæs stilark - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Widgettræ + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n sekund) + (%n sekund(er)) @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Uploaden lykkedes ikke. Der blev ikke foretaget nogen webindsættelse. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + Indsættelses-URL for installationslog + &Yes @@ -407,7 +426,7 @@ &Luk - + Setup Failed @title Opsætningen mislykkedes @@ -437,13 +456,13 @@ %1 kan ikke installeres. Calamares kunne ikke indlæse alle de konfigurerede moduler. Det er et problem med den måde Calamares bruges på af distributionen. - + <br/>The following modules could not be loaded: @info <br/>Følgende moduler kunne ikke indlæses: - + Continue with Setup? @title @@ -461,129 +480,110 @@ %1-opsætningsprogrammet er ved at foretage ændringer til din disk for at opsætte %2.<br/><strong>Det vil ikke være muligt at fortryde ændringerne.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1-installationsprogrammet er ved at foretage ændringer til din disk for at installere %2.<br/><strong>Det vil ikke være muligt at fortryde ændringerne.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Installér - + Setup is complete. Close the setup program. @tooltip Opsætningen er fuldført. Luk opsætningsprogrammet. - + The installation is complete. Close the installer. @tooltip Installationen er fuldført. Luk installationsprogrammet. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Næste - + &Back @button &Tilbage - + &Done @button &Færdig - + &Cancel @button &Annullér - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Indsættelses-URL for installationslog - - - - The upload was unsuccessful. No web-paste was done. - Uploaden lykkedes ikke. Der blev ikke foretaget nogen webindsættelse. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Vil du virkelig annullere den igangværende opsætningsproces? Opsætningsprogrammet vil stoppe og alle ændringer vil gå tabt. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Vil du virkelig annullere den igangværende installationsproces? @@ -593,25 +593,25 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. CalamaresPython::Helper - + Unknown exception type @error Ukendt undtagelsestype - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuel partitionering</strong><br/>Du kan selv oprette og ændre størrelse på partitioner. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vælg en partition der skal mindskes, træk herefter den nederste bjælke for at ændre størrelsen</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vælg en partition der skal mindskes, træk herefter den nederste bjælke for at ændre størrelsen</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.@label Swap til fil + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuel partitionering</strong><br/>Du kan selv oprette og ændre størrelse på partitioner. + Bootloader location: @@ -836,44 +836,44 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Ryd monteringspunkter for partitioneringshandlinger på %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Ryddede alle monteringspunkter til %1 @@ -909,129 +909,112 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. Config - - Network Installation. (Disabled: Incorrect configuration) - Netværksinstallation. (deaktiveret: forkert konfiguration) - - - - Network Installation. (Disabled: Received invalid groups data) - Netværksinstallation. (deaktiveret: modtog ugyldige gruppers data) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - Valg af pakke + + Setup Failed + @title + Opsætningen mislykkedes - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Netværksinstallation. (deaktiveret: kunne ikke hente pakkelister, tjek din netværksforbindelse) + + Installation Failed + @title + Installation mislykkedes - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Computeren imødekommer ikke nogle af de anbefalede systemkrav for at opsætte %1.<br/>Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Computeren imødekommer ikke nogle af de anbefalede systemkrav for at installere %1.<br/>Installationen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - - - - This program will ask you some questions and set up %2 on your computer. - Programmet vil stille dig nogle spørgsmål og opsætte %2 på din computer. + + Setup Complete + @title + Opsætningen er fuldført - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Velkommen til Calamares-opsætningsprogrammet til %1</h1> + + Installation Complete + @title + Installation fuldført - - <h1>Welcome to %1 setup</h1> - <h1>Velkommen til %1-opsætningen</h1> + + The setup of %1 is complete. + @info + Opsætningen af %1 er fuldført. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Velkommen til Calamares-installationsprogrammet til %1</h1> + + The installation of %1 is complete. + @info + Installationen af %1 er fuldført. - - <h1>Welcome to the %1 installer</h1> - <h1>Velkommen til %1-installationsprogrammet</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Dit brugernavn er for langt. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' er ikke tilladt som brugernavn. + + Set timezone to %1/%2 + @action + - - Your username must start with a lowercase letter or underscore. - Dit brugernavn skal begynde med et bogstav med småt eller understregning. + + The system language will be set to %1. + @info + Systemets sprog indstilles til %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Det er kun tilladt at bruge bogstaver med småt, tal, understregning og bindestreg. + + The numbers and dates locale will be set to %1. + @info + Lokalitet for tal og datoer indstilles til %1. - - Your hostname is too short. - Dit værtsnavn er for kort. + + Network Installation. (Disabled: Incorrect configuration) + Netværksinstallation. (deaktiveret: forkert konfiguration) - - Your hostname is too long. - Dit værtsnavn er for langt. + + Network Installation. (Disabled: Received invalid groups data) + Netværksinstallation. (deaktiveret: modtog ugyldige gruppers data) - - '%1' is not allowed as hostname. - '%1' er ikke tilladt som værtsnavn. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Det er kun tilladt at bruge bogstaver, tal, understregning og bindestreg. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Netværksinstallation. (deaktiveret: kunne ikke hente pakkelister, tjek din netværksforbindelse) - - Your passwords do not match! - Dine adgangskoder er ikke ens! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Valg af pakke @@ -1075,82 +1058,99 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Dette er et overblik over hvad der vil ske når du starter installationsprocessen. - - Setup Failed - @title - Opsætningen mislykkedes + + Your username is too long. + Dit brugernavn er for langt. - - Installation Failed - @title - Installation mislykkedes + + Your username must start with a lowercase letter or underscore. + Dit brugernavn skal begynde med et bogstav med småt eller understregning. - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Det er kun tilladt at bruge bogstaver med småt, tal, understregning og bindestreg. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + '%1' er ikke tilladt som brugernavn. - - Setup Complete - @title - Opsætningen er fuldført + + Your hostname is too short. + Dit værtsnavn er for kort. - - Installation Complete - @title - Installation fuldført + + Your hostname is too long. + Dit værtsnavn er for langt. - - The setup of %1 is complete. - @info - Opsætningen af %1 er fuldført. + + '%1' is not allowed as hostname. + '%1' er ikke tilladt som værtsnavn. - - The installation of %1 is complete. - @info - Installationen af %1 er fuldført. + + Only letters, numbers, underscore and hyphen are allowed. + Det er kun tilladt at bruge bogstaver, tal, understregning og bindestreg. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Dine adgangskoder er ikke ens! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The system language will be set to %1. - @info - Systemets sprog indstilles til %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Computeren imødekommer ikke nogle af de anbefalede systemkrav for at opsætte %1.<br/>Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - - The numbers and dates locale will be set to %1. - @info - Lokalitet for tal og datoer indstilles til %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Computeren imødekommer ikke nogle af de anbefalede systemkrav for at installere %1.<br/>Installationen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. + + + + This program will ask you some questions and set up %2 on your computer. + Programmet vil stille dig nogle spørgsmål og opsætte %2 på din computer. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Velkommen til Calamares-opsætningsprogrammet til %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Velkommen til %1-opsætningen</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Velkommen til Calamares-installationsprogrammet til %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Velkommen til %1-installationsprogrammet</h1> @@ -1475,9 +1475,14 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Enheden har en <strong>%1</strong> partitionstabel. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Partitionstabeltypen anbefales kun på ældre systemer der starter fra et <strong>BIOS</strong>-bootmiljø. GPT anbefales i de fleste tilfælde.<br><br><strong>Advarsel:</strong> MBR-partitionstabeltypen er en forældet MS-DOS-æra standard.<br>Kun 4 <em>primære</em> partitioner var tilladt, og ud af de fire kan én af dem være en <em>udvidet</em> partition, som igen må indeholde mange <em>logiske</em> partitioner. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Dette er den anbefalede partitionstabeltype til moderne systemer som starter fra et <strong>EFI</strong>-bootmiljø. @@ -1490,14 +1495,9 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Installationsprogrammet <strong>kan ikke finde en partitionstabel</strong> på den valgte lagerenhed.<br><br>Enten har enheden ikke nogen partitionstabel, eller partitionstabellen er ødelagt eller også er den af en ukendt type.<br>Installationsprogrammet kan oprette en ny partitionstabel for dig, enten automatisk, eller igennem den manuelle partitioneringsside. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Dette er den anbefalede partitionstabeltype til moderne systemer som starter fra et <strong>EFI</strong>-bootmiljø. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Partitionstabeltypen anbefales kun på ældre systemer der starter fra et <strong>BIOS</strong>-bootmiljø. GPT anbefales i de fleste tilfælde.<br><br><strong>Advarsel:</strong> MBR-partitionstabeltypen er en forældet MS-DOS-æra standard.<br>Kun 4 <em>primære</em> partitioner var tilladt, og ud af de fire kan én af dem være en <em>udvidet</em> partition, som igen må indeholde mange <em>logiske</em> partitioner. + + This device has a <strong>%1</strong> partition table. + Enheden har en <strong>%1</strong> partitionstabel. @@ -2273,7 +2273,7 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. LocaleTests - + Quit @@ -2447,6 +2447,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.label for netinstall module, choose desktop environment Skrivebord + + + Applications + Programmer + Communication @@ -2495,11 +2500,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.label for netinstall module Redskaber - - - Applications - Programmer - NotesQmlViewStep @@ -2672,11 +2672,27 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.The password contains forbidden words in some form Adgangskoden indeholder i nogen form forbudte ord + + + The password contains fewer than %n digits + + Adgangskoden indeholder mindre end %1 ciffer + Adgangskoden indeholder mindre end %1 cifre + + The password contains too few digits Adgangskoden indeholder for få cifre + + + The password contains fewer than %n uppercase letters + + Adgangskoden indeholder mindre end %n bogstav med stort + Adgangskoden indeholder mindre end %n bogstaver med stort + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.The password contains too few lowercase letters Adgangskoden indeholder for få bogstaver med småt - - - The password contains too few non-alphanumeric characters - Adgangskoden indeholder for få ikke-alfanumeriske tegn - - - - The password is too short - Adgangskoden er for kort - - - - The password does not contain enough character classes - Adgangskoden indeholder ikke nok tegnklasser - - - - The password contains too many same characters consecutively - Adgangskoden indeholder for mange af de samme tegn i træk - - - - The password contains too many characters of the same class consecutively - Adgangskoden indeholder for mange tegn af den samme klasse i træk - - - - The password contains fewer than %n digits - - Adgangskoden indeholder mindre end %1 ciffer - Adgangskoden indeholder mindre end %1 cifre - - - - - The password contains fewer than %n uppercase letters - - Adgangskoden indeholder mindre end %n bogstav med stort - Adgangskoden indeholder mindre end %n bogstaver med stort - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Adgangskoden indeholder mindre end %n ikke-alfanumeriske tegn + + + The password contains too few non-alphanumeric characters + Adgangskoden indeholder for få ikke-alfanumeriske tegn + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Adgangskoden er kortere end %n tegn + + + The password is too short + Adgangskoden er for kort + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Adgangskoden indeholder mindre end %n tegnklasser + + + The password does not contain enough character classes + Adgangskoden indeholder ikke nok tegnklasser + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Adgangskoden indeholder flere end %n af de samme tegn i træk + + + The password contains too many same characters consecutively + Adgangskoden indeholder for mange af de samme tegn i træk + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Adgangskoden indeholder flere end %n tegn af den samme klasse i træk + + + The password contains too many characters of the same class consecutively + Adgangskoden indeholder for mange tegn af den samme klasse i træk + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partitioner + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Nuværende: - - No EFI system partition configured - Der er ikke konfigureret nogen EFI-systempartition + + After: + @label + Efter: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partitioner - - - - Current: - @label - Nuværende: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Efter: + + No EFI system partition configured + Der er ikke konfigureret nogen EFI-systempartition - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,14 +3394,14 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. ProcessResult - + There was no output from the command. Der var ikke nogen output fra kommandoen. - + Output: @@ -3410,52 +3410,52 @@ Output: - + External command crashed. Ekstern kommando holdt op med at virke. - + Command <i>%1</i> crashed. Kommandoen <i>%1</i> holdte op med at virke. - + External command failed to start. Ekstern kommando kunne ikke starte. - + Command <i>%1</i> failed to start. Kommandoen <i>%1</i> kunne ikke starte. - + Internal error when starting command. Intern fejl ved start af kommando. - + Bad parameters for process job call. Ugyldige parametre til kald af procesjob. - + External command failed to finish. Ekstern kommando blev ikke færdig. - + Command <i>%1</i> failed to finish in %2 seconds. Kommandoen <i>%1</i> blev ikke færdig på %2 sekunder. - + External command finished with errors. Ekstern kommando blev færdig med fejl. - + Command <i>%1</i> finished with exit code %2. Kommandoen <i>%1</i> blev færdig med afslutningskoden %2. @@ -3467,6 +3467,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + ukendt + + + + extended + @partition info + udvidet + + + + unformatted + @partition info + uformatteret + + + + swap + @partition info + swap + @@ -3498,30 +3522,6 @@ Output: (no mount point) (intet monteringspunkt) - - - unknown - @partition info - ukendt - - - - extended - @partition info - udvidet - - - - unformatted - @partition info - uformatteret - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3959,17 +3959,17 @@ setting Cannot disable root account. Kan ikke deaktivere root-konto. - - - Cannot set password for user %1. - Kan ikke indstille adgangskode for brugeren %1. - usermod terminated with error code %1. usermod stoppet med fejlkoden %1. + + + Cannot set password for user %1. + Kan ikke indstille adgangskode for brugeren %1. + SetTimezoneJob @@ -4062,7 +4062,8 @@ setting SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1/%L2 @@ -4870,11 +4871,21 @@ setting What is your name? Hvad er dit navn? + + + Your full name + + What name do you want to use to log in? Hvilket navn skal bruges til at logge ind? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4895,11 +4906,21 @@ setting What is the name of this computer? Hvad er navnet på computeren? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Navnet bruges, hvis du gør computeren synlig for andre på et netværk. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4915,11 +4936,31 @@ setting Password Adgangskode + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Skriv den samme adgangskode to gange, så den kan blive tjekket for skrivefejl. En god adgangskode indeholder en blanding af bogstaver, tal og specialtegn, bør være mindst 8 tegn langt og bør skiftes jævnligt. + + + Reuse user password as root password + Genbrug brugeradgangskode som root-adgangskode + + + + Use the same password for the administrator account. + Brug den samme adgangskode til administratorkontoen. + + + + Choose a root password to keep your account safe. + Vælg en root-adgangskode til at holde din konto sikker + Root password @@ -4931,14 +4972,9 @@ setting - - Validate passwords quality - Validér kvaliteten af adgangskoderne - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Når boksen er tilvalgt, så foretages der tjek af adgangskodens styrke og du vil ikke være i stand til at bruge en svag adgangskode. + + Enter the same password twice, so that it can be checked for typing errors. + Skriv den samme adgangskode to gange, så den kan blive tjekket for skrivefejl. @@ -4946,49 +4982,14 @@ setting Log ind automatisk uden at spørge efter adgangskoden - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Genbrug brugeradgangskode som root-adgangskode - - - - Use the same password for the administrator account. - Brug den samme adgangskode til administratorkontoen. - - - - Choose a root password to keep your account safe. - Vælg en root-adgangskode til at holde din konto sikker + + Validate passwords quality + Validér kvaliteten af adgangskoderne - - Enter the same password twice, so that it can be checked for typing errors. - Skriv den samme adgangskode to gange, så den kan blive tjekket for skrivefejl. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Når boksen er tilvalgt, så foretages der tjek af adgangskodens styrke og du vil ikke være i stand til at bruge en svag adgangskode. @@ -5003,11 +5004,21 @@ setting What is your name? Hvad er dit navn? + + + Your full name + + What name do you want to use to log in? Hvilket navn skal bruges til at logge ind? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5028,16 +5039,6 @@ setting What is the name of this computer? Hvad er navnet på computeren? - - - Your full name - - - - - Login name - - Computer name @@ -5073,16 +5074,6 @@ setting Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5103,6 +5094,16 @@ setting Choose a root password to keep your account safe. Vælg en root-adgangskode til at holde din konto sikker + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_de.ts b/lang/calamares_de.ts index 3416eedb07..5a3f5f09f4 100644 --- a/lang/calamares_de.ts +++ b/lang/calamares_de.ts @@ -11,12 +11,12 @@ Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://app.transifex.com/calamares/calamares/">Calamares translators team</a>. - + Vielen Dank an <a href="https://calamares.io/team/">das Calamares-Team</a> und das <a href="https://app.transifex.com/calamares/calamares/">Calamares-Übersetzerteam</a>. <a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + Die Entwicklung von <a href="https://calamares.io/">Calamares</a> wird von <br/><a href="http://www.blue-systems.com/">Blue Systems</a>– Liberating Software Unterstützt. @@ -31,7 +31,7 @@ Managing auto-mount settings… @status - + Einstellungen für auto-mount verwalten… @@ -125,31 +125,21 @@ Interface: Schnittstelle: + + + Crashes Calamares, so that Dr. Konqi can look at it. + läßt Calamares abstürzen, damit Dr. Konqi sich das ansehen kann. + Reloads the stylesheet from the branding directory. Aktualisiert die Formatvorlage aus dem Herstellerverzeichnis. - - - Uploads the session log to the configured pastebin. - Hochladen des Sitzungsprotokolls zum eingestellten Ziel. - - - - Send Session Log - Sitzungsprotokoll senden - Reload Stylesheet Stylesheet neu laden - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Widget-Baum + + + Uploads the session log to the configured pastebin. + Hochladen des Sitzungsprotokolls zum eingestellten Ziel. + + + + Send Session Log + Sitzungsprotokoll senden + Debug Information @@ -179,7 +179,7 @@ Set Up @label - + Einrichtung @@ -223,7 +223,7 @@ Running command %1 in target system… @status - + Befehl %1 wird im Zielsystem ausgefürt... @@ -257,12 +257,12 @@ Bad main script file - Fehlerhaftes Hauptskript + Fehlerhaftes Main Skript Main script file %1 for python job %2 is not readable. - Hauptskript-Datei %1 für Python-Job %2 ist nicht lesbar. + Main Skript-Datei %1 für Python-Job %2 ist nicht lesbar. @@ -272,28 +272,28 @@ Internal script for python job %1 raised an exception. - + Das interne Skript für den Python-Job %1 hat eine Ausnahme ausgelöst. Main script file %1 for python job %2 could not be loaded because it raised an exception. - + Main Skriptdatei %1 für den Python-Job %2 konnte nicht geladen werden, da eine Ausnahme ausgelöst wurde. Main script file %1 for python job %2 raised an exception. - + Main Skriptdatei %1 des Python-Jobs %2 hat eine Ausnahme ausgelöst. Main script file %1 for python job %2 returned invalid results. - + Main Skriptdatei %1 für den Python-Job %2 hat ungültige Ausgaben zurückgegeben. Main script file %1 for python job %2 does not contain a run() function. - + Main Skriptdatei %1 für den Python-Job %2 enthält keine run() Funktion. @@ -302,7 +302,7 @@ Running %1 operation… @status - + %1 wird ausgeführt… @@ -320,19 +320,19 @@ Bad main script file @error - Fehlerhaftes Hauptskript + Fehlerhaftes Main Skript Main script file %1 for python job %2 is not readable. @error - Hauptskript-Datei %1 für Python-Job %2 ist nicht lesbar. + Main Skript-Datei %1 für Python-Job %2 ist nicht lesbar. Boost.Python error in job "%1" @error - + Boost.Python Fehler Job „%1“ @@ -341,13 +341,13 @@ Loading… @status - + Laden...
QML step <i>%1</i>. @label - + QML Schritt <i>%1</i>. @@ -368,9 +368,9 @@ Waiting for %n module(s)… @status - - - + + Warte auf %n Modul(e)... + Warte auf %n Modul(e)... @@ -379,7 +379,7 @@ @status (%n Sekunde) - (%n Sekunden) + (%n Sekunde(n)) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Das Hochladen ist fehlgeschlagen. Es wurde nichts an eine Internetadresse gesendet. + + + + Install log posted to + +%1 + +Link copied to clipboard + Installationsprotokoll gesendet an + +%1 + +Link wurde in die Zwischenablage kopiert + + + + Install Log Paste URL + Internetadresse für das Senden des Installationsprotokolls + &Yes @@ -407,7 +430,7 @@ &Schließen - + Setup Failed @title Einrichtung fehlgeschlagen @@ -437,22 +460,22 @@ %1 kann nicht installiert werden. Calamares war nicht in der Lage, alle konfigurierten Module zu laden. Dieses Problem hängt mit der Art und Weise zusammen, wie Calamares von der jeweiligen Distribution eingesetzt wird. - + <br/>The following modules could not be loaded: @info <br/>Die folgenden Module konnten nicht geladen werden: - + Continue with Setup? @title - + Mit der Einrichtung fortfahren? Continue with Installation? @title - + Mit der Installation fortfahren? @@ -461,133 +484,110 @@ Das %1 Installationsprogramm ist dabei, Änderungen an Ihrer Festplatte vorzunehmen, um %2 einzurichten.<br/><strong> Sie werden diese Änderungen nicht rückgängig machen können.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Das %1 Installationsprogramm wird Änderungen an Ihrer Festplatte vornehmen, um %2 zu installieren.<br/><strong>Diese Änderungen können nicht rückgängig gemacht werden.</strong> - + &Set Up Now @button - + Jetzt &Einrichten - + &Install Now @button Jetzt &installieren - + Go &Back @button &Zurück gehen - + &Set Up @button &Einrichten - + &Install @button &Installieren - + Setup is complete. Close the setup program. @tooltip Setup ist abgeschlossen. Schließe das Installationsprogramm. - + The installation is complete. Close the installer. @tooltip Die Installation ist abgeschlossen. Schließe das Installationsprogramm. - + Cancel the setup process without changing the system. @tooltip Installationsvorgang abbrechen, ohne das System zu verändern. - + Cancel the installation process without changing the system. @tooltip Installationsvorgang abbrechen, ohne das System zu verändern. - + &Next @button &Weiter - + &Back @button &Zurück - + &Done @button &Erledigt - + &Cancel @button &Abbrechen - + Cancel Setup? @title - Installation abbrechen? + Einrichtung abbrechen? - + Cancel Installation? @title - - - - - Install Log Paste URL - Internetadresse für das Senden des Installationsprotokolls - - - - The upload was unsuccessful. No web-paste was done. - Das Hochladen ist fehlgeschlagen. Es wurde nichts an eine Internetadresse gesendet. - - - - Install log posted to - -%1 - -Link copied to clipboard - Installationsprotokoll gesendet an - -%1 - -Link wurde in die Zwischenablage kopiert + Installation abbrechen? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Wollen Sie die Installation wirklich abbrechen? Dadurch wird das Installationsprogramm beendet und alle Änderungen gehen verloren. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Wollen Sie wirklich die aktuelle Installation abbrechen? @@ -597,28 +597,28 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CalamaresPython::Helper - + Unknown exception type @error Unbekannter Ausnahmefehler - + Unparseable Python error @error - + Nicht analysierbarer Python-Fehler - + Unparseable Python traceback @error - + Nicht analysierbarer Python-Traceback - + Unfetchable Python error @error - + Nicht abrufbarer Python-Fehler @@ -640,19 +640,19 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Set filesystem label on %1 @title - + Dateisystem Label auf %1 setzen Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> @info - + Setze Dateisystem Label <strong>%1</strong> für Partition <strong>%2</strong> Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… @status - + Dateisystem Label <strong>%1</strong> wird auf Partition <strong>%2</strong> gesetzt… @@ -672,16 +672,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuelle Partitionierung</strong><br/>Sie können Partitionen eigenhändig erstellen oder in der Grösse verändern. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Wählen Sie die zu verkleinernde Partition, dann ziehen Sie den Regler, um die Größe zu ändern</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Reuse %1 as home partition for %2 @label - + %1 als Home-Partition für %2 wiederverwenden + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Wählen Sie die zu verkleinernde Partition, dann ziehen Sie den Regler, um die Größe zu ändern</strong> @@ -804,13 +799,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. No swap @label - + Kein swap Reuse swap @label - + Wiederverwenden der swap @@ -830,54 +825,59 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. @label Auslagerungsdatei verwenden + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuelle Partitionierung</strong><br/>Sie können Partitionen eigenhändig erstellen oder in der Grösse verändern. + Bootloader location: @label - + Speicherort des Bootloaders ClearMountsJob - + Successfully unmounted %1. %1 erfolgreich ausgehängt. - + Successfully disabled swap %1. Swap %1 erfolgreich deaktiviert. - + Successfully cleared swap %1. Swap %1 erfolgreich gelöscht. - + Successfully closed mapper device %1. Mapper device %1 erfolgreich geschlossen. - + Successfully disabled volume group %1. Volume group %1 erfolgreich deaktiviert. - + Clear mounts for partitioning operations on %1 @title - Leere Mount-Points für Partitioning-Operation auf %1 + Lösche Mount-Points für Partitionierungs Operation auf %1 - + Clearing mounts for partitioning operations on %1… @status - + Leere Mount-Points für Partitionierungsvorgänge auf %1 - + Cleared all mounts for %1 Alle Mount-Points für %1 geleert @@ -889,7 +889,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Clearing all temporary mounts… @status - + Löse alle temporären mounts @@ -913,129 +913,112 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Config - - Network Installation. (Disabled: Incorrect configuration) - Netzwerk-Installation. (Deaktiviert: Ungültige Konfiguration) - - - - Network Installation. (Disabled: Received invalid groups data) - Netzwerk-Installation. (Deaktiviert: Ungültige Gruppen-Daten eingegeben) - - - - Network Installation. (Disabled: Internal error) - Netzwerkinstallation. (Deaktiviert: Interner Fehler) - - - - Network Installation. (Disabled: No package list) - Netzwerkinstallation. (Deaktiviert: Keine Paketliste) - - - - Package selection - Paketauswahl - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Netzwerk-Installation. (Deaktiviert: Paketlisten nicht erreichbar, prüfen Sie Ihre Netzwerk-Verbindung) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Dieser Computer erfüllt nicht die Mindestanforderungen für die Einrichtung von %1.<br/>Setup kann nicht fortgesetzt werden. + + Setup Failed + @title + Einrichtung fehlgeschlagen - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Installation kann nicht fortgesetzt werden. + + Installation Failed + @title + Installation gescheitert - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. + + The setup of %1 did not complete successfully. + @info + Die Einrichtung von %1 wurde nicht erfolgreich abgeschlossen. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. + + The installation of %1 did not complete successfully. + @info + Die Installation von %1 wurde nicht erfolgreich abgeschlossen. - - This program will ask you some questions and set up %2 on your computer. - Dieses Programm wird Ihnen einige Fragen stellen, um %2 auf Ihrem Computer zu installieren. + + Setup Complete + @title + Einrichtung abgeschlossen - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> + + Installation Complete + @title + Installation abgeschlossen - - <h1>Welcome to %1 setup</h1> - <h1>Willkommen zur Installation von %1</h1> + + The setup of %1 is complete. + @info + Die Einrichtung von %1 ist abgeschlossen. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> + + The installation of %1 is complete. + @info + Die Installation von %1 ist abgeschlossen. - - <h1>Welcome to the %1 installer</h1> - <h1>Willkommen zum Installationsprogramm für %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Das Tastaturmodell wurde auf %1 eingestellt<br/>. - - Your username is too long. - Ihr Benutzername ist zu lang. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Das Tastaturlayout wurde auf %1/%2 eingestellt. - - '%1' is not allowed as username. - '%1' ist als Benutzername nicht erlaubt. + + Set timezone to %1/%2 + @action + Setze Zeitzone auf %1/%2 - - Your username must start with a lowercase letter or underscore. - Ihr Benutzername muss mit einem Kleinbuchstaben oder Unterstrich beginnen. + + The system language will be set to %1. + @info + Die Systemsprache wird auf %1 eingestellt. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Es sind nur Kleinbuchstaben, Zahlen, Unterstrich und Bindestrich erlaubt. + + The numbers and dates locale will be set to %1. + @info + Das Format für Zahlen und Datum wird auf %1 gesetzt. - - Your hostname is too short. - Ihr Computername ist zu kurz. + + Network Installation. (Disabled: Incorrect configuration) + Netzwerk-Installation. (Deaktiviert: Ungültige Konfiguration) - - Your hostname is too long. - Ihr Computername ist zu lang. + + Network Installation. (Disabled: Received invalid groups data) + Netzwerk-Installation. (Deaktiviert: Ungültige Gruppen-Daten eingegeben) - - '%1' is not allowed as hostname. - '%1' ist als Computername nicht erlaubt. + + Network Installation. (Disabled: Internal error) + Netzwerkinstallation. (Deaktiviert: Interner Fehler) - - Only letters, numbers, underscore and hyphen are allowed. - Es sind nur Buchstaben, Zahlen, Unter- und Bindestriche erlaubt. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Netzwerk-Installation. (Deaktiviert: Paketlisten nicht erreichbar, prüfen Sie Ihre Netzwerk-Verbindung) - - Your passwords do not match! - Ihre Passwörter stimmen nicht überein! + + Network Installation. (Disabled: No package list) + Netzwerkinstallation. (Deaktiviert: Keine Paketliste) - - OK! - OK! + + Package selection + Paketauswahl @@ -1079,82 +1062,99 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Dies ist eine Übersicht der Aktionen, die nach dem Starten des Installationsprozesses durchgeführt werden. - - Setup Failed - @title - Einrichtung fehlgeschlagen + + Your username is too long. + Ihr Benutzername ist zu lang. - - Installation Failed - @title - Installation gescheitert + + Your username must start with a lowercase letter or underscore. + Ihr Benutzername muss mit einem Kleinbuchstaben oder Unterstrich beginnen. - - The setup of %1 did not complete successfully. - @info - Die Einrichtung von %1 wurde nicht erfolgreich abgeschlossen. + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Es sind nur Kleinbuchstaben, Zahlen, Unterstrich und Bindestrich erlaubt. - - The installation of %1 did not complete successfully. - @info - Die Installation von %1 wurde nicht erfolgreich abgeschlossen. + + '%1' is not allowed as username. + '%1' ist als Benutzername nicht erlaubt. - - Setup Complete - @title - Einrichtung abgeschlossen + + Your hostname is too short. + Ihr Computername ist zu kurz. - - Installation Complete - @title - Installation abgeschlossen + + Your hostname is too long. + Ihr Computername ist zu lang. - - The setup of %1 is complete. - @info - Die Einrichtung von %1 ist abgeschlossen. + + '%1' is not allowed as hostname. + '%1' ist als Computername nicht erlaubt. - - The installation of %1 is complete. - @info - Die Installation von %1 ist abgeschlossen. + + Only letters, numbers, underscore and hyphen are allowed. + Es sind nur Buchstaben, Zahlen, Unter- und Bindestriche erlaubt. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + Your passwords do not match! + Ihre Passwörter stimmen nicht überein! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + OK! + OK! - - Set timezone to %1/%2 - @action - Setze Zeitzone auf %1/%2 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Dieser Computer erfüllt nicht die Mindestanforderungen für die Einrichtung von %1.<br/>Setup kann nicht fortgesetzt werden. - - The system language will be set to %1. - @info - Die Systemsprache wird auf %1 eingestellt. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Installation kann nicht fortgesetzt werden. - - The numbers and dates locale will be set to %1. - @info - Das Format für Zahlen und Datum wird auf %1 gesetzt. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. + + + + This program will ask you some questions and set up %2 on your computer. + Dieses Programm wird Ihnen einige Fragen stellen, um %2 auf Ihrem Computer zu installieren. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Willkommen zur Installation von %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Willkommen zum Installationsprogramm für %1</h1> @@ -1163,7 +1163,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Performing contextual processes' job… @status - + Job für kontextbezogene Prozesse wird ausgeführt… @@ -1271,44 +1271,44 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Create new %1MiB partition on %3 (%2) with entries %4 @title - + Erstelle eine neue %1MiB-Partition auf %3 (%2) mit den Einträgen %4
Create new %1MiB partition on %3 (%2) @title - + Neue %1MiB-Partition auf %3 (%2) erstellen Create new %2MiB partition on %4 (%3) with file system %1 @title - + Erstelle neue %2MiB-Partition auf %4 (%3) mit Dateisystem %1 Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> @info - + Erstelle neue <strong>%1MiB</strong> Partition auf <strong>%3</strong> (%2) mit den Einträgen <em>%4</em> Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) @info - + Erstelle neue <strong>%1MiB</strong> Partition auf <strong>%3</strong> (%2) Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> @info - + Erstelle neue <strong>%2MiB</strong> Partition auf <strong>%4</strong> (%3) mit Dateisystem <strong>%1</strong> Creating new %1 partition on %2… @status - + Neue %1-Partition auf %2 wird erstellt… @@ -1352,13 +1352,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Creating new %1 partition table on %2… @status - + Erstelle neue %1-Partitionstabelle auf %2 Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… @status - + Erstelle neue <strong>%1</strong> Partitionstabelle auf <strong>%2</strong> (%3)… @@ -1376,20 +1376,20 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Create user <strong>%1</strong> - + Erstelle Benutzer <strong>%1</strong> Creating user %1… @status - + Erstelle Benutzer %1... Preserving home directory… @status - + Home-Verzeichnis wird beibehalten… @@ -1401,7 +1401,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Setting file permissions… @status - + Dateiberechtigungen festlegen… @@ -1410,7 +1410,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Create Volume Group @title - Erstelle Volumengruppe + Erstelle Datenträgergruppe @@ -1420,13 +1420,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Creating new volume group named %1… @status - + Erstelle neue Datenträgergruppe mit dem Namen %1…
Creating new volume group named <strong>%1</strong>… @status - + Erstelle neue Datenträgergruppe, mit dem Namen <strong>%1</strong>... @@ -1441,13 +1441,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Deactivating volume group named %1… @status - + Volumegruppe mit Namen %1 wird deaktiviert… Deactivating volume group named <strong>%1</strong>… @status - + Volumengrupem mit Namen <strong>%1</strong> wird deaktiviert... @@ -1462,13 +1462,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Deleting partition %1… @status - + Lösche Partition %1... Deleting partition <strong>%1</strong>… @status - + Lösche Partition <strong>%1</strong>... @@ -1479,9 +1479,14 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Dieses Gerät hat eine <strong>%1</strong> Partitionstabelle. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Diese Art von Partitionstabelle ist nur für ältere Systeme ratsam, welche von einer <strong>BIOS</strong> Boot-Umgebung starten. GPT wird in den meisten anderen Fällen empfohlen.<br><br><strong>Achtung:</strong> Die MBR-Partitionstabelle ist ein veralteter Standard aus der MS-DOS-Ära.<br>Es können nur 4 <em>primäre</em> Partitionen erstellt werden. Davon kann eine als <em>erweiterte</em> Partition eingerichtet werden, die wiederum viele <em>logische</em> Partitionen enthalten kann. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Dies ist die empfohlene Partitionstabelle für moderne Systeme, die von einer <strong>EFI</ strong> Boot-Umgebung starten. @@ -1494,14 +1499,9 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Auf dem ausgewählten Speichermedium konnte <strong>keine Partitionstabelle gefunden</strong> werden.<br><br>Die Partitionstabelle dieses Gerätes ist nicht vorhanden, beschädigt oder von einem unbekannten Typ.<br>Dieses Installationsprogramm kann eine neue Partitionstabelle für Sie erstellen, entweder automatisch oder nach Auswahl der manuellen Partitionierung. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Dies ist die empfohlene Partitionstabelle für moderne Systeme, die von einer <strong>EFI</ strong> Boot-Umgebung starten. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Diese Art von Partitionstabelle ist nur für ältere Systeme ratsam, welche von einer <strong>BIOS</strong> Boot-Umgebung starten. GPT wird in den meisten anderen Fällen empfohlen.<br><br><strong>Achtung:</strong> Die MBR-Partitionstabelle ist ein veralteter Standard aus der MS-DOS-Ära.<br>Es können nur 4 <em>primäre</em> Partitionen erstellt werden. Davon kann eine als <em>erweiterte</em> Partition eingerichtet werden, die wiederum viele <em>logische</em> Partitionen enthalten kann. + + This device has a <strong>%1</strong> partition table. + Dieses Gerät hat eine <strong>%1</strong> Partitionstabelle. @@ -1530,13 +1530,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Writing LUKS configuration for Dracut to %1… @status - + LUKS-Konfiguration für Dracut wird in %1 geschrieben … Skipping writing LUKS configuration for Dracut: "/" partition is not encrypted @info - + Das Schreiben der LUKS-Konfiguration für Dracut wird übersprungen: Die Partition „/“ ist nicht verschlüsselt @@ -1551,7 +1551,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Performing dummy C++ job… @status - + Dummy-C++-Job wird ausgeführt… @@ -1660,7 +1660,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Password must be a minimum of %1 characters. @tooltip - + Das Passwort muss mindestens %1 Zeichen lang sein. @@ -1694,55 +1694,55 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Install %1 on <strong>new</strong> %2 system partition @info - + Installiere %1 auf der <strong>neuen</strong> Systempartition %2
Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> @info - + Richte <strong>neue</strong> Partition %2 mit Mount-Point <strong>%1</strong> und <em>%3</em> Funktionen ein Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - + Richte <strong>neue</strong> Partition %2 mit dem Mount-Point <strong>%1</strong>%3 ein Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> @info - + Installiere %2 auf der Systempartition %3 <strong>%1</strong> mit <em>%4</em> Funktionen Install %2 on %3 system partition <strong>%1</strong> @info - + Installiere %2 auf %3 Systempartition <strong>%1</strong> Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> @info - + Richte %3-Partition <strong>%1</strong> mit dem Einhängepunkt <strong>%2</strong> und den Funktionen <em>%4</em> ein Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - + Richte %3-Partition <strong>%1</strong> mit dem Mount-Point <strong>%2</strong>%4 ein Install boot loader on <strong>%1</strong>… @info - + Bootloader auf <strong>%1</strong> installieren… Setting up mount points… @status - + Mount-Points einrichten… @@ -1813,13 +1813,13 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - + Partition %1 (Dateisystem: %2, Größe: %3 MiB) auf %4 formatieren
Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> @info - + Formatiere die <strong>%3MiB</strong> Partition <strong>%1</strong> mit dem <strong>%2</strong> Dateisystem @@ -1831,7 +1831,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Formatting partition %1 with file system %2… @status - + Partition %1 wird mit Dateisystem %2 formatiert… @@ -1974,7 +1974,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Collecting information about your machine… @status - + Sammeln von Informationen über Ihr Gerät… @@ -2009,7 +2009,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Creating initramfs with mkinitcpio… @status - + Initramfs mit mkinitcpio erstellen…
@@ -2018,7 +2018,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Creating initramfs… @status - + Initramfs erstellen…
@@ -2027,7 +2027,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Konsole not installed. @error - + Konsole ist leider nicht installiert.
@@ -2075,7 +2075,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. System Locale Setting @title - + Einstellung des Systemgebietsschemas @@ -2228,7 +2228,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Hide the license text @tooltip - + Den Lizenztext ausblenden @@ -2240,7 +2240,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Open the license agreement in browser @tooltip - + Öffne die Lizenzvereinbarung im Browser @@ -2262,7 +2262,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. &Change… @button - + &Ändern...
@@ -2277,7 +2277,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. LocaleTests - + Quit Beenden @@ -2451,6 +2451,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. label for netinstall module, choose desktop environment Desktop
+ + + Applications + Anwendungen + Communication @@ -2499,11 +2504,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. label for netinstall module Dienstprogramme - - - Applications - Anwendungen - NotesQmlViewStep @@ -2550,7 +2550,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Select your preferred region, or use the default settings @label - + Wählen Sie Ihre bevorzugte Region aus oder verwenden Sie die Voreinstellungen
@@ -2564,7 +2564,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Select your preferred zone within your region @label - + Wähle die bevorzugte Zone innerhalb der Region @@ -2576,7 +2576,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. You can fine-tune language and locale settings below @label - + Unten können Sie die Sprach- und Gebietsschemaeinstellungen optimieren @@ -2585,7 +2585,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Select your preferred region, or use the default settings @label - + Wählen Sie Ihre bevorzugte Region aus oder verwenden Sie die Voreinstellungen
@@ -2599,7 +2599,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Select your preferred zone within your region @label - + Wähle die bevorzugte Zone innerhalb der Region @@ -2611,7 +2611,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. You can fine-tune language and locale settings below @label - + Unten können Sie die Sprach- und Gebietsschemaeinstellungen optimieren @@ -2676,11 +2676,27 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. The password contains forbidden words in some form Das Passwort enthält verbotene Wörter
+ + + The password contains fewer than %n digits + + Das Passwort enthält weniger als %n Zeichen + Das Passwort enthält weniger als %n Zeichen + + The password contains too few digits Das Passwort hat zu wenige Stellen + + + The password contains fewer than %n uppercase letters + + Das Passwort enthält weniger als %n Großbuchstaben + Das Passwort enthält weniger als %n Großbuchstaben + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. The password contains too few lowercase letters Das Passwort enthält zu wenige Kleinbuchstaben - - - The password contains too few non-alphanumeric characters - Das Passwort enthält zu wenige nicht-alphanumerische Zeichen - - - - The password is too short - Das Passwort ist zu kurz - - - - The password does not contain enough character classes - Das Passwort enthält nicht genügend verschiedene Zeichenarten - - - - The password contains too many same characters consecutively - Das Passwort enthält zu viele gleiche Zeichen am Stück - - - - The password contains too many characters of the same class consecutively - Das Passwort enthält zu viele gleiche Zeichenarten am Stück - - - - The password contains fewer than %n digits - - Das Passwort enthält weniger als %n Zeichen - Das Passwort enthält weniger als %n Zeichen - - - - - The password contains fewer than %n uppercase letters - - Das Passwort enthält weniger als %n Großbuchstaben - Das Passwort enthält weniger als %n Großbuchstaben - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Das Passwort enthält weniger als %n nicht-alphanumerische Zeichen + + + The password contains too few non-alphanumeric characters + Das Passwort enthält zu wenige nicht-alphanumerische Zeichen + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Das Passwort ist kürzer als %n Zeichen + + + The password is too short + Das Passwort ist zu kurz + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Dieses Passwort enthält weniger als %n Zeichenarten + + + The password does not contain enough character classes + Das Passwort enthält nicht genügend verschiedene Zeichenarten + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Dieses Passwort enthält mehr als %n geiche Zeichen hintereinander + + + The password contains too many same characters consecutively + Das Passwort enthält zu viele gleiche Zeichen am Stück + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Dieses Passwort enthält mehr als %n Zeichen derselben Zeichenart hintereinander + + + The password contains too many characters of the same class consecutively + Das Passwort enthält zu viele gleiche Zeichenarten am Stück + The password contains monotonic sequence longer than %n characters @@ -2930,7 +2930,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Keyboard model: - + Tastaturmodell: @@ -2941,7 +2941,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Switch Keyboard: shortcut for switching between keyboard layouts - + Tastaturlayout wechseln: @@ -3100,7 +3100,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. New Partition @title - + Neue Partition @@ -3205,9 +3205,21 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. Die Partitionstabelle auf %1 hat bereits %2 primäre Partitionen und weitere können nicht hinzugefügt werden. Bitte entfernen Sie eine primäre Partition und fügen Sie stattdessen eine erweiterte Partition hinzu. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + Systeminformationen sammeln… + + + + Partitions + @label + Partitionen + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Keine Partitionen werden verändert. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Keine EFI-Systempartition konfiguriert + + Current: + @label + Aktuell: - - EFI system partition configured incorrectly - EFI Systempartition falsch konfiguriert + + After: + @label + Nachher: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Eine EFI Systempartition ist notwendig, um %1 zu starten.<br/><br/>Um eine EFI Systempartition zu konfigurieren, gehen Sie zurück und wählen oder erstellen Sie ein geeignetes Dateisystem. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Zum Starten von %1 ist eine EFI-Systempartition erforderlich. <br/><br/>Die EFI-Systempartition entspricht nicht den Empfehlungen. Es wird empfohlen, noch einmal zurückzugehen und ein geeignetes Dateisystem auszuwählen oder zu erstellen. + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. The filesystem must have type FAT32. Das Dateisystem muss vom Typ FAT32 sein. + + + The filesystem must have flag <strong>%1</strong> set. + Das Dateisystem muss die Markierung <strong>%1</strong> tragen. + @@ -3270,43 +3279,34 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Das Dateisystem muss mindestens %1 MiB groß sein. - - The filesystem must have flag <strong>%1</strong> set. - Das Dateisystem muss die Markierung <strong>%1</strong> tragen. - - - - Gathering system information… - @status - + + The minimum recommended size for the filesystem is %1 MiB. + Die empfohlene Mindestgröße für das Dateisystem beträgt %1 MiB. - - Partitions - @label - Partitionen + + You can continue without setting up an EFI system partition but your system may fail to start. + Sie können fortfahren, ohne eine EFI-Systempartition einzurichten, aber Ihr installiertes System wird möglicherweise nicht starten. - - Current: - @label - Aktuell: + + You can continue with this EFI system partition configuration but your system may fail to start. + Es kann mit dieser EFI-Systempartitionskonfiguration fortfahren werden, Das System startet dann aber möglicherweise nicht. - - After: - @label - Nachher: + + No EFI system partition configured + Keine EFI-Systempartition konfiguriert - - You can continue without setting up an EFI system partition but your system may fail to start. - Sie können fortfahren, ohne eine EFI-Systempartition einzurichten, aber Ihr installiertes System wird möglicherweise nicht starten. + + EFI system partition configured incorrectly + EFI Systempartition falsch konfiguriert EFI system partition recommendation - + Empfehlung für EFI-Systempartitionen @@ -3345,7 +3345,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Applying Plasma Look-and-Feel… @status - + Anwenden des Plasma-Erscheinungsildes… @@ -3382,7 +3382,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Saving files for later… @status - + Dateien für später speichern… @@ -3398,14 +3398,14 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ProcessResult - + There was no output from the command. Dieser Befehl hat keine Ausgabe erzeugt. - + Output: @@ -3414,52 +3414,52 @@ Ausgabe: - + External command crashed. Externes Programm abgestürzt. - + Command <i>%1</i> crashed. Programm <i>%1</i> abgestürzt. - + External command failed to start. Externes Programm konnte nicht gestartet werden. - + Command <i>%1</i> failed to start. Das Programm <i>%1</i> konnte nicht gestartet werden. - + Internal error when starting command. Interner Fehler beim Starten des Programms. - + Bad parameters for process job call. Ungültige Parameter für Prozessaufruf. - + External command failed to finish. Externes Programm konnte nicht abgeschlossen werden. - + Command <i>%1</i> failed to finish in %2 seconds. Programm <i>%1</i> konnte nicht innerhalb von %2 Sekunden abgeschlossen werden. - + External command finished with errors. Externes Programm mit Fehlern beendet. - + Command <i>%1</i> finished with exit code %2. Befehl <i>%1</i> beendet mit Exit-Code %2. @@ -3471,6 +3471,30 @@ Ausgabe: %1 (%2) %1 (%2) + + + unknown + @partition info + unbekannt + + + + extended + @partition info + erweitert + + + + unformatted + @partition info + unformatiert + + + + swap + @partition info + Swap + @@ -3502,30 +3526,6 @@ Ausgabe: (no mount point) (kein Einhängepunkt) - - - unknown - @partition info - unbekannt - - - - extended - @partition info - erweitert - - - - unformatted - @partition info - unformatiert - - - - swap - @partition info - Swap - Unpartitioned space or unknown partition table @@ -3549,7 +3549,7 @@ Ausgabe: Removing live user from the target system… @status - + Live Benutzer aus dem Zielsystem entfernen... @@ -3559,13 +3559,13 @@ Ausgabe: Removing Volume Group named %1… @status - + Datenträgergruppe mit dem Namen %1 wird entfernt…
Removing Volume Group named <strong>%1</strong>… @status - + Datenträgergruppe mit dem Namen <strong>%1</strong> wird entfernt… @@ -3596,7 +3596,7 @@ Ausgabe: Performing file system resize… @status - + Größenänderung des Dateisystems wird angewendet… @@ -3614,19 +3614,19 @@ Ausgabe: KPMCore not available @error - + KPNCore ist leider nicht verfügbar Calamares cannot start KPMCore for the file system resize job. @error - + Calamares kann KPMCore für die Dateisystem Größenänderung nicht starten. Resize failed. @error - + Größenänderung fehlgeschlagen. @@ -3667,7 +3667,7 @@ Ausgabe: The file system %1 must be resized, but cannot. @info - + Die Größe des Dateisystems %1 muss geändert werden, das war aber nicht möglich. @@ -3682,19 +3682,19 @@ Ausgabe: Resize partition %1 @title - + Größe der Partition %1 ändern Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> @info - + Größe der <strong>%2MiB</strong> Partition <strong>%1</strong> auf <strong>%3MiB</strong> ändern Resizing %2MiB partition %1 to %3MiB… @status - + Größenänderung der %2MiB-Partition %1 auf %3MiB… @@ -3708,7 +3708,7 @@ Ausgabe: Resize Volume Group @title - Größe der Volumengruppe verändern + Größe der Datenträgergruppe verändern @@ -3717,19 +3717,19 @@ Ausgabe: Resize volume group named %1 from %2 to %3 @title - + Größenänderung der Datenträgergruppe %1 von %2 auf %3
Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> @info - + Größe der Datenträgergruppe <strong>%1</strong> von <strong>%2</strong> auf <strong>%3</strong> ändern Resizing volume group named %1 from %2 to %3… @status - + Größenänderung der Datenträgergruppe mit dem Namen %1 von %2 auf %3… @@ -3751,13 +3751,13 @@ Ausgabe: Scanning storage devices… @status - + Datenträger werden gescannt… Partitioning… @status - + Partitionierung... @@ -3776,7 +3776,7 @@ Ausgabe: Setting hostname %1… @status - + Hostname %1 setzen...
@@ -3797,7 +3797,7 @@ Ausgabe: Setting keyboard model to %1, layout as %2-%3… @status, %1 model, %2 layout, %3 variant - + Tastaturmodell auf %1 setzen, Layout auf %2-%3… @@ -3842,91 +3842,91 @@ Ausgabe: Set flags on partition %1 @title - + Setze Flags auf Partition %1 Set flags on %1MiB %2 partition @title - + Setze Flags auf der Partition %1MiB %2 Set flags on new partition @title - + Setze Flags für die neue Partition Clear flags on partition <strong>%1</strong> @info - + Flags auf Partition <strong>%1</strong> löschen Clear flags on %1MiB <strong>%2</strong> partition @info - + Lösche Flags auf der Partition %1MiB <strong>%2</strong> Clear flags on new partition @info - + Flags auf neuer Partition löschen Set flags on partition <strong>%1</strong> to <strong>%2</strong> @info - + Setze Flags auf Partition <strong>%1</strong> auf <strong>%2</strong> Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> @info - + Setze Flags der Partition %1MiB <strong>%2</strong> auf <strong>%3</strong> Set flags on new partition to <strong>%1</strong> @info - + Setze Flags für die neue Partition auf <strong>%1</strong> Clearing flags on partition <strong>%1</strong>… @status - + Flags auf Partition <strong>%1</strong> werden gelöscht… Clearing flags on %1MiB <strong>%2</strong> partition… @status - + Flags der %1MiB <strong>%2</strong> Partition werden gelöscht… Clearing flags on new partition… @status - + Flags auf neuer Partition löschen… Setting flags <strong>%2</strong> on partition <strong>%1</strong>… @status - + Flags <strong>%2</strong> werden auf Partition <strong>%1</strong> gesetzt… Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… @status - + Flags <strong>%3</strong> werden auf der Partition %1MiB <strong>%2</strong> gesetzt… Setting flags <strong>%1</strong> on new partition… @status - + Flags <strong>%1</strong> werden auf neuer Partition gesetzt… @@ -3945,7 +3945,7 @@ Ausgabe: Setting password for user %1… @status - + Passwort für Benutzer %1 wird eingerichtet… @@ -3962,17 +3962,17 @@ Ausgabe: Cannot disable root account. Das Root-Konto kann nicht deaktiviert werden. - - - Cannot set password for user %1. - Passwort für Benutzer %1 kann nicht gesetzt werden. - usermod terminated with error code %1. usermod wurde mit Fehlercode %1 beendet. + + + Cannot set password for user %1. + Passwort für Benutzer %1 kann nicht gesetzt werden. + SetTimezoneJob @@ -3980,7 +3980,7 @@ Ausgabe: Setting timezone to %1/%2… @status - + Zeitzone auf %1/%2 setzen…
@@ -4020,7 +4020,7 @@ Ausgabe: Preparing groups… @status - + Gruppen vorbereiten… @@ -4040,7 +4040,7 @@ Ausgabe: Configuring <pre>sudo</pre> users… @status - + <pre>sudo</pre> Benutzer werden konfiguriert… @@ -4059,13 +4059,14 @@ Ausgabe: Running shell processes… @status - + Shell-Prozesse ausführen… SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4110,7 +4111,7 @@ Ausgabe: Sending installation feedback… @status - + Installations Feedback wird gesendet… @@ -4134,7 +4135,7 @@ Ausgabe: Configuring KDE user feedback… @status - + KDE-Benutzer-Feedback konfigurieren… @@ -4164,7 +4165,7 @@ Ausgabe: Configuring machine feedback… @status - + System Feedback konfigurieren… @@ -4236,7 +4237,7 @@ Ausgabe: Unmounting file systems… @status - + Dateisysteme werden ausgehängt… @@ -4398,19 +4399,19 @@ Ausgabe: About %1 Setup @title - + Über %1 Einstellungen About %1 Installer @title - + Über den %1 Installer %1 Support @action - + %1 Unterstützung @@ -4437,7 +4438,7 @@ Ausgabe: Creating ZFS pools and datasets… @status - + ZFS-Pools und Datensätze erstellen…
@@ -4617,13 +4618,13 @@ Ausgabe: Select a layout to activate keyboard preview @label - + Wählen Sie ein Layout aus, um die Tastaturvorschau zu aktivieren <b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Tastatur Model:&nbsp;&nbsp;</b> @@ -4641,7 +4642,7 @@ Ausgabe: Type here to test your keyboard… @label - + Schreibe hier, um Ihre Tastatur zu testen ... @@ -4650,13 +4651,13 @@ Ausgabe: Select a layout to activate keyboard preview @label - + Wählen Sie ein Layout aus, um die Tastaturvorschau zu aktivieren
<b>Keyboard model:&nbsp;&nbsp;</b> @label - + <b>Tastatur Model:&nbsp;&nbsp;</b> @@ -4674,7 +4675,7 @@ Ausgabe: Type here to test your keyboard… @label - + Schreibe hier, um Ihre Tastatur zu testen ... @@ -4884,11 +4885,21 @@ Ausgabe: What is your name? Wie ist Ihr Vor- und Nachname?
+ + + Your full name + Ihr vollständiger Name + What name do you want to use to log in? Welchen Namen möchten Sie zum Anmelden benutzen? + + + Login name + Login Name + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4909,11 +4920,21 @@ Ausgabe: What is the name of this computer? Wie ist der Name dieses Computers? + + + Computer name + Computer Name + This name will be used if you make the computer visible to others on a network. Dieser Name wird benutzt, wenn Sie den Computer im Netzwerk für andere sichtbar machen. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Es sind nur Buchstaben, Zahlen, Unterstrich und Bindestrich erlaubt, minimal zwei Zeichen. + localhost is not allowed as hostname. @@ -4929,61 +4950,16 @@ Ausgabe: Password Passwort + + + Repeat password + Passwort wiederholen + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Geben Sie das Passwort zweimal ein, damit es auf Tippfehler überprüft werden kann. Ein gutes Passwort sollte eine Mischung aus Buchstaben, Zahlen sowie Sonderzeichen enthalten, mindestens acht Zeichen lang sein und regelmäßig geändert werden. - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - Passwort-Qualität überprüfen - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Wenn dieses Kontrollkästchen aktiviert ist, wird die Passwortstärke überprüft und verhindert, dass Sie ein schwaches Passwort verwenden. - - - - Log in automatically without asking for the password - Automatisch anmelden ohne Passwortabfrage - - - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Es sind nur Buchstaben, Zahlen, Unterstrich und Bindestrich erlaubt, minimal zwei Zeichen. - - - - Repeat password - - Reuse user password as root password @@ -4999,11 +4975,36 @@ Ausgabe: Choose a root password to keep your account safe. Wählen Sie ein Root-Passwort, um Ihr Konto zu schützen. + + + Root password + Root Passwort + + + + Repeat root password + Wiederhole das Root Passwort + Enter the same password twice, so that it can be checked for typing errors. Geben Sie das Passwort zweimal ein, damit es auf Tippfehler überprüft werden kann. + + + Log in automatically without asking for the password + Automatisch anmelden ohne Passwortabfrage + + + + Validate passwords quality + Passwort-Qualität überprüfen + + + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Wenn dieses Kontrollkästchen aktiviert ist, wird die Passwortstärke überprüft und verhindert, dass Sie ein schwaches Passwort verwenden. + usersq-qt6 @@ -5017,11 +5018,21 @@ Ausgabe: What is your name? Wie ist Ihr Vor- und Nachname?
+ + + Your full name + Ihr voller Name + What name do you want to use to log in? Welchen Namen möchten Sie zum Anmelden benutzen? + + + Login name + Login Name + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5042,20 +5053,10 @@ Ausgabe: What is the name of this computer? Wie ist der Name dieses Computers? - - - Your full name - - - - - Login name - - Computer name - + Computer Name @@ -5085,17 +5086,7 @@ Ausgabe: Repeat password - - - - - Root password - - - - - Repeat root password - + Wiederhole das Passwort @@ -5117,6 +5108,16 @@ Ausgabe: Choose a root password to keep your account safe. Wählen Sie ein Root-Passwort, um Ihr Konto zu schützen. + + + Root password + Root Passwort + + + + Repeat root password + Wiederhole das Root Passwort + Enter the same password twice, so that it can be checked for typing errors. @@ -5154,12 +5155,12 @@ Ausgabe: Known Issues - + Bekannte Probleme Release Notes - + Release Anmerkungen @@ -5183,12 +5184,12 @@ Ausgabe: Known Issues - + Bekannte Probleme Release Notes - + Release Anmerkungen diff --git a/lang/calamares_el.ts b/lang/calamares_el.ts index c1012c34a3..ca06f5f5b8 100644 --- a/lang/calamares_el.ts +++ b/lang/calamares_el.ts @@ -126,18 +126,13 @@ Διεπαφή: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Κλείσιμο - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Το πρόγραμμα εγκατάστασης %1 θα κάνει αλλαγές στον δίσκο για να εγκαταστήσετε το %2.<br/><strong>Δεν θα είστε σε θέση να αναιρέσετε τις αλλαγές.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Εγκατάσταση - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Η εγκτάσταση ολοκληρώθηκε. Κλείστε το πρόγραμμα εγκατάστασης. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Επόμενο - + &Back @button &Προηγούμενο - + &Done @button &Ολοκληρώθηκε - + &Cancel @button &Ακύρωση - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Θέλετε πραγματικά να ακυρώσετε τη διαδικασία εγκατάστασης; @@ -592,25 +592,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Άγνωστος τύπος εξαίρεσης - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Χειροκίνητη τμηματοποίηση</strong><br/>Μπορείτε να δημιουργήσετε κατατμήσεις ή να αλλάξετε το μέγεθός τους μόνοι σας. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Επιλέξτε ένα διαμέρισμα για σμίκρυνση, και μετά σύρετε το κάτω τμήμα της μπάρας για αλλαγή του μεγέθους</strong> - Select storage de&vice: @@ -704,6 +694,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Επιλέξτε ένα διαμέρισμα για σμίκρυνση, και μετά σύρετε το κάτω τμήμα της μπάρας για αλλαγή του μεγέθους</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Χειροκίνητη τμηματοποίηση</strong><br/>Μπορείτε να δημιουργήσετε κατατμήσεις ή να αλλάξετε το μέγεθός τους μόνοι σας. + Bootloader location: @@ -835,44 +835,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Καθαρίστηκαν όλες οι προσαρτήσεις για %1 @@ -908,129 +908,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) + + Setup Failed + @title - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + Η εγκατάσταση απέτυχε - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - Επιλογή πακέτου - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + Installation Complete + @title - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Αυτός ο υπολογιστής δεν ικανοποιεί μερικές από τις συνιστώμενες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση μπορεί να συνεχιστεί, αλλά ορισμένες λειτουργίες μπορεί να απενεργοποιηθούν. - - - - This program will ask you some questions and set up %2 on your computer. - Το πρόγραμμα θα σας κάνει μερικές ερωτήσεις και θα ρυθμίσει το %2 στον υπολογιστή σας. - - - - <h1>Welcome to the Calamares setup program for %1</h1> + + The installation of %1 is complete. + @info - - <h1>Welcome to %1 setup</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the %1 installer</h1> + + Set timezone to %1/%2 + @action - - Your username is too long. - Το όνομα χρήστη είναι πολύ μακρύ. + + The system language will be set to %1. + @info + Η τοπική γλώσσα του συστήματος έχει οριστεί σε %1. - - '%1' is not allowed as username. + + The numbers and dates locale will be set to %1. + @info - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Incorrect configuration) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Received invalid groups data) - - Your hostname is too short. - Το όνομα υπολογιστή είναι πολύ σύντομο. - - - - Your hostname is too long. - Το όνομα υπολογιστή είναι πολύ μακρύ. - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! - Οι κωδικοί πρόσβασης δεν ταιριάζουν! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Επιλογή πακέτου @@ -1074,81 +1057,98 @@ The installer will quit and all changes will be lost. Αυτή είναι μια επισκόπηση του τι θα συμβεί μόλις ξεκινήσετε τη διαδικασία εγκατάστασης. - - Setup Failed - @title + + Your username is too long. + Το όνομα χρήστη είναι πολύ μακρύ. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Η εγκατάσταση απέτυχε + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Το όνομα υπολογιστή είναι πολύ σύντομο. + + + + Your hostname is too long. + Το όνομα υπολογιστή είναι πολύ μακρύ. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title + + Your passwords do not match! + Οι κωδικοί πρόσβασης δεν ταιριάζουν! + + + + OK! - - The setup of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The installation of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Αυτός ο υπολογιστής δεν ικανοποιεί μερικές από τις συνιστώμενες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση μπορεί να συνεχιστεί, αλλά ορισμένες λειτουργίες μπορεί να απενεργοποιηθούν. + + + + This program will ask you some questions and set up %2 on your computer. + Το πρόγραμμα θα σας κάνει μερικές ερωτήσεις και θα ρυθμίσει το %2 στον υπολογιστή σας. + + + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info - Η τοπική γλώσσα του συστήματος έχει οριστεί σε %1. + + <h1>Welcome to the Calamares installer for %1</h1> + - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1474,9 +1474,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Αυτή η συσκευή έχει ένα <strong>%1</strong> πίνακα διαμερισμάτων. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Αυτός είναι ο προτεινόμενος τύπος πίνακα διαμερισμάτων για σύγχρονα συστήματα τα οποία εκκινούν από ένα <strong>EFI</strong> περιβάλλον εκκίνησης. @@ -1489,14 +1494,9 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Αυτός είναι ο προτεινόμενος τύπος πίνακα διαμερισμάτων για σύγχρονα συστήματα τα οποία εκκινούν από ένα <strong>EFI</strong> περιβάλλον εκκίνησης. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + Αυτή η συσκευή έχει ένα <strong>%1</strong> πίνακα διαμερισμάτων. @@ -2272,7 +2272,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Κατατμήσεις + Unsafe partition actions are enabled. @@ -3215,33 +3227,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Τρέχον: - - No EFI system partition configured - + + After: + @label + Μετά: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,6 +3258,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3261,37 +3270,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Κατατμήσεις - - - - Current: - @label - Τρέχον: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Μετά: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,65 +3389,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Λανθασμένοι παράμετροι για την κλήση διεργασίας. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3459,6 +3459,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + άγνωστη + + + + extended + @partition info + εκτεταμένη + + + + unformatted + @partition info + μη μορφοποιημένη + + + + swap + @partition info + + @@ -3490,30 +3514,6 @@ Output: (no mount point) - - - unknown - @partition info - άγνωστη - - - - extended - @partition info - εκτεταμένη - - - - unformatted - @partition info - μη μορφοποιημένη - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3947,17 +3947,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4050,7 +4050,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4837,11 +4838,21 @@ Output: What is your name? Ποιο είναι το όνομά σας; + + + Your full name + + What name do you want to use to log in? Ποιο όνομα θα θέλατε να χρησιμοποιείτε για σύνδεση; + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4862,11 +4873,21 @@ Output: What is the name of this computer? Ποιο είναι το όνομά του υπολογιστή; + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4883,78 +4904,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Χρησιμοποιήστε τον ίδιο κωδικό πρόσβασης για τον λογαριασμό διαχειριστή. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Χρησιμοποιήστε τον ίδιο κωδικό πρόσβασης για τον λογαριασμό διαχειριστή. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4970,11 +4971,21 @@ Output: What is your name? Ποιο είναι το όνομά σας; + + + Your full name + + What name do you want to use to log in? Ποιο όνομα θα θέλατε να χρησιμοποιείτε για σύνδεση; + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4995,16 +5006,6 @@ Output: What is the name of this computer? Ποιο είναι το όνομά του υπολογιστή; - - - Your full name - - - - - Login name - - Computer name @@ -5040,16 +5041,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5070,6 +5061,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_en.ts b/lang/calamares_en.ts index ba1da01758..c281bd6fef 100644 --- a/lang/calamares_en.ts +++ b/lang/calamares_en.ts @@ -1,12 +1,12 @@ - + AboutData <h1>%1</h1><br/><strong>%2<br/> for %3</strong><br/><br/> - <h1>%1</h1><br/><strong>%2<br/> for %3</strong><br/><br/> + @@ -22,7 +22,7 @@ Copyright %1-%2 %3 &lt;%4&gt;<br/> Copyright year-year Name <email-address> - Copyright %1-%2 %3 &lt;%4&gt;<br/> + @@ -39,17 +39,17 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. + This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. + This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. + @@ -58,30 +58,30 @@ Master Boot Record of %1 @info - Master Boot Record of %1 + Boot Partition @info - Boot Partition + System Partition @info - System Partition + Do not install a boot loader @label - Do not install a boot loader + %1 (%2) - %1 (%2) + @@ -89,7 +89,7 @@ Blank Page - Blank Page + @@ -97,68 +97,68 @@ GlobalStorage - GlobalStorage + JobQueue - JobQueue + Modules - Modules + Type: - Type: + none - none + Interface: - Interface: - - - - Reloads the stylesheet from the branding directory. - Reloads the stylesheet from the branding directory. + - - Uploads the session log to the configured pastebin. - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. + - - Send Session Log - Send Session Log + + Reloads the stylesheet from the branding directory. + Reload Stylesheet - Reload Stylesheet - - - - Crashes Calamares, so that Dr. Konqi can look at it. Displays the tree of widget names in the log (for stylesheet debugging). - Displays the tree of widget names in the log (for stylesheet debugging). + Widget Tree - Widget Tree + + + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + @@ -185,7 +185,7 @@ Install @label - Install + @@ -193,12 +193,12 @@ Job failed (%1) - Job failed (%1) + Programmed job failure was explicitly requested. - Programmed job failure was explicitly requested. + @@ -206,7 +206,7 @@ Done - Done + @@ -214,7 +214,7 @@ Example job (%1) - Example job (%1) + @@ -229,7 +229,7 @@ Running command %1… @status - Running command %1… + @@ -237,17 +237,17 @@ Running %1 operation. - Running %1 operation. + Bad working directory path - Bad working directory path + Working directory %1 for python job %2 is not readable. - Working directory %1 for python job %2 is not readable. + @@ -257,12 +257,12 @@ Bad main script file - Bad main script file + Main script file %1 for python job %2 is not readable. - Main script file %1 for python job %2 is not readable. + @@ -308,25 +308,25 @@ Bad working directory path @error - Bad working directory path + Working directory %1 for python job %2 is not readable. @error - Working directory %1 for python job %2 is not readable. + Bad main script file @error - Bad main script file + Main script file %1 for python job %2 is not readable. @error - Main script file %1 for python job %2 is not readable. + @@ -353,7 +353,7 @@ Loading failed. @info - Loading failed. + @@ -378,72 +378,91 @@ (%n second(s)) @status - (%n second) - (%n seconds) + + System-requirements checking is complete. @info - System-requirements checking is complete. + Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes - &Yes + &No - &No + &Close - &Close + - + Setup Failed @title - Setup Failed + Installation Failed @title - Installation Failed + Error @title - Error + Calamares Initialization Failed @title - Calamares Initialization Failed + %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. @info - %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. + - + <br/>The following modules could not be loaded: @info - <br/>The following modules could not be loaded: + - + Continue with Setup? @title @@ -458,164 +477,139 @@ The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> + - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> + - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - &Install + - + Setup is complete. Close the setup program. @tooltip - Setup is complete. Close the setup program. + - + The installation is complete. Close the installer. @tooltip - The installation is complete. Close the installer. + - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - &Next + - + &Back @button - &Back + - + &Done @button - &Done + - + &Cancel @button - &Cancel + - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Install Log Paste URL - - - - The upload was unsuccessful. No web-paste was done. - The upload was unsuccessful. No web-paste was done. - - - - Install log posted to - -%1 - -Link copied to clipboard - Install log posted to - -%1 - -Link copied to clipboard - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - Do you really want to cancel the current setup process? -The setup program will quit and all changes will be lost. + - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. - Do you really want to cancel the current install process? -The installer will quit and all changes will be lost. + CalamaresPython::Helper - + Unknown exception type @error - Unknown exception type + - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -626,12 +620,12 @@ The installer will quit and all changes will be lost. %1 Setup Program - %1 Setup Program + %1 Installer - %1 Installer + @@ -640,7 +634,7 @@ The installer will quit and all changes will be lost. Set filesystem label on %1 @title - Set filesystem label on %1 + @@ -659,7 +653,7 @@ The installer will quit and all changes will be lost. The installer failed to update partition table on disk '%1'. @info - The installer failed to update partition table on disk '%1'. + @@ -667,26 +661,16 @@ The installer will quit and all changes will be lost. Gathering system information... - Gathering system information... + ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - Select storage de&vice: @label - Select storage de&vice: + @@ -695,54 +679,59 @@ The installer will quit and all changes will be lost. Current: @label - Current: + After: @label - After: + Reuse %1 as home partition for %2 @label - Reuse %1 as home partition for %2. {1 ?} {2?} + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @info, %1 is partition name, %4 is product name - %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. + <strong>Select a partition to install on</strong> @label - <strong>Select a partition to install on</strong> + An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. @info, %1 is product name - An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. + The EFI system partition at %1 will be used for starting %2. @info, %1 is partition path, %2 is product name - The EFI system partition at %1 will be used for starting %2. + EFI system partition: @label - EFI system partition: + This storage device does not seem to have an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - This storage device does not seem to have an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. + @@ -750,7 +739,7 @@ The installer will quit and all changes will be lost. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. + @@ -758,7 +747,7 @@ The installer will quit and all changes will be lost. <strong>Install alongside</strong><br/>The installer will shrink a partition to make room for %1. - <strong>Install alongside</strong><br/>The installer will shrink a partition to make room for %1. + @@ -766,39 +755,39 @@ The installer will quit and all changes will be lost. <strong>Replace a partition</strong><br/>Replaces a partition with %1. - <strong>Replace a partition</strong><br/>Replaces a partition with %1. + This storage device has %1 on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - This storage device has %1 on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. + This storage device already has an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - This storage device already has an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. + This storage device has multiple operating systems on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - This storage device has multiple operating systems on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. + This storage device already has an operating system on it, but the partition table <strong>%1</strong> is different from the needed <strong>%2</strong>.<br/> - This storage device already has an operating system on it, but the partition table <strong>%1</strong> is different from the needed <strong>%2</strong>.<br/> + This storage device has one of its partitions <strong>mounted</strong>. @info - This storage device has one of its partitions <strong>mounted</strong>. + This storage device is a part of an <strong>inactive RAID</strong> device. @info - This storage device is a part of an <strong>inactive RAID</strong> device. + @@ -816,19 +805,24 @@ The installer will quit and all changes will be lost. Swap (no Hibernate) @label - Swap (no Hibernate) + Swap (with Hibernate) @label - Swap (with Hibernate) + Swap to file @label - Swap to file + + + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + @@ -840,46 +834,46 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - Successfully unmounted %1. + - + Successfully disabled swap %1. - Successfully disabled swap %1. + - + Successfully cleared swap %1. - Successfully cleared swap %1. + - + Successfully closed mapper device %1. - Successfully closed mapper device %1. + - + Successfully disabled volume group %1. - Successfully disabled volume group %1. + - + Clear mounts for partitioning operations on %1 @title - Clear mounts for partitioning operations on %1 + - + Clearing mounts for partitioning operations on %1… @status - Clearing mounts for partitioning operations on %1. {1…?} + - + Cleared all mounts for %1 - Cleared all mounts for %1 + @@ -894,7 +888,7 @@ The installer will quit and all changes will be lost. Cleared all temporary mounts. - Cleared all temporary mounts. + @@ -902,7 +896,7 @@ The installer will quit and all changes will be lost. Could not run command. - Could not run command. + @@ -913,248 +907,248 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title + - - Network Installation. (Disabled: Received invalid groups data) - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title + - - Network Installation. (Disabled: Internal error) - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info + - - Network Installation. (Disabled: No package list) - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info + - - Package selection - Package selection + + Setup Complete + @title + - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title + - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - This program will ask you some questions and set up %2 on your computer. - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action + - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Welcome to the Calamares setup program for %1</h1> - - - - <h1>Welcome to %1 setup</h1> - <h1>Welcome to %1 setup</h1> - - - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Welcome to the Calamares installer for %1</h1> - - - - <h1>Welcome to the %1 installer</h1> - <h1>Welcome to the %1 installer</h1> - - - - Your username is too long. - Your username is too long. - - - - '%1' is not allowed as username. - '%1' is not allowed as username. - - - - Your username must start with a lowercase letter or underscore. - Your username must start with a lowercase letter or underscore. + + The system language will be set to %1. + @info + - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Only lowercase letters, numbers, underscore and hyphen are allowed. + + The numbers and dates locale will be set to %1. + @info + - - Your hostname is too short. - Your hostname is too short. + + Network Installation. (Disabled: Incorrect configuration) + - - Your hostname is too long. - Your hostname is too long. + + Network Installation. (Disabled: Received invalid groups data) + - - '%1' is not allowed as hostname. - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + - - Your passwords do not match! - Your passwords do not match! + + Network Installation. (Disabled: No package list) + - - OK! - OK! + + Package selection + Package Selection - Package Selection + Please pick a product from the list. The selected product will be installed. - Please pick a product from the list. The selected product will be installed. + Packages - Packages + Install option: <strong>%1</strong> - Install option: <strong>%1</strong> + None - None + Summary @label - Summary + This is an overview of what will happen once you start the setup procedure. - This is an overview of what will happen once you start the setup procedure. + This is an overview of what will happen once you start the install procedure. - This is an overview of what will happen once you start the install procedure. + - - Setup Failed - @title - Setup Failed + + Your username is too long. + - - Installation Failed - @title - Installation Failed + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info - The setup of %1 did not complete successfully. + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The installation of %1 did not complete successfully. - @info - The installation of %1 did not complete successfully. + + '%1' is not allowed as username. + - - Setup Complete - @title - Setup Complete + + Your hostname is too short. + - - Installation Complete - @title - Installation Complete + + Your hostname is too long. + - - The setup of %1 is complete. - @info - The setup of %1 is complete. + + '%1' is not allowed as hostname. + - - The installation of %1 is complete. - @info - The installation of %1 is complete. + + Only letters, numbers, underscore and hyphen are allowed. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + OK! - - Set timezone to %1/%2 - @action - Set timezone to %1/%2 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - The system language will be set to %1. - @info - The system language will be set to %1. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The numbers and dates locale will be set to %1. - @info - The numbers and dates locale will be set to %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1171,98 +1165,98 @@ The installer will quit and all changes will be lost. Create a Partition - Create a Partition + Si&ze: - Si&ze: + MiB - MiB + Partition &Type: - Partition &Type: + Primar&y - Primar&y + E&xtended - E&xtended + Fi&le System: - Fi&le System: + LVM LV name - LVM LV name + &Mount Point: - &Mount Point: + Flags: - Flags: + Label for the filesystem - Label for the filesystem + FS Label: - FS Label: + En&crypt @action - En&crypt + Logical @label - Logical + Primary @label - Primary + GPT @label - GPT + Mountpoint already in use. Please select another one. @info - Mountpoint already in use. Please select another one. + Mountpoint must start with a <tt>/</tt>. @info - Mountpoint must start with a <tt>/</tt>. + @@ -1271,7 +1265,7 @@ The installer will quit and all changes will be lost. Create new %1MiB partition on %3 (%2) with entries %4 @title - Create new %1MiB partition on %3 (%2) with entries %4. {1M?} {3 ?} {2)?} {4?} + @@ -1283,7 +1277,7 @@ The installer will quit and all changes will be lost. Create new %2MiB partition on %4 (%3) with file system %1 @title - Create new %2MiB partition on %4 (%3) with file system %1 + @@ -1308,13 +1302,13 @@ The installer will quit and all changes will be lost. Creating new %1 partition on %2… @status - Creating new %1 partition on %2. {1 ?} {2…?} + The installer failed to create partition on disk '%1'. @info - The installer failed to create partition on disk '%1'. + @@ -1322,27 +1316,27 @@ The installer will quit and all changes will be lost. Create Partition Table - Create Partition Table + Creating a new partition table will delete all existing data on the disk. - Creating a new partition table will delete all existing data on the disk. + What kind of partition table do you want to create? - What kind of partition table do you want to create? + Master Boot Record (MBR) - Master Boot Record (MBR) + GUID Partition Table (GPT) - GUID Partition Table (GPT) + @@ -1352,7 +1346,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition table on %2… @status - Creating new %1 partition table on %2. {1 ?} {2…?} + @@ -1363,7 +1357,7 @@ The installer will quit and all changes will be lost. The installer failed to create a partition table on %1. - The installer failed to create a partition table on %1. + @@ -1371,7 +1365,7 @@ The installer will quit and all changes will be lost. Create user %1 - Create user %1 + @@ -1383,7 +1377,7 @@ The installer will quit and all changes will be lost. Creating user %1… @status - Creating user %1… + @@ -1395,7 +1389,7 @@ The installer will quit and all changes will be lost. Configuring user %1 @status - Configuring user %1 + @@ -1410,7 +1404,7 @@ The installer will quit and all changes will be lost. Create Volume Group @title - Create Volume Group + @@ -1420,7 +1414,7 @@ The installer will quit and all changes will be lost. Creating new volume group named %1… @status - Creating new volume group named %1. {1…?} +
@@ -1431,7 +1425,7 @@ The installer will quit and all changes will be lost. The installer failed to create a volume group named '%1'. - The installer failed to create a volume group named '%1'. + @@ -1452,7 +1446,7 @@ The installer will quit and all changes will be lost. The installer failed to deactivate a volume group named %1. - The installer failed to deactivate a volume group named %1. + @@ -1462,7 +1456,7 @@ The installer will quit and all changes will be lost. Deleting partition %1… @status - Deleting partition %1. {1…?} + @@ -1473,40 +1467,40 @@ The installer will quit and all changes will be lost. The installer failed to delete partition %1. - The installer failed to delete partition %1. + DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. - This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. + This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - - - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. + The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. - The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. + @@ -1515,13 +1509,13 @@ The installer will quit and all changes will be lost. %1 - %2 (%3) device[name] - size[number] (device-node[name]) - %1 - %2 (%3) + %1 - (%2) device[name] - (device-node[name]) - %1 - (%2) + @@ -1542,7 +1536,7 @@ The installer will quit and all changes will be lost. Failed to open %1 @error - Failed to open %1 +
@@ -1559,72 +1553,72 @@ The installer will quit and all changes will be lost. Edit Existing Partition - Edit Existing Partition + Con&tent: - Con&tent: + &Keep - &Keep + Format - Format + Warning: Formatting the partition will erase all existing data. - Warning: Formatting the partition will erase all existing data. + &Mount Point: - &Mount Point: + Si&ze: - Si&ze: + MiB - MiB + Fi&le System: - Fi&le System: + Flags: - Flags: + Label for the filesystem - Label for the filesystem + FS Label: - FS Label: + Passphrase for existing partition - Passphrase for existing partition + Partition %1 could not be decrypted with the given passphrase.<br/><br/>Edit the partition again and give the correct passphrase or delete and create a new encrypted partition. - Partition %1 could not be decrypted with the given passphrase.<br/><br/>Edit the partition again and give the correct passphrase or delete and create a new encrypted partition. + @@ -1632,29 +1626,29 @@ The installer will quit and all changes will be lost. En&crypt system - En&crypt system + Your system does not seem to support encryption well enough to encrypt the entire system. You may enable encryption, but performance may suffer. - Your system does not seem to support encryption well enough to encrypt the entire system. You may enable encryption, but performance may suffer. + Passphrase - Passphrase + Confirm passphrase - Confirm passphrase + Please enter the same passphrase in both boxes. @tooltip - Please enter the same passphrase in both boxes. + @@ -1668,12 +1662,12 @@ The installer will quit and all changes will be lost. Details: - Details: + Would you like to paste the install log to the web? - Would you like to paste the install log to the web? + @@ -1682,13 +1676,13 @@ The installer will quit and all changes will be lost. Set partition information @title - Set partition information +
Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> @info - Install %1 on <strong>new</strong> %2 system partition with features <em>%3</em> + @@ -1706,7 +1700,7 @@ The installer will quit and all changes will be lost. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3. {2 ?} {1<?} {3?} + @@ -1730,7 +1724,7 @@ The installer will quit and all changes will be lost. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} + @@ -1750,43 +1744,43 @@ The installer will quit and all changes will be lost. &Restart now - &Restart now + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. @info - <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> @tooltip - <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. @info - <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> @tooltip - <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. @info, %1 is product name with version - <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @info, %1 is product name with version - <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. + @@ -1795,7 +1789,7 @@ The installer will quit and all changes will be lost. Finish @label - Finish + @@ -1804,7 +1798,7 @@ The installer will quit and all changes will be lost. Finish @label - Finish +
@@ -1813,7 +1807,7 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Format partition %1 (file system: %2, size: %3 MiB) on %4. {1 ?} {2,?} {3 ?} {4?} +
@@ -1825,18 +1819,18 @@ The installer will quit and all changes will be lost. %1 (%2) partition label %1 (device path %2) - %1 (%2) + Formatting partition %1 with file system %2… @status - Formatting partition %1 with file system %2. {1 ?} {2…?} + The installer failed to format partition %1 on disk '%2'. - The installer failed to format partition %1 on disk '%2'. + @@ -1854,67 +1848,67 @@ The installer will quit and all changes will be lost. There is not enough drive space. At least %1 GiB is required. - There is not enough drive space. At least %1 GiB is required. + has at least %1 GiB working memory - has at least %1 GiB working memory + The system does not have enough working memory. At least %1 GiB is required. - The system does not have enough working memory. At least %1 GiB is required. + is plugged in to a power source - is plugged in to a power source + The system is not plugged in to a power source. - The system is not plugged in to a power source. + is connected to the Internet - is connected to the Internet + The system is not connected to the Internet. - The system is not connected to the Internet. + is running the installer as an administrator (root) - is running the installer as an administrator (root) + The setup program is not running with administrator rights. - The setup program is not running with administrator rights. + The installer is not running with administrator rights. - The installer is not running with administrator rights. + has a screen large enough to show the whole installer - has a screen large enough to show the whole installer + The screen is too small to display the setup program. - The screen is too small to display the setup program. + The screen is too small to display the installer. - The screen is too small to display the installer. + @@ -1985,22 +1979,22 @@ The installer will quit and all changes will be lost. OEM Batch Identifier - OEM Batch Identifier + Could not create directories <code>%1</code>. - Could not create directories <code>%1</code>. + Could not open file <code>%1</code>. - Could not open file <code>%1</code>. + Could not write to file <code>%1</code>. - Could not write to file <code>%1</code>. + @@ -2033,13 +2027,13 @@ The installer will quit and all changes will be lost. Please install KDE Konsole and try again! @info - Please install KDE Konsole and try again! +
Executing script: &nbsp;<code>%1</code> @info - Executing script: &nbsp;<code>%1</code> + @@ -2048,7 +2042,7 @@ The installer will quit and all changes will be lost. Script @label - Script +
@@ -2057,7 +2051,7 @@ The installer will quit and all changes will be lost. Keyboard @label - Keyboard +
@@ -2066,7 +2060,7 @@ The installer will quit and all changes will be lost. Keyboard @label - Keyboard +
@@ -2081,19 +2075,19 @@ The installer will quit and all changes will be lost. The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. @info - The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. +
&Cancel @button - &Cancel + &OK @button - &OK + @@ -2101,22 +2095,22 @@ The installer will quit and all changes will be lost. Configuring encrypted swap. - Configuring encrypted swap. + No target system available. - No target system available. + No rootMountPoint is set. - No rootMountPoint is set. + No configFilePath is set. - No configFilePath is set. + @@ -2124,43 +2118,43 @@ The installer will quit and all changes will be lost. <h1>License Agreement</h1> - <h1>License Agreement</h1> + I accept the terms and conditions above. @info - I accept the terms and conditions above. + Please review the End User License Agreements (EULAs). @info - Please review the End User License Agreements (EULAs). + This setup procedure will install proprietary software that is subject to licensing terms. @info - This setup procedure will install proprietary software that is subject to licensing terms. + If you do not agree with the terms, the setup procedure cannot continue. @info - If you do not agree with the terms, the setup procedure cannot continue. + This setup procedure can install proprietary software that is subject to licensing terms in order to provide additional features and enhance the user experience. @info - This setup procedure can install proprietary software that is subject to licensing terms in order to provide additional features and enhance the user experience. + If you do not agree with the terms, proprietary software will not be installed, and open source alternatives will be used instead. @info - If you do not agree with the terms, proprietary software will not be installed, and open source alternatives will be used instead. + @@ -2169,7 +2163,7 @@ The installer will quit and all changes will be lost. License @label - License +
@@ -2178,51 +2172,51 @@ The installer will quit and all changes will be lost. URL: %1 @label - URL: %1 +
<strong>%1 driver</strong><br/>by %2 @label, %1 is product name, %2 is product vendor %1 is an untranslatable product name, example: Creative Audigy driver - <strong>%1 driver</strong><br/>by %2 + <strong>%1 graphics driver</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor %1 is usually a vendor name, example: Nvidia graphics driver - <strong>%1 graphics driver</strong><br/><font color="Grey">by %2</font> + <strong>%1 browser plugin</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - <strong>%1 browser plugin</strong><br/><font color="Grey">by %2</font> + <strong>%1 codec</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - <strong>%1 codec</strong><br/><font color="Grey">by %2</font> + <strong>%1 package</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - <strong>%1 package</strong><br/><font color="Grey">by %2</font> + <strong>%1</strong><br/><font color="Grey">by %2</font> @label, %1 is product name, %2 is product vendor - <strong>%1</strong><br/><font color="Grey">by %2</font> + File: %1 @label - File: %1 + @@ -2234,7 +2228,7 @@ The installer will quit and all changes will be lost. Show the license text @tooltip - Show the license text + @@ -2249,13 +2243,13 @@ The installer will quit and all changes will be lost. Region: @label - Region: + Zone: @label - Zone: + @@ -2271,15 +2265,15 @@ The installer will quit and all changes will be lost. Location @label - Location + LocaleTests - + Quit - Quit + @@ -2288,7 +2282,7 @@ The installer will quit and all changes will be lost. Location @label - Location +
@@ -2296,29 +2290,29 @@ The installer will quit and all changes will be lost. Configuring LUKS key file. - Configuring LUKS key file. + No partitions are defined. - No partitions are defined. + Encrypted rootfs setup error - Encrypted rootfs setup error + Root partition %1 is LUKS but no passphrase has been set. - Root partition %1 is LUKS but no passphrase has been set. + Could not create LUKS key file for root partition %1. - Could not create LUKS key file for root partition %1. + @@ -2326,17 +2320,17 @@ The installer will quit and all changes will be lost. Generate machine-id. - Generate machine-id. + Configuration Error - Configuration Error + No root mount point is set for MachineId. - No root mount point is set for MachineId. + @@ -2344,17 +2338,17 @@ The installer will quit and all changes will be lost. File not found - File not found + Path <pre>%1</pre> must be an absolute path. - Path <pre>%1</pre> must be an absolute path. + Could not create new random file <pre>%1</pre>. - Could not create new random file <pre>%1</pre>. + @@ -2363,7 +2357,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - Timezone: %1 +
@@ -2371,9 +2365,7 @@ The installer will quit and all changes will be lost. and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. @info - Please select your preferred location on the map so the installer can suggest the locale - and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging - to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + @@ -2382,7 +2374,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - Timezone: %1 +
@@ -2390,9 +2382,7 @@ The installer will quit and all changes will be lost. and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. @label - Please select your preferred location on the map so the installer can suggest the locale - and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging - to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + @@ -2400,109 +2390,109 @@ The installer will quit and all changes will be lost. Package selection - Package selection + Office software - Office software + Office package - Office package + Browser software - Browser software + Browser package - Browser package + Web browser - Web browser + Kernel label for netinstall module, Linux kernel - Kernel + Services label for netinstall module, system services - Services + Login label for netinstall module, choose login manager - Login + Desktop label for netinstall module, choose desktop environment - Desktop + + + + + Applications + Communication label for netinstall module - Communication + Development label for netinstall module - Development + Office label for netinstall module - Office + Multimedia label for netinstall module - Multimedia + Internet label for netinstall module - Internet + Theming label for netinstall module - Theming + Gaming label for netinstall module - Gaming + Utilities label for netinstall module - Utilities - - - - Applications - Applications + @@ -2510,7 +2500,7 @@ The installer will quit and all changes will be lost. Notes - Notes + @@ -2518,17 +2508,17 @@ The installer will quit and all changes will be lost. Ba&tch: - Ba&tch: + <html><head/><body><p>Enter a batch-identifier here. This will be stored in the target system.</p></body></html> - <html><head/><body><p>Enter a batch-identifier here. This will be stored in the target system.</p></body></html> + <html><head/><body><h1>OEM Configuration</h1><p>Calamares will use OEM settings while configuring the target system.</p></body></html> - <html><head/><body><h1>OEM Configuration</h1><p>Calamares will use OEM settings while configuring the target system.</p></body></html> + @@ -2536,12 +2526,12 @@ The installer will quit and all changes will be lost. OEM Configuration - OEM Configuration + Set the OEM Batch Identifier to <code>%1</code>. - Set the OEM Batch Identifier to <code>%1</code>. + @@ -2558,7 +2548,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - Timezone: %1 +
@@ -2570,7 +2560,7 @@ The installer will quit and all changes will be lost. Zones @button - Zones + @@ -2593,7 +2583,7 @@ The installer will quit and all changes will be lost. Timezone: %1 @label - Timezone: %1 + @@ -2605,7 +2595,7 @@ The installer will quit and all changes will be lost. Zones @button - Zones + @@ -2619,269 +2609,269 @@ The installer will quit and all changes will be lost. Password is too short - Password is too short + Password is too long - Password is too long + Password is too weak - Password is too weak + Memory allocation error when setting '%1' - Memory allocation error when setting '%1' + Memory allocation error - Memory allocation error + The password is the same as the old one - The password is the same as the old one + The password is a palindrome - The password is a palindrome + The password differs with case changes only - The password differs with case changes only + The password is too similar to the old one - The password is too similar to the old one + The password contains the user name in some form - The password contains the user name in some form + The password contains words from the real name of the user in some form - The password contains words from the real name of the user in some form + The password contains forbidden words in some form - The password contains forbidden words in some form + + + + + The password contains fewer than %n digits + + + + The password contains too few digits - The password contains too few digits + + + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters - The password contains too few uppercase letters + The password contains fewer than %n lowercase letters - - The password contains fewer than %n lowercase letters - The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters - The password contains too few lowercase letters - - - - The password contains too few non-alphanumeric characters - The password contains too few non-alphanumeric characters - - - - The password is too short - The password is too short - - - - The password does not contain enough character classes - The password does not contain enough character classes - - - - The password contains too many same characters consecutively - The password contains too many same characters consecutively - - - - The password contains too many characters of the same class consecutively - The password contains too many characters of the same class consecutively - - - - The password contains fewer than %n digits - - The password contains fewer than %n digits - The password contains fewer than %n digits - - - - - The password contains fewer than %n uppercase letters - - The password contains fewer than %n uppercase letters - The password contains fewer than %n uppercase letters - + The password contains fewer than %n non-alphanumeric characters - - The password contains fewer than %n non-alphanumeric characters - The password contains fewer than %n non-alphanumeric characters + + + + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters - - The password is shorter than %n characters - The password is shorter than %n characters + + + + + + The password is too short + + The password is a rotated version of the previous one - The password is a rotated version of the previous one + The password contains fewer than %n character classes - - The password contains fewer than %n character classes - The password contains fewer than %n character classes + + + + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively - - The password contains more than %n same characters consecutively - The password contains more than %n same characters consecutively + + + + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively - - The password contains more than %n characters of the same class consecutively - The password contains more than %n characters of the same class consecutively + + + + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters - - The password contains monotonic sequence longer than %n characters - The password contains monotonic sequence longer than %n characters + + + The password contains too long of a monotonic character sequence - The password contains too long of a monotonic character sequence + No password supplied - No password supplied + Cannot obtain random numbers from the RNG device - Cannot obtain random numbers from the RNG device + Password generation failed - required entropy too low for settings - Password generation failed - required entropy too low for settings + The password fails the dictionary check - %1 - The password fails the dictionary check - %1 + The password fails the dictionary check - The password fails the dictionary check + Unknown setting - %1 - Unknown setting - %1 + Unknown setting - Unknown setting + Bad integer value of setting - %1 - Bad integer value of setting - %1 + Bad integer value - Bad integer value + Setting %1 is not of integer type - Setting %1 is not of integer type + Setting is not of integer type - Setting is not of integer type + Setting %1 is not of string type - Setting %1 is not of string type + Setting is not of string type - Setting is not of string type + Opening the configuration file failed - Opening the configuration file failed + The configuration file is malformed - The configuration file is malformed + Fatal failure - Fatal failure + Unknown error - Unknown error + @@ -2889,27 +2879,27 @@ The installer will quit and all changes will be lost. Product Name - Product Name + TextLabel - TextLabel + Long Product Description - Long Product Description + Package Selection - Package Selection + Please pick a product from the list. The selected product will be installed. - Please pick a product from the list. The selected product will be installed. + @@ -2917,12 +2907,12 @@ The installer will quit and all changes will be lost. Name - Name + Description - Description + @@ -2935,7 +2925,7 @@ The installer will quit and all changes will be lost. Type here to test your keyboard - Type here to test your keyboard + @@ -2949,91 +2939,91 @@ The installer will quit and all changes will be lost. What is your name? - What is your name? + Your Full Name - Your Full Name + What name do you want to use to log in? - What name do you want to use to log in? + login - login + What is the name of this computer? - What is the name of this computer? + <small>This name will be used if you make the computer visible to others on a network.</small> - <small>This name will be used if you make the computer visible to others on a network.</small> + Computer Name - Computer Name + Choose a password to keep your account safe. - Choose a password to keep your account safe. + <small>Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals.</small> - <small>Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals.</small> + Password - Password + Repeat Password - Repeat Password + When this box is checked, password-strength checking is done and you will not be able to use a weak password. - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Require strong passwords. - Require strong passwords. + Log in automatically without asking for the password. - Log in automatically without asking for the password. + Use the same password for the administrator account. - Use the same password for the administrator account. + Choose a password for the administrator account. - Choose a password for the administrator account. + <small>Enter the same password twice, so that it can be checked for typing errors.</small> - <small>Enter the same password twice, so that it can be checked for typing errors.</small> + @@ -3041,49 +3031,49 @@ The installer will quit and all changes will be lost. Root - Root + Home @label - Home + Boot @label - Boot + EFI system @label - EFI system + Swap @label - Swap + New partition for %1 @label - New partition for %1 + New partition @label - New partition + %1 %2 size[number] filesystem[name] - %1 %2 + @@ -3093,7 +3083,7 @@ The installer will quit and all changes will be lost. Free Space @title - Free Space + @@ -3106,31 +3096,31 @@ The installer will quit and all changes will be lost. Name @title - Name + File System @title - File System + File System Label @title - File System Label + Mount Point @title - Mount Point + Size @title - Size + @@ -3138,170 +3128,170 @@ The installer will quit and all changes will be lost. Storage de&vice: - Storage de&vice: + &Revert All Changes - &Revert All Changes + New Partition &Table - New Partition &Table + Cre&ate - Cre&ate + &Edit - &Edit + &Delete - &Delete + New Volume Group - New Volume Group + Resize Volume Group - Resize Volume Group + Deactivate Volume Group - Deactivate Volume Group + Remove Volume Group - Remove Volume Group + I&nstall boot loader on: - I&nstall boot loader on: + Are you sure you want to create a new partition table on %1? - Are you sure you want to create a new partition table on %1? + Can not create new partition - Can not create new partition + The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + + Unsafe partition actions are enabled. - Unsafe partition actions are enabled. + Partitioning is configured to <b>always</b> fail. - Partitioning is configured to <b>always</b> fail. + No partitions will be changed. - No partitions will be changed. - - - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - The minimum recommended size for the filesystem is %1 MiB. + + Current: + @label - - You can continue with this EFI system partition configuration but your system may fail to start. + + After: + @label - - - No EFI system partition configured - No EFI system partition configured - - - - EFI system partition configured incorrectly - EFI system partition configured incorrectly - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + The filesystem must be mounted on <strong>%1</strong>. - The filesystem must be mounted on <strong>%1</strong>. + The filesystem must have type FAT32. - The filesystem must have type FAT32. + + + + + The filesystem must have flag <strong>%1</strong> set. + The filesystem must be at least %1 MiB in size. - The filesystem must be at least %1 MiB in size. - - - - The filesystem must have flag <strong>%1</strong> set. - The filesystem must have flag <strong>%1</strong> set. + - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Partitions + + You can continue without setting up an EFI system partition but your system may fail to start. + - - Current: - @label - Current: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - After: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly + @@ -3311,32 +3301,32 @@ The installer will quit and all changes will be lost. Option to use GPT on BIOS - Option to use GPT on BIOS + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. + Boot partition not encrypted - Boot partition not encrypted + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. + has at least one disk device available. - has at least one disk device available. + There are no partitions to install on. - There are no partitions to install on. + @@ -3351,7 +3341,7 @@ The installer will quit and all changes will be lost. Could not select KDE Plasma Look-and-Feel package - Could not select KDE Plasma Look-and-Feel package +
@@ -3359,12 +3349,12 @@ The installer will quit and all changes will be lost. Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is set up. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is set up. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. + Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is installed. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is installed. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. + @@ -3373,7 +3363,7 @@ The installer will quit and all changes will be lost. Look-and-Feel @label - Look-and-Feel +
@@ -3387,81 +3377,78 @@ The installer will quit and all changes will be lost. No files configured to save for later. - No files configured to save for later. + Not all of the configured files could be preserved. - Not all of the configured files could be preserved. + ProcessResult - + There was no output from the command. - -There was no output from the command. + - + Output: - -Output: - + - + External command crashed. - External command crashed. + - + Command <i>%1</i> crashed. - Command <i>%1</i> crashed. + - + External command failed to start. - External command failed to start. + - + Command <i>%1</i> failed to start. - Command <i>%1</i> failed to start. + - + Internal error when starting command. - Internal error when starting command. + - + Bad parameters for process job call. - Bad parameters for process job call. + - + External command failed to finish. - External command failed to finish. + - + Command <i>%1</i> failed to finish in %2 seconds. - Command <i>%1</i> failed to finish in %2 seconds. + - + External command finished with errors. - External command finished with errors. + - + Command <i>%1</i> finished with exit code %2. - Command <i>%1</i> finished with exit code %2. + @@ -3469,68 +3456,68 @@ Output: %1 (%2) - %1 (%2) + + + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + Default - Default + Directory not found - Directory not found + Could not create new random file <pre>%1</pre>. - Could not create new random file <pre>%1</pre>. + No product - No product + No description provided. - No description provided. + (no mount point) - (no mount point) - - - - unknown - @partition info - unknown - - - - extended - @partition info - extended - - - - unformatted - @partition info - unformatted - - - - swap - @partition info - swap + Unpartitioned space or unknown partition table @info - Unpartitioned space or unknown partition table + @@ -3539,8 +3526,7 @@ Output: <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> - Setup can continue, but some features might be disabled.</p> +
@@ -3570,7 +3556,7 @@ Output: The installer failed to remove a volume group named '%1'. - The installer failed to remove a volume group named '%1'. + @@ -3579,15 +3565,13 @@ Output: <p>This computer does not satisfy the minimum requirements for installing %1.<br/> Installation cannot continue.</p> - <p>This computer does not satisfy the minimum requirements for installing %1.<br/> - Installation cannot continue.</p> +
<p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> - Setup can continue, but some features might be disabled.</p> + @@ -3602,13 +3586,13 @@ Output: Invalid configuration @error - Invalid configuration +
The file-system resize job has an invalid configuration and will not run. @error - The file-system resize job has an invalid configuration and will not run. + @@ -3632,13 +3616,13 @@ Output: The filesystem %1 could not be found in this system, and cannot be resized. @info - The filesystem %1 could not be found in this system, and cannot be resized. + The device %1 could not be found in this system, and cannot be resized. @info - The device %1 could not be found in this system, and cannot be resized. + @@ -3647,21 +3631,21 @@ Output: Resize Failed @error - Resize Failed + The filesystem %1 cannot be resized. @error - The filesystem %1 cannot be resized. + The device %1 cannot be resized. @error - The device %1 cannot be resized. + @@ -3673,7 +3657,7 @@ Output: The device %1 must be resized, but cannot @info - The device %1 must be resized, but cannot + @@ -3682,7 +3666,7 @@ Output: Resize partition %1 @title - Resize partition %1 +
@@ -3699,7 +3683,7 @@ Output: The installer failed to resize partition %1 on disk '%2'. - The installer failed to resize partition %1 on disk '%2'. + @@ -3708,7 +3692,7 @@ Output: Resize Volume Group @title - Resize Volume Group + @@ -3717,7 +3701,7 @@ Output: Resize volume group named %1 from %2 to %3 @title - Resize volume group named %1 from %2 to %3. {1 ?} {2 ?} {3?} +
@@ -3734,7 +3718,7 @@ Output: The installer failed to resize a volume group named '%1'. - The installer failed to resize a volume group named '%1'. + @@ -3765,30 +3749,30 @@ Output: Set hostname %1 - Set hostname %1 + Set hostname <strong>%1</strong>. - Set hostname <strong>%1</strong>. + Setting hostname %1… @status - Setting hostname %1. {1…?} + Internal Error - Internal Error + Cannot write hostname to target system - Cannot write hostname to target system + @@ -3803,37 +3787,37 @@ Output: Failed to write keyboard configuration for the virtual console. @error - Failed to write keyboard configuration for the virtual console. + Failed to write to %1 @error, %1 is virtual console configuration path - Failed to write to %1 + Failed to write keyboard configuration for X11. @error - Failed to write keyboard configuration for X11. + Failed to write to %1 @error, %1 is keyboard configuration path - Failed to write to %1 + Failed to write keyboard configuration to existing /etc/default directory. @error - Failed to write keyboard configuration to existing /etc/default directory. + Failed to write to %1 @error, %1 is default keyboard path - Failed to write to %1 + @@ -3842,7 +3826,7 @@ Output: Set flags on partition %1 @title - Set flags on partition %1 +
@@ -3931,7 +3915,7 @@ Output: The installer failed to set flags on partition %1. - The installer failed to set flags on partition %1. + @@ -3939,39 +3923,39 @@ Output: Set password for user %1 - Set password for user %1 + Setting password for user %1… @status - Setting password for user %1. {1…?} + Bad destination system path. - Bad destination system path. + rootMountPoint is %1 - rootMountPoint is %1 + Cannot disable root account. - Cannot disable root account. - - - - Cannot set password for user %1. - Cannot set password for user %1. + usermod terminated with error code %1. - usermod terminated with error code %1. + + + + + Cannot set password for user %1. + @@ -3986,32 +3970,32 @@ Output: Cannot access selected timezone path. @error - Cannot access selected timezone path. + Bad path: %1 @error - Bad path: %1 + Cannot set timezone. @error - Cannot set timezone. + Link creation failed, target: %1; link name: %2 @info - Link creation failed, target: %1; link name: %2 + Cannot open /etc/timezone for writing @info - Cannot open /etc/timezone for writing + @@ -4026,12 +4010,12 @@ Output: Could not create groups in target system - Could not create groups in target system +
These groups are missing in the target system: %1 - These groups are missing in the target system: %1 + @@ -4045,12 +4029,12 @@ Output: Cannot chmod sudoers file. - Cannot chmod sudoers file. + Cannot create sudoers file for writing. - Cannot create sudoers file for writing. + @@ -4065,10 +4049,11 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) - %L1 / %L2 + @@ -4076,27 +4061,27 @@ Output: &OK - &OK + &Yes - &Yes + &No - &No + &Cancel - &Cancel + &Close - &Close + @@ -4104,7 +4089,7 @@ Output: Installation feedback - Installation feedback + @@ -4115,12 +4100,12 @@ Output: Internal error in install-tracking. - Internal error in install-tracking. + HTTP request timed out. - HTTP request timed out. + @@ -4128,7 +4113,7 @@ Output: KDE user feedback - KDE user feedback + @@ -4140,17 +4125,17 @@ Output: Error in KDE user feedback configuration. - Error in KDE user feedback configuration. + Could not configure KDE user feedback correctly, script error %1. - Could not configure KDE user feedback correctly, script error %1. + Could not configure KDE user feedback correctly, Calamares error %1. - Could not configure KDE user feedback correctly, Calamares error %1. + @@ -4158,7 +4143,7 @@ Output: Machine feedback - Machine feedback + @@ -4170,17 +4155,17 @@ Output: Error in machine feedback configuration. - Error in machine feedback configuration. + Could not configure machine feedback correctly, script error %1. - Could not configure machine feedback correctly, script error %1. + Could not configure machine feedback correctly, Calamares error %1. - Could not configure machine feedback correctly, Calamares error %1. + @@ -4188,37 +4173,37 @@ Output: Placeholder - Placeholder + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Click here for more information about user feedback</span></a></p></body></html> - <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Click here for more information about user feedback</span></a></p></body></html> + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + @@ -4227,7 +4212,7 @@ Output: Feedback @title - Feedback +
@@ -4241,12 +4226,12 @@ Output: No target system available. - No target system available. + No rootMountPoint is set. - No rootMountPoint is set. + @@ -4254,12 +4239,12 @@ Output: <small>If more than one person will use this computer, you can create multiple accounts after setup.</small> - <small>If more than one person will use this computer, you can create multiple accounts after setup.</small> + <small>If more than one person will use this computer, you can create multiple accounts after installation.</small> - <small>If more than one person will use this computer, you can create multiple accounts after installation.</small> + @@ -4267,7 +4252,7 @@ Output: Users - Users + @@ -4275,7 +4260,7 @@ Output: Users - Users + @@ -4284,13 +4269,13 @@ Output: Key Column header for key/value - Key +
Value Column header for key/value - Value + @@ -4298,52 +4283,52 @@ Output: Create Volume Group - Create Volume Group + List of Physical Volumes - List of Physical Volumes + Volume Group Name: - Volume Group Name: + Volume Group Type: - Volume Group Type: + Physical Extent Size: - Physical Extent Size: + MiB - MiB + Total Size: - Total Size: + Used Size: - Used Size: + Total Sectors: - Total Sectors: + Quantity of LVs: - Quantity of LVs: + @@ -4352,47 +4337,47 @@ Output: Select application and system language - Select application and system language +
Open donations website - Open donations website + &Donate - &Donate + Open help and support website - Open help and support website + &Support - &Support + Open issues and bug-tracking website - Open issues and bug-tracking website + &Known issues - &Known issues + Open release notes website - Open release notes website + &Release notes - &Release notes + @@ -4419,7 +4404,7 @@ Output: Welcome @title - Welcome + @@ -4428,7 +4413,7 @@ Output: Welcome @title - Welcome +
@@ -4442,38 +4427,38 @@ Output: Failed to create zpool on - Failed to create zpool on + Configuration Error - Configuration Error + No partitions are available for ZFS. - No partitions are available for ZFS. + Internal data missing - Internal data missing + Failed to create zpool - Failed to create zpool + Failed to create dataset - Failed to create dataset + The output was: - The output was: + @@ -4481,18 +4466,18 @@ Output: About - About + Debug - Debug + About @button - About + @@ -4504,7 +4489,7 @@ Output: Debug @button - Debug + @@ -4518,31 +4503,29 @@ Output: Installation Completed - Installation Completed + %1 has been installed on your computer.<br/> You may now restart into your new system, or continue using the Live environment. - %1 has been installed on your computer.<br/> - You may now restart into your new system, or continue using the Live environment. + Close Installer - Close Installer + Restart System - Restart System + <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> This log is copied to /var/log/installation.log of the target system.</p> - <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> - This log is copied to /var/log/installation.log of the target system.</p> + @@ -4551,35 +4534,33 @@ Output: Installation Completed @title - Installation Completed +
%1 has been installed on your computer.<br/> You may now restart into your new system, or continue using the Live environment. @info, %1 is the product name - %1 has been installed on your computer.<br/> - You may now restart into your new system, or continue using the Live environment. + Close Installer @button - Close Installer + Restart System @button - Restart System + <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> This log is copied to /var/log/installation.log of the target system.</p> @info - <p>A full log of the install is available as installation.log in the home directory of the Live user.<br/> - This log is copied to /var/log/installation.log of the target system.</p> + @@ -4588,27 +4569,26 @@ Output: Installation Completed @title - Installation Completed +
%1 has been installed on your computer.<br/> You may now restart your device. @info, %1 is the product name - %1 has been installed on your computer.<br/> - You may now restart your device. + Close @button - Close + Restart @button - Restart + @@ -4684,7 +4664,7 @@ Output: Change @button - Change +
@@ -4708,7 +4688,7 @@ Output: Change @button - Change + @@ -4731,8 +4711,7 @@ Output: <h3>%1</h3> <p>These are example release notes.</p> - <h3>%1</h3> - <p>These are example release notes.</p> + @@ -4741,38 +4720,37 @@ Output: LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> Default option. - LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> - Default option. +
LibreOffice - LibreOffice + If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. - If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. + No Office Suite - No Office Suite + Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. - Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. + Minimal Install - Minimal Install + Please select an option for your install, or use the default: LibreOffice included. - Please select an option for your install, or use the default: LibreOffice included. + @@ -4781,38 +4759,37 @@ Output: LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> Default option. - LibreOffice is a powerful and free office suite, used by millions of people around the world. It includes several applications that make it the most versatile Free and Open Source office suite on the market.<br/> - Default option. +
LibreOffice - LibreOffice + If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. - If you don't want to install an office suite, just select No Office Suite. You can always add one (or more) later on your installed system as the need arrives. + No Office Suite - No Office Suite + Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. - Create a minimal Desktop install, remove all extra applications and decide later on what you would like to add to your system. Examples of what won't be on such an install, there will be no Office Suite, no media players, no image viewer or print support. It will be just a desktop, file browser, package manager, text editor and simple web-browser. + Minimal Install - Minimal Install + Please select an option for your install, or use the default: LibreOffice included. - Please select an option for your install, or use the default: LibreOffice included. + @@ -4840,32 +4817,12 @@ Output: </ul> <p>The vertical scrollbar is adjustable, current width set to 10.</p> - <h3>%1</h3> - <p>This an example QML file, showing options in RichText with Flickable content.</p> - - <p>QML with RichText can use HTML tags, Flickable content is useful for touchscreens.</p> - - <p><b>This is bold text</b></p> - <p><i>This is italic text</i></p> - <p><u>This is underlined text</u></p> - <p><center>This text will be center-aligned.</center></p> - <p><s>This is strikethrough</s></p> - - <p>Code example: - <code>ls -l /home</code></p> - - <p><b>Lists:</b></p> - <ul> - <li>Intel CPU systems</li> - <li>AMD CPU systems</li> - </ul> - - <p>The vertical scrollbar is adjustable, current width set to 10.</p> +
Back - Back + @@ -4873,132 +4830,132 @@ Output: Pick your user name and credentials to login and perform admin tasks - Pick your user name and credentials to login and perform admin tasks + What is your name? - What is your name? + + + + + Your full name + What name do you want to use to log in? - What name do you want to use to log in? + + + + + Login name + If more than one person will use this computer, you can create multiple accounts after installation. - If more than one person will use this computer, you can create multiple accounts after installation. + Only lowercase letters, numbers, underscore and hyphen are allowed. - Only lowercase letters, numbers, underscore and hyphen are allowed. + root is not allowed as username. - root is not allowed as username. + What is the name of this computer? - What is the name of this computer? + + + + + Computer name + This name will be used if you make the computer visible to others on a network. - This name will be used if you make the computer visible to others on a network. + + + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + localhost is not allowed as hostname. - localhost is not allowed as hostname. + Choose a password to keep your account safe. - Choose a password to keep your account safe. + Password - Password - - - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - Root password - - Repeat root password + + Repeat password - - Validate passwords quality - Validate passwords quality - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - - - - Log in automatically without asking for the password - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password + - - Repeat password + + Repeat root password - - Reuse user password as root password - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. + - - Use the same password for the administrator account. - Use the same password for the administrator account. + + Log in automatically without asking for the password + - - Choose a root password to keep your account safe. - Choose a root password to keep your account safe. + + Validate passwords quality + - - Enter the same password twice, so that it can be checked for typing errors. - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + @@ -5006,46 +4963,46 @@ Output: Pick your user name and credentials to login and perform admin tasks - Pick your user name and credentials to login and perform admin tasks + What is your name? - What is your name? + + + + + Your full name + What name do you want to use to log in? - What name do you want to use to log in? + + + + + Login name + If more than one person will use this computer, you can create multiple accounts after installation. - If more than one person will use this computer, you can create multiple accounts after installation. + Only lowercase letters, numbers, underscore and hyphen are allowed. - Only lowercase letters, numbers, underscore and hyphen are allowed. + root is not allowed as username. - root is not allowed as username. + What is the name of this computer? - What is the name of this computer? - - - - Your full name - - - - - Login name @@ -5056,82 +5013,82 @@ Output: This name will be used if you make the computer visible to others on a network. - This name will be used if you make the computer visible to others on a network. + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + localhost is not allowed as hostname. - localhost is not allowed as hostname. + Choose a password to keep your account safe. - Choose a password to keep your account safe. + Password - Password + Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + Reuse user password as root password - Reuse user password as root password + Use the same password for the administrator account. - Use the same password for the administrator account. + Choose a root password to keep your account safe. - Choose a root password to keep your account safe. + + + + + Root password + + + + + Repeat root password + Enter the same password twice, so that it can be checked for typing errors. - Enter the same password twice, so that it can be checked for typing errors. + Log in automatically without asking for the password - Log in automatically without asking for the password + Validate passwords quality - Validate passwords quality + When this box is checked, password-strength checking is done and you will not be able to use a weak password. - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + @@ -5140,13 +5097,12 @@ Output: <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - <h3>Welcome to the %1 <quote>%2</quote> installer</h3> - <p>This program will ask you some questions and set up %1 on your computer.</p> +
Support - Support + @@ -5161,7 +5117,7 @@ Output: Donate - Donate + @@ -5170,13 +5126,12 @@ Output: <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - <h3>Welcome to the %1 <quote>%2</quote> installer</h3> - <p>This program will ask you some questions and set up %1 on your computer.</p> + Support - Support + @@ -5191,7 +5146,7 @@ Output: Donate - Donate + diff --git a/lang/calamares_en_GB.ts b/lang/calamares_en_GB.ts index b67aba7bb5..17f45dc4d0 100644 --- a/lang/calamares_en_GB.ts +++ b/lang/calamares_en_GB.ts @@ -126,18 +126,13 @@ Interface: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Close - + Setup Failed @title @@ -437,13 +456,13 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - + <br/>The following modules could not be loaded: @info <br/>The following modules could not be loaded: - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Install - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip The installation is complete. Close the installer. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Next - + &Back @button &Back - + &Done @button &Done - + &Cancel @button &Cancel - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Do you really want to cancel the current install process? @@ -592,25 +592,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Unknown exception type - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - Select storage de&vice: @@ -704,6 +694,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + Bootloader location: @@ -835,44 +835,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Clear mounts for partitioning operations on %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Cleared all mounts for %1 @@ -908,129 +908,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title + Installation Failed - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Package selection - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Installation Complete - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - - - This program will ask you some questions and set up %2 on your computer. - This program will ask you some questions and set up %2 on your computer. + + The installation of %1 is complete. + @info + The installation of %1 is complete. - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to %1 setup</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the Calamares installer for %1</h1> - + + Set timezone to %1/%2 + @action + Set timezone to %1/%2 - - <h1>Welcome to the %1 installer</h1> - + + The system language will be set to %1. + @info + The system language will be set to %1. - - Your username is too long. - Your username is too long. + + The numbers and dates locale will be set to %1. + @info + The numbers and dates locale will be set to %1. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. - + + Network Installation. (Disabled: Received invalid groups data) + Network Installation. (Disabled: Received invalid groups data) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - Your hostname is too short. - - - - Your hostname is too long. - Your hostname is too long. - - - - '%1' is not allowed as hostname. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Your passwords do not match! - - - - OK! - + + Package selection + Package selection @@ -1074,82 +1057,99 @@ The installer will quit and all changes will be lost. This is an overview of what will happen once you start the install procedure. - - Setup Failed - @title + + Your username is too long. + Your username is too long. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Installation Failed + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Your hostname is too short. + + + + Your hostname is too long. + Your hostname is too long. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title - Installation Complete + + Your passwords do not match! + Your passwords do not match! - - The setup of %1 is complete. - @info + + OK! - - The installation of %1 is complete. - @info - The installation of %1 is complete. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Set timezone to %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - The system language will be set to %1. - @info - The system language will be set to %1. + + This program will ask you some questions and set up %2 on your computer. + This program will ask you some questions and set up %2 on your computer. - - The numbers and dates locale will be set to %1. - @info - The numbers and dates locale will be set to %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1474,9 +1474,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1489,14 +1494,9 @@ The installer will quit and all changes will be lost. This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. + This device has a <strong>%1</strong> partition table. @@ -2272,7 +2272,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - The password contains too few non-alphanumeric characters - - - - The password is too short - The password is too short - - - - The password does not contain enough character classes - The password does not contain enough character classes - - - - The password contains too many same characters consecutively - The password contains too many same characters consecutively - - - - The password contains too many characters of the same class consecutively - The password contains too many characters of the same class consecutively - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + The password contains too few non-alphanumeric characters + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + The password is too short + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + The password does not contain enough character classes + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + The password contains too many same characters consecutively + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + The password contains too many characters of the same class consecutively + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partitions + Unsafe partition actions are enabled. @@ -3215,33 +3227,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Current: - - No EFI system partition configured - No EFI system partition configured + + After: + @label + After: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,6 +3258,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3261,37 +3270,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partitions - - - - Current: - @label - Current: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - After: + + No EFI system partition configured + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,14 +3389,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. There was no output from the command. - + Output: @@ -3405,52 +3405,52 @@ Output: - + External command crashed. External command crashed. - + Command <i>%1</i> crashed. Command <i>%1</i> crashed. - + External command failed to start. External command failed to start. - + Command <i>%1</i> failed to start. Command <i>%1</i> failed to start. - + Internal error when starting command. Internal error when starting command. - + Bad parameters for process job call. Bad parameters for process job call. - + External command failed to finish. External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. External command finished with errors. - + Command <i>%1</i> finished with exit code %2. Command <i>%1</i> finished with exit code %2. @@ -3462,6 +3462,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + unknown + + + + extended + @partition info + extended + + + + unformatted + @partition info + unformatted + + + + swap + @partition info + swap + @@ -3493,30 +3517,6 @@ Output: (no mount point) - - - unknown - @partition info - unknown - - - - extended - @partition info - extended - - - - unformatted - @partition info - unformatted - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3950,17 +3950,17 @@ Output: Cannot disable root account. Cannot disable root account. - - - Cannot set password for user %1. - Cannot set password for user %1. - usermod terminated with error code %1. usermod terminated with error code %1. + + + Cannot set password for user %1. + Cannot set password for user %1. + SetTimezoneJob @@ -4053,7 +4053,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4840,11 +4841,21 @@ Output: What is your name? What is your name? + + + Your full name + + What name do you want to use to log in? What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,11 +4876,21 @@ Output: What is the name of this computer? What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4886,78 +4907,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Use the same password for the administrator account. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Use the same password for the administrator account. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4973,11 +4974,21 @@ Output: What is your name? What is your name? + + + Your full name + + What name do you want to use to log in? What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4998,16 +5009,6 @@ Output: What is the name of this computer? What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5043,16 +5044,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5073,6 +5064,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_eo.ts b/lang/calamares_eo.ts index 8fee831dd3..467c9b63bd 100644 --- a/lang/calamares_eo.ts +++ b/lang/calamares_eo.ts @@ -126,18 +126,13 @@ Interfaco: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet Reŝargu Stilfolio - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree KromprogrametArbo + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Alŝuto malsukcesinta. Neniu transpoŝigis al la reto. + + + + Install log posted to + +%1 + +Link copied to clipboard + La protokolo de instalado estis enpoŝtita al: + +%1 + +La retadreso estis copiita al vian tondujon. + + + + Install Log Paste URL + Retadreso de la alglua servilo + &Yes @@ -407,7 +430,7 @@ &Fermi - + Setup Failed @title @@ -437,13 +460,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,132 +484,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instali - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Sekva - + &Back @button &Reen - + &Done @button &Finita - + &Cancel @button &Nuligi - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Retadreso de la alglua servilo - - - - The upload was unsuccessful. No web-paste was done. - Alŝuto malsukcesinta. Neniu transpoŝigis al la reto. - - - - Install log posted to - -%1 - -Link copied to clipboard - La protokolo de instalado estis enpoŝtita al: - -%1 - -La retadreso estis copiita al vian tondujon. - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ĉu vi vere volas nuligi la instalan procedon? @@ -596,25 +596,25 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -671,16 +671,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -708,6 +698,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -829,6 +824,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -839,44 +839,44 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -912,247 +912,247 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - + + Setup Complete + @title + Agordaĵo Plenumita - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - + + Installation Complete + @title + Instalaĵo Plenumita - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + The setup of %1 is complete. + @info + La agordaĵo de %1 estas plenumita. - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + The installation of %1 is complete. + @info + La instalaĵo de %1 estas plenumita. - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title - Agordaĵo Plenumita + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - Instalaĵo Plenumita + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - La agordaĵo de %1 estas plenumita. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + - - The installation of %1 is complete. - @info - La instalaĵo de %1 estas plenumita. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1478,8 +1478,13 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1493,13 +1498,8 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2276,7 +2276,7 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. LocaleTests - + Quit @@ -2446,6 +2446,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2494,11 +2499,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2671,11 +2671,27 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2694,47 +2710,6 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2743,6 +2718,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2751,6 +2731,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + + The password is too short + + The password is a rotated version of the previous one @@ -2764,6 +2749,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2772,6 +2762,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2780,6 +2775,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3200,9 +3200,21 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + + Unsafe partition actions are enabled. @@ -3219,33 +3231,25 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Nune: - - No EFI system partition configured - + + After: + @label + Poste: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3258,6 +3262,11 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3265,37 +3274,28 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - Current: - @label - Nune: - - - - After: - @label - Poste: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3393,65 +3393,65 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3463,6 +3463,30 @@ Output: %1 (%2) %1(%2) + + + unknown + @partition info + + + + + extended + @partition info + kromsubdisko + + + + unformatted + @partition info + nestrukturita + + + + swap + @partition info + + @@ -3494,30 +3518,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - kromsubdisko - - - - unformatted - @partition info - nestrukturita - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3951,17 +3951,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4054,7 +4054,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4841,11 +4842,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4866,11 +4877,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4887,78 +4908,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4974,11 +4975,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4999,16 +5010,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5044,16 +5045,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5074,6 +5065,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_es.ts b/lang/calamares_es.ts index 012e79fdc6..9bdd9ad1d9 100644 --- a/lang/calamares_es.ts +++ b/lang/calamares_es.ts @@ -125,31 +125,21 @@ Interface: Interfaz: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Accidentes Calamares, para que el Dr. Konqi pueda verlo. + Reloads the stylesheet from the branding directory. Vuelve a cargar la hoja de estilo desde la carpeta de diseño propio. - - - Uploads the session log to the configured pastebin. - Sube el registro de la sesión hacia el «pastebin» asignado. - - - - Send Session Log - Enviar registro de sesión - Reload Stylesheet Recargar hoja de estilo - - - Crashes Calamares, so that Dr. Konqi can look at it. - Accidentes Calamares, para que el Dr. Konqi pueda verlo. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Árbol de «widgets» + + + Uploads the session log to the configured pastebin. + Sube el registro de la sesión hacia el «pastebin» asignado. + + + + Send Session Log + Enviar registro de sesión + Debug Information @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + No se pudo terminar la subida del registro de texto a la web. + + + + Install log posted to + +%1 + +Link copied to clipboard + El registro se ha publicado en + +%1 + +El enlace se ha copiado en el portapapeles. + + + + Install Log Paste URL + URL del registro del instalador + &Yes @@ -409,7 +432,7 @@ &Cerrar - + Setup Failed @title La configuración ha fallado @@ -439,13 +462,13 @@ %1 no se pudo instalar. Calamares no ha sido capaz de cargar todos los módulos configurados. Puede que esto sea un problema de la propia distribución y de cómo sus desarrolladores hayan desplegado el instalador. - + <br/>The following modules could not be loaded: @info Los siguientes módulos no se han podido cargar: - + Continue with Setup? @title ¿Continuar con la configuración? @@ -463,133 +486,110 @@ El configurador de %1 está a punto de hacer cambios en el disco con el fin de preparar y dejar listo %2.<br/><strong>Ten en cuenta que una vez empezados no se podrán deshacer.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version El instalador %1 está a punto de hacer cambios en el disco con el fin de instalar %2.<br/><strong>Ten en cuenta que una vez empezados no se podrán deshacer.</strong> - + &Set Up Now @button &Configurar ahora - + &Install Now @button &Instalar ahora - + Go &Back @button %Regresar - + &Set Up @button &Configuracion - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip Configuración terminada, ya puedes cerrar el asistente de preparación. - + The installation is complete. Close the installer. @tooltip Instalación terminada, ya puedes cerrar el instalador. - + Cancel the setup process without changing the system. @tooltip Cancele el proceso de configuración sin cambiar el sistema. - + Cancel the installation process without changing the system. @tooltip Cancele el proceso de instalación sin cambiar el sistema. - + &Next @button &Siguiente - + &Back @button &Atrás - + &Done @button &Hecho - + &Cancel @button &Cancelar - + Cancel Setup? @title ¿Cancelar la configuración? - + Cancel Installation? @title ¿Cancelar la instalación? - - Install Log Paste URL - URL del registro del instalador - - - - The upload was unsuccessful. No web-paste was done. - No se pudo terminar la subida del registro de texto a la web. - - - - Install log posted to - -%1 - -Link copied to clipboard - El registro se ha publicado en - -%1 - -El enlace se ha copiado en el portapapeles. - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿Seguro que quieres cancelar el proceso de configuración en curso? El programa se cerrará y todos tus cambios se perderán. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿Seguro que quieres cancelar el proceso de instalación en curso? @@ -599,25 +599,25 @@ El instalador se cerrará y todos tus cambios se perderán. CalamaresPython::Helper - + Unknown exception type @error Tipo de excepción desconocida - + Unparseable Python error @error Error de Python no analizable - + Unparseable Python traceback @error Rastreo de Python no analizable - + Unfetchable Python error @error Error de Python no recuperable @@ -674,16 +674,6 @@ El instalador se cerrará y todos tus cambios se perderán. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual</strong><br/> Puedes crear o cambiar el tamaño de las particiones a tu gusto. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Elige la partición a reducir, una vez hecho esto arrastra la barra inferior para configurar el espacio restante</strong> - Select storage de&vice: @@ -709,7 +699,12 @@ El instalador se cerrará y todos tus cambios se perderán. Reuse %1 as home partition for %2 @label - Reutilizar %1 como partición home para %2. {1 ?} {2?} + Reuse %1 como partición home para %2. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Elige la partición a reducir, una vez hecho esto arrastra la barra inferior para configurar el espacio restante</strong> @@ -832,6 +827,11 @@ El instalador se cerrará y todos tus cambios se perderán. @label Swap en archivo + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual</strong><br/> Puedes crear o cambiar el tamaño de las particiones a tu gusto. + Bootloader location: @@ -842,44 +842,44 @@ El instalador se cerrará y todos tus cambios se perderán. ClearMountsJob - + Successfully unmounted %1. «%1» se ha desmontando correctamente. - + Successfully disabled swap %1. El «swap» %1 se ha desactivado correctamente. - + Successfully cleared swap %1. El «swap» %1 se ha vaciado correctamente. - + Successfully closed mapper device %1. El dispositivo de mapeo «%1» se ha cerrado correctamente. - + Successfully disabled volume group %1. El grupo de volúmenes «%1» se ha desactivado correctamente. - + Clear mounts for partitioning operations on %1 @title Borrar los puntos de montaje para las operaciones de particionado en «%1» - + Clearing mounts for partitioning operations on %1… @status - Quitando los puntos de montaje para las operaciones de particionamiento en %1. {1…?} + Borrando puntos de montaje para operaciones de particionamiento en %1... - + Cleared all mounts for %1 Borrar todos los puntos de montaje de «%1» @@ -915,129 +915,112 @@ El instalador se cerrará y todos tus cambios se perderán. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalación de red. (Desactivada: configuración incorrecta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalación de red. (Desactivada: los grupos recibidos no son correctos) - - - - Network Installation. (Disabled: Internal error) - Instalación de red. (Desactivada: error interno) - - - - Network Installation. (Disabled: No package list) - Instalación de red. (Desactivada: sin lista de paquetes) - - - - Package selection - Selección de paquetes - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalación por Internet. (Desactivada: no se ha podido obtener una lista de paquetes, comprueba tu conexión a la red) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Este equipo no cumple con los requisitos mínimos para configurar %1.<br/>La instalación no puede continuar. + + Setup Failed + @title + La configuración ha fallado - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Este equipo no cumple con los requisitos mínimos para instalar %1. <br/>La instalación no puede continuar. + + Installation Failed + @title + La instalación ha fallado - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - El equipo no cumple con alguno de los requisitos recomendados para configurar %1. Se puede continuar con la configuración, pero puede que ciertas funciones no estén disponibles. + + The setup of %1 did not complete successfully. + @info + No se ha podido terminar correctamente la configuración de %1. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - El equipo no cumple con alguno de los requisitos recomendados para instalar %1. Se puede continuar con la instalación, pero puede que ciertas funciones no estén disponibles. + + The installation of %1 did not complete successfully. + @info + No se ha podido terminar correctamente la instalación de %1. - - This program will ask you some questions and set up %2 on your computer. - El programa te hará algunas preguntas y configurará %2 en tu equipo. + + Setup Complete + @title + Se ha terminado la configuración - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Te damos la bienvenida al asistente de configuración de %1</h1> + + Installation Complete + @title + Se ha terminado la instalación - - <h1>Welcome to %1 setup</h1> - <h1>Te damos la bienvenida al asistente de configuración de %1</h1> + + The setup of %1 is complete. + @info + Se ha terminado la configuración de %1. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Te damos la bienvenida a Calamares, el instalador de %1</h1> + + The installation of %1 is complete. + @info + Se ha completado la instalación de %1. - - <h1>Welcome to the %1 installer</h1> - <h1>Te damos la bienvenida al instalador de %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + El modelo de teclado se ha establecido en %1<br/>. - - Your username is too long. - Tu nombre de usuario es demasiado largo. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + La distribución del teclado se ha establecido en %1/%2. - - '%1' is not allowed as username. - «%1» no vale como nombre de usuario. + + Set timezone to %1/%2 + @action + Configurar uso horario a %1/%2 - - Your username must start with a lowercase letter or underscore. - Los nombres de usuario empiezan con una letra minúscula o un guion bajo. + + The system language will be set to %1. + @info + El idioma del sistema se establecerá a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Solo se permiten letras minúsculas, números, guiones bajos y normales. + + The numbers and dates locale will be set to %1. + @info + El formato de números y fechas aparecerá en %1. - - Your hostname is too short. - El nombre del equipo es demasiado corto. + + Network Installation. (Disabled: Incorrect configuration) + Instalación de red. (Desactivada: configuración incorrecta) - - Your hostname is too long. - El nombre del equipo es demasiado largo. + + Network Installation. (Disabled: Received invalid groups data) + Instalación de red. (Desactivada: los grupos recibidos no son correctos) - - '%1' is not allowed as hostname. - «%1» no es un nombre de equipo válido. + + Network Installation. (Disabled: Internal error) + Instalación de red. (Desactivada: error interno) - - Only letters, numbers, underscore and hyphen are allowed. - Solo se permiten letras, números, guiones bajos y normales. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalación por Internet. (Desactivada: no se ha podido obtener una lista de paquetes, comprueba tu conexión a la red) - - Your passwords do not match! - Parece que las contraseñas no coinciden. + + Network Installation. (Disabled: No package list) + Instalación de red. (Desactivada: sin lista de paquetes) - - OK! - Entendido + + Package selection + Selección de paquetes @@ -1071,92 +1054,109 @@ El instalador se cerrará y todos tus cambios se perderán. Resumen - - This is an overview of what will happen once you start the setup procedure. - Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de configuración. + + This is an overview of what will happen once you start the setup procedure. + Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de configuración. + + + + This is an overview of what will happen once you start the install procedure. + Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de instalación. + + + + Your username is too long. + Tu nombre de usuario es demasiado largo. + + + + Your username must start with a lowercase letter or underscore. + Los nombres de usuario empiezan con una letra minúscula o un guion bajo. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Solo se permiten letras minúsculas, números, guiones bajos y normales. + + + + '%1' is not allowed as username. + «%1» no vale como nombre de usuario. - - This is an overview of what will happen once you start the install procedure. - Esto es un resumen muy general de lo que se cambiará una vez empiece el proceso de instalación. + + Your hostname is too short. + El nombre del equipo es demasiado corto. - - Setup Failed - @title - La configuración ha fallado + + Your hostname is too long. + El nombre del equipo es demasiado largo. - - Installation Failed - @title - La instalación ha fallado + + '%1' is not allowed as hostname. + «%1» no es un nombre de equipo válido. - - The setup of %1 did not complete successfully. - @info - No se ha podido terminar correctamente la configuración de %1. + + Only letters, numbers, underscore and hyphen are allowed. + Solo se permiten letras, números, guiones bajos y normales. - - The installation of %1 did not complete successfully. - @info - No se ha podido terminar correctamente la instalación de %1. + + Your passwords do not match! + Parece que las contraseñas no coinciden. - - Setup Complete - @title - Se ha terminado la configuración + + OK! + Entendido - - Installation Complete - @title - Se ha terminado la instalación + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Este equipo no cumple con los requisitos mínimos para configurar %1.<br/>La instalación no puede continuar. - - The setup of %1 is complete. - @info - Se ha terminado la configuración de %1. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Este equipo no cumple con los requisitos mínimos para instalar %1. <br/>La instalación no puede continuar. - - The installation of %1 is complete. - @info - Se ha completado la instalación de %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + El equipo no cumple con alguno de los requisitos recomendados para configurar %1. Se puede continuar con la configuración, pero puede que ciertas funciones no estén disponibles. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - El modelo de teclado se ha establecido en %1<br/>. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + El equipo no cumple con alguno de los requisitos recomendados para instalar %1. Se puede continuar con la instalación, pero puede que ciertas funciones no estén disponibles. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - La distribución del teclado se ha establecido en %1/%2. + + This program will ask you some questions and set up %2 on your computer. + El programa te hará algunas preguntas y configurará %2 en tu equipo. - - Set timezone to %1/%2 - @action - Configurar uso horario a %1/%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Te damos la bienvenida al asistente de configuración de %1</h1> - - The system language will be set to %1. - @info - El idioma del sistema se establecerá a %1. + + <h1>Welcome to %1 setup</h1> + <h1>Te damos la bienvenida al asistente de configuración de %1</h1> - - The numbers and dates locale will be set to %1. - @info - El formato de números y fechas aparecerá en %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Te damos la bienvenida a Calamares, el instalador de %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Te damos la bienvenida al instalador de %1</h1> @@ -1273,7 +1273,7 @@ El instalador se cerrará y todos tus cambios se perderán. Create new %1MiB partition on %3 (%2) with entries %4 @title - Crear una nueva partición %1MiB en %3 (%2) con las entradas %4. {1M?} {3 ?} {2)?} {4?} + Crear nueva partición %1MiB en %3 (%2) con entradas %4 @@ -1310,7 +1310,7 @@ El instalador se cerrará y todos tus cambios se perderán. Creating new %1 partition on %2… @status - Creando nueva partición %1 en %2. {1 ?} {2…?} + Creando nueva partición %1 en %2... @@ -1354,7 +1354,7 @@ El instalador se cerrará y todos tus cambios se perderán. Creating new %1 partition table on %2… @status - Creando nueva tabla de particiones %1 en %2. {1 ?} {2…?} + Creando nueva tabla de particiones %1 en %2... @@ -1481,9 +1481,14 @@ El instalador se cerrará y todos tus cambios se perderán. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Este dispositivo tiene un tabla de particiones <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Este tipo de tabla de partición sólo es aconsejable en sistemas antiguos que se inician desde un entorno de arranque <strong>BIOS</strong>. La tabla GPT está recomendada en la mayoría de los demás casos.<br><br><strong>Advertencia:</strong> La tabla de partición MBR es un estándar obsoleto de la era MS-DOS.<br>Sólo se pueden crear 4 particiones <em>primarias</em>, y de esas 4, una puede ser una partición <em>extendida</em> con varias particiones <em>lógicas</em> dentro. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Este es el tipo de tabla de particiones recomendado para sistemas modernos que arrancan mediante un entorno de arranque <strong>EFI</strong>. @@ -1496,14 +1501,9 @@ El instalador se cerrará y todos tus cambios se perderán. Este instalador <strong>no puede detectar una tabla de particiones</strong> en el dispositivo de almacenamiento seleccionado.<br><br> El dispositivo no tiene una tabla de particiones o la tabla de particiones está corrupta o es de un tipo desconocido.<br> Este instalador puede crearte una nueva tabla de particiones automáticamente o mediante la página de particionamiento manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Este es el tipo de tabla de particiones recomendado para sistemas modernos que arrancan mediante un entorno de arranque <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Este tipo de tabla de partición sólo es aconsejable en sistemas antiguos que se inician desde un entorno de arranque <strong>BIOS</strong>. La tabla GPT está recomendada en la mayoría de los demás casos.<br><br><strong>Advertencia:</strong> La tabla de partición MBR es un estándar obsoleto de la era MS-DOS.<br>Sólo se pueden crear 4 particiones <em>primarias</em>, y de esas 4, una puede ser una partición <em>extendida</em> con varias particiones <em>lógicas</em> dentro. + + This device has a <strong>%1</strong> partition table. + Este dispositivo tiene un tabla de particiones <strong>%1</strong>. @@ -2279,7 +2279,7 @@ El instalador se cerrará y todos tus cambios se perderán. LocaleTests - + Quit Salir @@ -2453,6 +2453,11 @@ El instalador se cerrará y todos tus cambios se perderán. label for netinstall module, choose desktop environment Escritorio + + + Applications + Aplicaciones + Communication @@ -2501,11 +2506,6 @@ El instalador se cerrará y todos tus cambios se perderán. label for netinstall module Herramientas - - - Applications - Aplicaciones - NotesQmlViewStep @@ -2678,11 +2678,29 @@ El instalador se cerrará y todos tus cambios se perderán. The password contains forbidden words in some form La contraseña contiene alguna palabra prohibida + + + The password contains fewer than %n digits + + La contraseña contiene menos de %n dígitos + La contraseña contiene menos de %n dígitos + La contraseña contiene menos de %n dígitos + + The password contains too few digits La contraseña no tiene suficientes números + + + The password contains fewer than %n uppercase letters + + La contraseña contiene menos de %n letras mayúsculas + La contraseña contiene menos de %n letras mayúsculas + La contraseña contiene menos de %n letras mayúsculas + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ El instalador se cerrará y todos tus cambios se perderán. The password contains too few lowercase letters La contraseña contiene muy pocas letras minúsculas - - - The password contains too few non-alphanumeric characters - La contraseña no tiene suficientes caracteres alfanuméricos - - - - The password is too short - La contraseña es demasiado corta - - - - The password does not contain enough character classes - La contraseña no contiene suficientes tipos de caracteres - - - - The password contains too many same characters consecutively - La contraseña contiene demasiados caracteres iguales consecutivos - - - - The password contains too many characters of the same class consecutively - La contraseña contiene demasiados caracteres seguidos del mismo tipo - - - - The password contains fewer than %n digits - - La contraseña contiene menos de %n dígitos - La contraseña contiene menos de %n dígitos - La contraseña contiene menos de %n dígitos - - - - - The password contains fewer than %n uppercase letters - - La contraseña contiene menos de %n letras mayúsculas - La contraseña contiene menos de %n letras mayúsculas - La contraseña contiene menos de %n letras mayúsculas - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ El instalador se cerrará y todos tus cambios se perderán. La contraseña contiene menos de %n caracteres no alfanuméricos + + + The password contains too few non-alphanumeric characters + La contraseña no tiene suficientes caracteres alfanuméricos + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ El instalador se cerrará y todos tus cambios se perderán. La contraseña es más corta que %n caracteres + + + The password is too short + La contraseña es demasiado corta + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ El instalador se cerrará y todos tus cambios se perderán. La contraseña contiene menos de %n clases de caracteres + + + The password does not contain enough character classes + La contraseña no contiene suficientes tipos de caracteres + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ El instalador se cerrará y todos tus cambios se perderán. La contraseña contiene más de %n caracteres iguales consecutivos + + + The password contains too many same characters consecutively + La contraseña contiene demasiados caracteres iguales consecutivos + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ El instalador se cerrará y todos tus cambios se perderán. La contraseña contiene más de %n caracteres de la misma clase consecutivamente + + + The password contains too many characters of the same class consecutively + La contraseña contiene demasiados caracteres seguidos del mismo tipo + The password contains monotonic sequence longer than %n characters @@ -3219,6 +3219,18 @@ El instalador se cerrará y todos tus cambios se perderán. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + Unsafe partition actions are enabled. @@ -3235,35 +3247,27 @@ El instalador se cerrará y todos tus cambios se perderán. No se cambiará ninguna partición. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> La partición del sistema EFI no cumple con las recomendaciones. Se recomienda volver y seleccionar o crear un sistema de archivos adecuado. - - - - The minimum recommended size for the filesystem is %1 MiB. - El tamaño mínimo recomendado para el sistema de archivos es %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Puede continuar con esta configuración de partición del sistema EFI, pero es posible que su sistema no se inicie. - - - - No EFI system partition configured - No hay una partición del sistema EFI configurada + + Current: + @label + Ahora: - - EFI system partition configured incorrectly - La partición del sistema EFI no se ha configurado bien + + After: + @label + Después: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Se necesita una partición EFI para arrancar %1.<br/><br/>Para establecer una partición EFI vuelve atrás y selecciona o crea un sistema de archivos adecuado. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> La partición del sistema EFI no cumple con las recomendaciones. Se recomienda volver y seleccionar o crear un sistema de archivos adecuado. + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ El instalador se cerrará y todos tus cambios se perderán. The filesystem must have type FAT32. El sistema de archivos debe ser de tipo FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + El sistema de archivos debe tener establecido el indicador <strong>%1.</strong> + @@ -3281,38 +3290,29 @@ El instalador se cerrará y todos tus cambios se perderán. El sistema de archivos debe tener al menos %1 MiB de tamaño. - - The filesystem must have flag <strong>%1</strong> set. - El sistema de archivos debe tener establecido el indicador <strong>%1.</strong> - - - - Gathering system information… - @status - + + The minimum recommended size for the filesystem is %1 MiB. + El tamaño mínimo recomendado para el sistema de archivos es %1 MiB. - - Partitions - @label - Particiones + + You can continue without setting up an EFI system partition but your system may fail to start. + Puedes seguir con la instalación sin haber establecido una partición del sistema EFI, pero puede que el sistema no arranque. - - Current: - @label - Ahora: + + You can continue with this EFI system partition configuration but your system may fail to start. + Puede continuar con esta configuración de partición del sistema EFI, pero es posible que su sistema no se inicie. - - After: - @label - Después: + + No EFI system partition configured + No hay una partición del sistema EFI configurada - - You can continue without setting up an EFI system partition but your system may fail to start. - Puedes seguir con la instalación sin haber establecido una partición del sistema EFI, pero puede que el sistema no arranque. + + EFI system partition configured incorrectly + La partición del sistema EFI no se ha configurado bien @@ -3409,14 +3409,14 @@ El instalador se cerrará y todos tus cambios se perderán. ProcessResult - + There was no output from the command. La orden no ha proporcionado información de salida. - + Output: @@ -3425,52 +3425,52 @@ Información de salida: - + External command crashed. El programa externo se ha colgado, fallando de forma inesperada. - + Command <i>%1</i> crashed. El programa externo se ha colgado al llamarlo con <i>%1</i>. - + External command failed to start. El programa externo no se ha podido iniciar. - + Command <i>%1</i> failed to start. El programa externo <i>%1</i> no se ha podido iniciar. - + Internal error when starting command. Se ha producido un error interno al iniciar el programa. - + Bad parameters for process job call. Parámetros erróneos en la llamada al proceso. - + External command failed to finish. El programa externo no se ha podido terminar. - + Command <i>%1</i> failed to finish in %2 seconds. El programa externo <i>%1</i> no ha podido terminar en %2 segundos. - + External command finished with errors. El programa externo ha terminado, pero devolviendo errores. - + Command <i>%1</i> finished with exit code %2. El programa externo <i>%1</i> ha terminado con un código de salida %2. @@ -3482,6 +3482,30 @@ Información de salida: %1 (%2) %1 (%2) + + + unknown + @partition info + desconocido + + + + extended + @partition info + extendido + + + + unformatted + @partition info + sin formato + + + + swap + @partition info + swap + @@ -3513,30 +3537,6 @@ Información de salida: (no mount point) (sin punto de montaje) - - - unknown - @partition info - desconocido - - - - extended - @partition info - extendido - - - - unformatted - @partition info - sin formato - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3973,17 +3973,17 @@ Información de salida: Cannot disable root account. No se puede deshabilitar la cuenta root - - - Cannot set password for user %1. - No se puede definir contraseña para el usuario %1. - usermod terminated with error code %1. usermod ha terminado con el código de error %1 + + + Cannot set password for user %1. + No se puede definir contraseña para el usuario %1. + SetTimezoneJob @@ -4076,7 +4076,8 @@ Información de salida: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4897,11 +4898,21 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is your name? Nombre + + + Your full name + + What name do you want to use to log in? ¿Qué nombre quieres usar para iniciar sesión? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4922,11 +4933,21 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is the name of this computer? ¿Qué nombre le ponemos al equipo? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Este nombre será visible al compartir cosas en red. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Solo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. + localhost is not allowed as hostname. @@ -4942,11 +4963,31 @@ La configuración regional del sistema afecta al formato de números y fechas. L Password Contraseña + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduce la misma contraseña dos veces, para que se pueda verificar si hay errores de escritura. Una buena contraseña contendrá una combinación de letras, números y puntuación; tiene que tener al menos ocho caracteres y cambiarse de vez en cuando. + + + Reuse user password as root password + Reutilizar la contraseña para el usuario «root» + + + + Use the same password for the administrator account. + Utiliza la misma contraseña para la cuenta de administrador. + + + + Choose a root password to keep your account safe. + Elige una contraseña segura para la cuenta de administración «root». + Root password @@ -4958,14 +4999,9 @@ La configuración regional del sistema afecta al formato de números y fechas. L - - Validate passwords quality - Verificar la fortaleza de contraseña - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Cuando se marca esta casilla se verificará la seguridad de la contraseña y no se podrá usar una contraseña débil. + + Enter the same password twice, so that it can be checked for typing errors. + Introduce la misma contraseña dos veces para verificar si hay errores de escritura. @@ -4973,49 +5009,14 @@ La configuración regional del sistema afecta al formato de números y fechas. L Iniciar sesión automáticamente sin pedir la contraseña - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Solo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. - - - - Repeat password - - - - - Reuse user password as root password - Reutilizar la contraseña para el usuario «root» - - - - Use the same password for the administrator account. - Utiliza la misma contraseña para la cuenta de administrador. - - - - Choose a root password to keep your account safe. - Elige una contraseña segura para la cuenta de administración «root». + + Validate passwords quality + Verificar la fortaleza de contraseña - - Enter the same password twice, so that it can be checked for typing errors. - Introduce la misma contraseña dos veces para verificar si hay errores de escritura. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Cuando se marca esta casilla se verificará la seguridad de la contraseña y no se podrá usar una contraseña débil. @@ -5030,11 +5031,21 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is your name? ¿Cómo te llamas? + + + Your full name + + What name do you want to use to log in? ¿Qué nombre quieres usar para iniciar sesión? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5055,16 +5066,6 @@ La configuración regional del sistema afecta al formato de números y fechas. L What is the name of this computer? ¿Qué nombre le ponemos al equipo? - - - Your full name - - - - - Login name - - Computer name @@ -5100,16 +5101,6 @@ La configuración regional del sistema afecta al formato de números y fechas. L Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5130,6 +5121,16 @@ La configuración regional del sistema afecta al formato de números y fechas. L Choose a root password to keep your account safe. Elige una contraseña segura para la cuenta de administración «root». + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_es_AR.ts b/lang/calamares_es_AR.ts index e3bc9d6c32..b9d6a89654 100644 --- a/lang/calamares_es_AR.ts +++ b/lang/calamares_es_AR.ts @@ -31,7 +31,7 @@ Managing auto-mount settings… @status - + Gestionando la configuración de montaje automático... @@ -125,31 +125,21 @@ Interface: intefaz: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Calamares falla, para que el Dr. Konqi pueda verlo. + Reloads the stylesheet from the branding directory. Vuelve a cargar la hoja de estilo desde el directorio de marca. - - - Uploads the session log to the configured pastebin. - Carga el registro de la sesión en el PASTEBIN configurado. - - - - Send Session Log - Enviar registro de sesión - Reload Stylesheet Recargar hoja de estilo - - - Crashes Calamares, so that Dr. Konqi can look at it. - Calamares falla, para que el Dr. Konqi pueda verlo. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Árbol de WIDGETS + + + Uploads the session log to the configured pastebin. + Carga el registro de la sesión en el PASTEBIN configurado. + + + + Send Session Log + Enviar registro de sesión + Debug Information @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + La carga no tuvo éxito. No se realizó ningún pegado web. + + + + Install log posted to + +%1 + +Link copied to clipboard + Registro de instalación publicado en + +%1 + +Enlace copiado al portapapeles + + + + Install Log Paste URL + Instalar registro y pegar URL + &Yes @@ -409,7 +432,7 @@ &Cerrar - + Setup Failed @title La configuración falló @@ -439,13 +462,13 @@ %1 no se puede instalar. Calamares no pudo cargar todos los módulos configurados. Este es un problema con la forma en que la distribución utiliza Calamares. - + <br/>The following modules could not be loaded: @info <br/>No se pudieron cargar los siguientes módulos: - + Continue with Setup? @title ¿Continuar con la configuración? @@ -463,133 +486,110 @@ El programa de instalación de %1 está a punto de realizar cambios en su disco para configurar %2.<br/> <strong>Usted no podrá deshacer estos cambios</strong>. - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version El %1 instalador está a punto de realizar cambios en su disco para instalar %2. No podrá deshacer estos cambios. - + &Set Up Now @button &Configurar ahora - + &Install Now @button &Instalar ahora - + Go &Back @button %Volver - + &Set Up @button &Configuracion - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip La configuración está completa. Cierre el programa de instalación. - + The installation is complete. Close the installer. @tooltip La instalación se ha completado. Cierre el instalador. - + Cancel the setup process without changing the system. @tooltip Cancele el proceso de configuración sin cambiar el sistema. - + Cancel the installation process without changing the system. @tooltip Cancele el proceso de instalación sin cambiar el sistema. - + &Next @button &Siguiente - + &Back @button &Retroceder - + &Done @button &Hecho - + &Cancel @button &Cancelar - + Cancel Setup? @title ¿Cancelar la configuración? - + Cancel Installation? @title ¿Cancelar la instalación? - - Install Log Paste URL - Instalar registro y pegar URL - - - - The upload was unsuccessful. No web-paste was done. - La carga no tuvo éxito. No se realizó ningún pegado web. - - - - Install log posted to - -%1 - -Link copied to clipboard - Registro de instalación publicado en - -%1 - -Enlace copiado al portapapeles - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿Realmente quiere cancelar el proceso de configuración actual? El programa de instalación se cerrará y se perderán todos los cambios. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿Realmente quiere cancelar el proceso de instalación actual? @@ -599,25 +599,25 @@ El instalador se cerrará y se perderán todos los cambios. CalamaresPython::Helper - + Unknown exception type @error Tipo de excepción desconocido - + Unparseable Python error @error Error de Python no analizable - + Unparseable Python traceback @error Rastreo de Python no analizable - + Unfetchable Python error @error Error de Python no recuperable @@ -642,19 +642,19 @@ El instalador se cerrará y se perderán todos los cambios. Set filesystem label on %1 @title - + Establecer etiqueta del sistema de archivos en %1 Set filesystem label <strong>%1</strong> to partition <strong>%2</strong> @info - + Establecer la etiqueta del sistema de archivos <strong>%1</strong> en la partición<strong> %2</strong>. Setting filesystem label <strong>%1</strong> to partition <strong>%2</strong>… @status - + Establecer la etiqueta del sistema de archivos <strong>%1</strong> en la partición<strong> %2</strong>. @@ -674,16 +674,6 @@ El instalador se cerrará y se perderán todos los cambios. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partición manual</strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione una partición para reducirla, luego arrastre la barra inferior para cambiar su tamaño</strong> - Select storage de&vice: @@ -709,7 +699,12 @@ El instalador se cerrará y se perderán todos los cambios. Reuse %1 as home partition for %2 @label - + Reuse %1 como partición HOME para %2. + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione una partición para reducirla, luego arrastre la barra inferior para cambiar su tamaño</strong> @@ -806,13 +801,13 @@ El instalador se cerrará y se perderán todos los cambios. No swap @label - + Sin SWAP Reuse swap @label - + Reutilizar SWAP @@ -832,54 +827,59 @@ El instalador se cerrará y se perderán todos los cambios. @label SWAP en el archivo + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partición manual</strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. + Bootloader location: @label - + Ubicación del cargador de arranque: ClearMountsJob - + Successfully unmounted %1. %1 se desmontó exitosamente. - + Successfully disabled swap %1. SWAP se desactivó exitosamente %1. - + Successfully cleared swap %1. SWAP se borró correctamente %1. - + Successfully closed mapper device %1. Dispositivo de mapeo se cerró correctamente %1. - + Successfully disabled volume group %1. Grupo de volumen se desactivó correctamente %1. - + Clear mounts for partitioning operations on %1 @title Se borraron todos los montajes para operaciones de partición en %1 - + Clearing mounts for partitioning operations on %1… @status - + Borrando puntos de montaje para operaciones de particionamiento en %1... - + Cleared all mounts for %1 Borrar todos los montajes para %1 @@ -891,7 +891,7 @@ El instalador se cerrará y se perderán todos los cambios. Clearing all temporary mounts… @status - + Borrando todos los puntos de montaje temporales... @@ -915,129 +915,112 @@ El instalador se cerrará y se perderán todos los cambios. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalación de red. (Deshabilitada: configuración incorrecta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalación de Red. (Deshabilitada: se recibieron datos de grupos no válidos) - - - - Network Installation. (Disabled: Internal error) - Instalación de Red. (Deshabilitada: error interno) - - - - Network Installation. (Disabled: No package list) - Instalación de Red. (Deshabilitada: sin lista de paquetes) - - - - Package selection - Selección de paquetes - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalación de Red. (Deshabilitada: no se pueden recuperar listas de paquetes, verifique su conexión de internet) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Ésta computadora no cumple con los requisitos mínimos para la configuración %1.<br/> La instalación no puede continuar. + + Setup Failed + @title + La configuración falló - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Ésta computadora no cumple con los requisitos mínimos para la instalación %1.<br/> La instalación no puede continuar. + + Installation Failed + @title + La instalación falló - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Ésta computadora no cumple con algunos de los requisitos sugeridos para la configuración %1.<br/> La instalación puede continuar, pero es posible que algunas funciones estén deshabilitadas. + + The setup of %1 did not complete successfully. + @info + La configuración de %1 no se completó correctamente. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Ésta computadora no cumple con algunos de los requisitos sugeridos para la instalación %1.<br/> La instalación puede continuar, pero es posible que algunas funciones estén deshabilitadas. + + The installation of %1 did not complete successfully. + @info + La instalación de %1 no se completó correctamente. - - This program will ask you some questions and set up %2 on your computer. - Éste programa le hará algunas preguntas y configurará %2 en su computadora. + + Setup Complete + @title + Configuración completa - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Sea bienvenido al programa de instalación de Calamares para %1</h1> + + Installation Complete + @title + Instalación completa - - <h1>Welcome to %1 setup</h1> - <h1>Sea bienvenido al %1 instalador</h1> + + The setup of %1 is complete. + @info + La configuración de %1 está completa. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Se bienvenido al instalador Calamares para %1.</h1> + + The installation of %1 is complete. + @info + La instalación de %1 está completa. - - <h1>Welcome to the %1 installer</h1> - <h1>Sea bienvenido al instalador de %1.</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + El modelo del teclado se ha establecido en %1<br/>. - - Your username is too long. - Su nombre de usuario es demasiado largo. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + El idioma del teclado se ha establecido en %1/%2. - - '%1' is not allowed as username. - '%1' no está permitido como nombre de usuario. + + Set timezone to %1/%2 + @action + Establecer zona horaria en %1/%2 - - Your username must start with a lowercase letter or underscore. - Su nombre de usuario debe comenzar con una letra minúscula o un guión bajo. + + The system language will be set to %1. + @info + El idioma del sistema se establecerá a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Sólo se permiten letras minúsculas, números, guiones bajos y guiones. + + The numbers and dates locale will be set to %1. + @info + El formato de números y fechas aparecerá en %1. - - Your hostname is too short. - Su nombre del equipo es demasiado corto. + + Network Installation. (Disabled: Incorrect configuration) + Instalación de red. (Deshabilitada: configuración incorrecta) - - Your hostname is too long. - Su nombre del equipo es demasiado largo. + + Network Installation. (Disabled: Received invalid groups data) + Instalación de Red. (Deshabilitada: se recibieron datos de grupos no válidos) - - '%1' is not allowed as hostname. - '%1' no está permitido como nombre de equipo. + + Network Installation. (Disabled: Internal error) + Instalación de Red. (Deshabilitada: error interno) - - Only letters, numbers, underscore and hyphen are allowed. - Sólo se permiten letras, números, guiones bajos y guiones. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalación de Red. (Deshabilitada: no se pueden recuperar listas de paquetes, verifique su conexión de internet) - - Your passwords do not match! - Sus contraseñas no coinciden + + Network Installation. (Disabled: No package list) + Instalación de Red. (Deshabilitada: sin lista de paquetes) - - OK! - ¡Dale! + + Package selection + Selección de paquetes @@ -1065,98 +1048,115 @@ El instalador se cerrará y se perderán todos los cambios. Ninguno - - Summary - @label - Resumen + + Summary + @label + Resumen + + + + This is an overview of what will happen once you start the setup procedure. + Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de configuración. + + + + This is an overview of what will happen once you start the install procedure. + Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de instalación. + + + + Your username is too long. + Su nombre de usuario es demasiado largo. + + + + Your username must start with a lowercase letter or underscore. + Su nombre de usuario debe comenzar con una letra minúscula o un guión bajo. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Sólo se permiten letras minúsculas, números, guiones bajos y guiones. + + + + '%1' is not allowed as username. + '%1' no está permitido como nombre de usuario. - - This is an overview of what will happen once you start the setup procedure. - Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de configuración. + + Your hostname is too short. + Su nombre del equipo es demasiado corto. - - This is an overview of what will happen once you start the install procedure. - Ésta es una descripción general de lo que sucederá una vez que inicie el procedimiento de instalación. + + Your hostname is too long. + Su nombre del equipo es demasiado largo. - - Setup Failed - @title - La configuración falló + + '%1' is not allowed as hostname. + '%1' no está permitido como nombre de equipo. - - Installation Failed - @title - La instalación falló + + Only letters, numbers, underscore and hyphen are allowed. + Sólo se permiten letras, números, guiones bajos y guiones. - - The setup of %1 did not complete successfully. - @info - La configuración de %1 no se completó correctamente. + + Your passwords do not match! + Sus contraseñas no coinciden - - The installation of %1 did not complete successfully. - @info - La instalación de %1 no se completó correctamente. + + OK! + ¡Dale! - - Setup Complete - @title - Configuración completa + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Ésta computadora no cumple con los requisitos mínimos para la configuración %1.<br/> La instalación no puede continuar. - - Installation Complete - @title - Instalación completa + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Ésta computadora no cumple con los requisitos mínimos para la instalación %1.<br/> La instalación no puede continuar. - - The setup of %1 is complete. - @info - La configuración de %1 está completa. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Ésta computadora no cumple con algunos de los requisitos sugeridos para la configuración %1.<br/> La instalación puede continuar, pero es posible que algunas funciones estén deshabilitadas. - - The installation of %1 is complete. - @info - La instalación de %1 está completa. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Ésta computadora no cumple con algunos de los requisitos sugeridos para la instalación %1.<br/> La instalación puede continuar, pero es posible que algunas funciones estén deshabilitadas. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - El modelo del teclado se ha establecido en %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Éste programa le hará algunas preguntas y configurará %2 en su computadora. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - El idioma del teclado se ha establecido en %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Sea bienvenido al programa de instalación de Calamares para %1</h1> - - Set timezone to %1/%2 - @action - Establecer zona horaria en %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Sea bienvenido al %1 instalador</h1> - - The system language will be set to %1. - @info - El idioma del sistema se establecerá a %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Se bienvenido al instalador Calamares para %1.</h1> - - The numbers and dates locale will be set to %1. - @info - El formato de números y fechas aparecerá en %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Sea bienvenido al instalador de %1.</h1> @@ -1273,44 +1273,44 @@ El instalador se cerrará y se perderán todos los cambios. Create new %1MiB partition on %3 (%2) with entries %4 @title - + Crear nueva partición %1MiB en %3 (%2) con entradas %4 Create new %1MiB partition on %3 (%2) @title - + Crear nueva partición %1MiB en %3 (%2). Create new %2MiB partition on %4 (%3) with file system %1 @title - + Crear nueva partición %2MiB en %4 (%3) con sistema de archivos %1. Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) with entries <em>%4</em> @info - + Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2) con entradas<em>%4</em>. Create new <strong>%1MiB</strong> partition on <strong>%3</strong> (%2) @info - + Crear nueva partición <strong>%1MiB</strong> en <strong>%3</strong> (%2). Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong> @info - + Crear nueva partición <strong>%2MiB</strong> en <strong>%4</strong> (%3) con sistema de archivos <strong>%1</strong>. Creating new %1 partition on %2… @status - + Creando nueva partición %1 en %2... @@ -1354,13 +1354,13 @@ El instalador se cerrará y se perderán todos los cambios. Creating new %1 partition table on %2… @status - + Creando nueva tabla de particiones %1 en %2... Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… @status - + Creando nueva tabla de particiones <strong>%1</strong> en <strong>%2</strong> (%3)... @@ -1378,20 +1378,20 @@ El instalador se cerrará y se perderán todos los cambios. Create user <strong>%1</strong> - + Crear usuario <strong>%1</strong>. Creating user %1… @status - + Creando usuario %1 Preserving home directory… @status - + Preservando el directorio HOME @@ -1403,7 +1403,7 @@ El instalador se cerrará y se perderán todos los cambios. Setting file permissions… @status - + Configurando permisos de archivos @@ -1422,13 +1422,13 @@ El instalador se cerrará y se perderán todos los cambios. Creating new volume group named %1… @status - + Creando un nuevo grupo de volúmenes llamado %1. Creating new volume group named <strong>%1</strong>… @status - + Cree un nuevo grupo de volúmenes llamado<strong>%1.</strong> @@ -1443,13 +1443,13 @@ El instalador se cerrará y se perderán todos los cambios. Deactivating volume group named %1… @status - + Desactivar el grupo de volúmenes llamado %1. Deactivating volume group named <strong>%1</strong>… @status - + Desactivar el grupo de volúmenes denominado %1. @@ -1464,13 +1464,13 @@ El instalador se cerrará y se perderán todos los cambios. Deleting partition %1… @status - + Eliminando la partición %1. Deleting partition <strong>%1</strong>… @status - + Eliminar la partición <strong>%1</strong>. @@ -1481,9 +1481,14 @@ El instalador se cerrará y se perderán todos los cambios. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Éste dispositivo tiene un tabla de particiones <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Éste tipo de tabla de particiones sólo se recomienda en sistemas más antiguos que comienzan desde un entorno de arranque <strong>BIOS</strong>. Se sugiere GPT en la mayoría de los demás casos.<br><br><strong> Aviso:</strong> la tabla de particiones MBR es un estándar obsoleto de la era MS-DOS.<br> Sólo se pueden crear 4 particiones <em>primarias</em>, y de esas 4, una puede ser una partición <em>extendida</em>, que a su vez puede contener muchas particiones <em>lógicas.</em> + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Éste es el tipo de tabla de particiones sugerido para sistemas modernos que comienzan desde un entorno de arranque <strong>EFI</strong>. @@ -1496,14 +1501,9 @@ El instalador se cerrará y se perderán todos los cambios. Éste instalador <strong>no puede detectar una tabla de partición</strong> en el dispositivo de almacenamiento seleccionado.<br> <br>El dispositivo o no tiene tabla de partición, o la tabla de partición esta corrupta o de un tipo desconocido. <br>Éste instalador puede crear una nueva tabla de partición por usted ya sea automáticamente, o a través de la página de particionado manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Éste es el tipo de tabla de particiones sugerido para sistemas modernos que comienzan desde un entorno de arranque <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Éste tipo de tabla de particiones sólo se recomienda en sistemas más antiguos que comienzan desde un entorno de arranque <strong>BIOS</strong>. Se sugiere GPT en la mayoría de los demás casos.<br><br><strong> Aviso:</strong> la tabla de particiones MBR es un estándar obsoleto de la era MS-DOS.<br> Sólo se pueden crear 4 particiones <em>primarias</em>, y de esas 4, una puede ser una partición <em>extendida</em>, que a su vez puede contener muchas particiones <em>lógicas.</em> + + This device has a <strong>%1</strong> partition table. + Éste dispositivo tiene un tabla de particiones <strong>%1</strong>. @@ -1662,7 +1662,7 @@ El instalador se cerrará y se perderán todos los cambios. Password must be a minimum of %1 characters. @tooltip - + La contraseña debe tener un mínimo de %1 caracteres @@ -1696,55 +1696,55 @@ El instalador se cerrará y se perderán todos los cambios. Install %1 on <strong>new</strong> %2 system partition @info - + Instalar %1 en la <strong>nueva</strong> partición del sistema %2. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong> and features <em>%3</em> @info - + Configure una <strong>nueva</strong> partición %2 con el punto de montaje <strong>%1</strong> y las características <em>%3</em>. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - + Configurar una <strong>nueva</strong> %2 con el punto de montaje<strong> %1</strong>%3. Install %2 on %3 system partition <strong>%1</strong> with features <em>%4</em> @info - + Instalar %2 en %3 la partición del sistema <strong>%1</strong> con las características<em> %4</em>. Install %2 on %3 system partition <strong>%1</strong> @info - + Instalar %2 en %3 partición del sistema <strong>%1</strong>. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong> and features <em>%4</em> @info - + Configurar %3 la partición <strong>%1</strong> con el punto de montaje<strong> %2</strong> y las funciones <em>%4</em>. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - + Configurar %3 partición <strong>%1 </strong>con punto de montaje <strong>%2</strong>%4. Install boot loader on <strong>%1</strong>… @info - + Instalar el gestor de arranque en <strong>%1</strong>. Setting up mount points… @status - + Configurando puntos de montaje. @@ -1815,13 +1815,13 @@ El instalador se cerrará y se perderán todos los cambios. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - + Formatear partición %1 (sistema de archivos: %2, tamaño: %3 MiB) en %4.
Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong> @info - + Formatear <strong>%3MiB</strong> partición "<strong>%1</strong>" con sistema de archivos <strong>%2</strong>. @@ -1833,7 +1833,7 @@ El instalador se cerrará y se perderán todos los cambios. Formatting partition %1 with file system %2… @status - + Formateando partición "%1" con sistema de archivos %2. @@ -2279,7 +2279,7 @@ El instalador se cerrará y se perderán todos los cambios. LocaleTests - + Quit Salir @@ -2453,6 +2453,11 @@ El instalador se cerrará y se perderán todos los cambios. label for netinstall module, choose desktop environment Escritorio o WM + + + Applications + Programas + Communication @@ -2501,11 +2506,6 @@ El instalador se cerrará y se perderán todos los cambios. label for netinstall module Utilidades - - - Applications - Programas - NotesQmlViewStep @@ -2678,11 +2678,29 @@ El instalador se cerrará y se perderán todos los cambios. The password contains forbidden words in some form La contraseña contiene malas palabras de alguna forma
+ + + The password contains fewer than %n digits + + La contraseña contiene menos de %n dígito + La contraseña contiene menos de %n dígitos + La contraseña contiene menos de %n dígitos + + The password contains too few digits La contraseña contiene muy pocos dígitos + + + The password contains fewer than %n uppercase letters + + La contraseña contiene menos de %n dígito + La contraseña contiene menos de %n dígitos + La contraseña contiene menos de %n dígitos + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ El instalador se cerrará y se perderán todos los cambios. The password contains too few lowercase letters La contraseña contiene muy pocas letras minúsculas - - - The password contains too few non-alphanumeric characters - La contraseña contiene muy pocos caracteres no alfanuméricos - - - - The password is too short - La contraseña es demasiado corta - - - - The password does not contain enough character classes - La contraseña no contiene suficientes tipos de caracteres - - - - The password contains too many same characters consecutively - La contraseña contiene demasiados caracteres iguales consecutivos - - - - The password contains too many characters of the same class consecutively - La contraseña contiene demasiados caracteres de la misma clase consecutivamente - - - - The password contains fewer than %n digits - - La contraseña contiene menos de %n dígito - La contraseña contiene menos de %n dígitos - La contraseña contiene menos de %n dígitos - - - - - The password contains fewer than %n uppercase letters - - La contraseña contiene menos de %n dígito - La contraseña contiene menos de %n dígitos - La contraseña contiene menos de %n dígitos - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ El instalador se cerrará y se perderán todos los cambios. La contraseña contiene menos de %n dígitos + + + The password contains too few non-alphanumeric characters + La contraseña contiene muy pocos caracteres no alfanuméricos + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ El instalador se cerrará y se perderán todos los cambios. La contraseña tiene menos de %n caracteres + + + The password is too short + La contraseña es demasiado corta + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ El instalador se cerrará y se perderán todos los cambios. La contraseña contiene menos de %n clases de caracteres + + + The password does not contain enough character classes + La contraseña no contiene suficientes tipos de caracteres + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ El instalador se cerrará y se perderán todos los cambios. La contraseña contiene más de %n mismos caracteres consecutivamente + + + The password contains too many same characters consecutively + La contraseña contiene demasiados caracteres iguales consecutivos + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ El instalador se cerrará y se perderán todos los cambios. La contraseña contiene más de %n caracteres de la misma clase consecutivamente + + + The password contains too many characters of the same class consecutively + La contraseña contiene demasiados caracteres de la misma clase consecutivamente + The password contains monotonic sequence longer than %n characters @@ -2952,7 +2952,7 @@ El instalador se cerrará y se perderán todos los cambios. Switch Keyboard: shortcut for switching between keyboard layouts - + Cambiar Teclado: @@ -3111,7 +3111,7 @@ El instalador se cerrará y se perderán todos los cambios. New Partition @title - + Nueva partición
@@ -3220,50 +3220,54 @@ El instalador se cerrará y se perderán todos los cambios. PartitionViewStep - - Unsafe partition actions are enabled. - Las acciones de partición inseguras están habilitadas. - - - - Partitioning is configured to <b>always</b> fail. - La partición está configurada para fallar <b>siempre</b>. + + Gathering system information… + @status + Recopilando información del sistema... - - No partitions will be changed. - No se cambiarán particiones. + + Partitions + @label + Particiones - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> La partición del sistema EFI no cumple con las sugerencias. Se sugiere volver y seleccionar o crear un sistema de archivos adecuado. + + Unsafe partition actions are enabled. + Las acciones de partición inseguras están habilitadas. - - The minimum recommended size for the filesystem is %1 MiB. - El tamaño mínimo sugerido para el sistema de archivos es %1 MiB. + + Partitioning is configured to <b>always</b> fail. + La partición está configurada para fallar <b>siempre</b>. - - You can continue with this EFI system partition configuration but your system may fail to start. - Puede continuar con esta configuración de partición del sistema EFI, pero es posible que su sistema no se inicie. + + No partitions will be changed. + No se cambiarán particiones. - - No EFI system partition configured - No hay ninguna partición del sistema EFI configurada + + Current: + @label + Actual: - - EFI system partition configured incorrectly - La partición del sistema EFI está configurada incorrectamente + + After: + @label + Después: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> Para configurar una partición del sistema EFI, regrese y seleccione o cree un sistema de archivos adecuado. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Es necesaria una partición del sistema EFI para iniciar %1.<br/><br/> La partición del sistema EFI no cumple con las sugerencias. Se sugiere volver y seleccionar o crear un sistema de archivos adecuado. + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ El instalador se cerrará y se perderán todos los cambios. The filesystem must have type FAT32. El sistema de archivos debe tener tipo FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + El sistema de archivos debe tener establecido el indicador<strong> %1</strong>. + @@ -3281,38 +3290,29 @@ El instalador se cerrará y se perderán todos los cambios. El sistema de archivos debe tener al menos %1 MiB de tamaño. - - The filesystem must have flag <strong>%1</strong> set. - El sistema de archivos debe tener establecido el indicador<strong> %1</strong>. - - - - Gathering system information… - @status - + + The minimum recommended size for the filesystem is %1 MiB. + El tamaño mínimo sugerido para el sistema de archivos es %1 MiB. - - Partitions - @label - Particiones + + You can continue without setting up an EFI system partition but your system may fail to start. + Puede continuar sin configurar una partición del sistema EFI, pero es posible que su sistema no se inicie. - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + Puede continuar con esta configuración de partición del sistema EFI, pero es posible que su sistema no se inicie. - - After: - @label - Después: + + No EFI system partition configured + No hay ninguna partición del sistema EFI configurada - - You can continue without setting up an EFI system partition but your system may fail to start. - Puede continuar sin configurar una partición del sistema EFI, pero es posible que su sistema no se inicie. + + EFI system partition configured incorrectly + La partición del sistema EFI está configurada incorrectamente @@ -3356,7 +3356,7 @@ El instalador se cerrará y se perderán todos los cambios. Applying Plasma Look-and-Feel… @status - + Aplicando LOOK-AND-FEEL de Plasma... @@ -3393,7 +3393,7 @@ El instalador se cerrará y se perderán todos los cambios. Saving files for later… @status - + Guardando archivos para más tarde... @@ -3409,14 +3409,14 @@ El instalador se cerrará y se perderán todos los cambios. ProcessResult - + There was no output from the command. No hubo resultados del comando - + Output: @@ -3425,52 +3425,52 @@ Salida - + External command crashed. El comando externo falló. - + Command <i>%1</i> crashed. El comando <i>%1</i> falló. - + External command failed to start. El comando externo no pudo iniciarse. - + Command <i>%1</i> failed to start. El comando <i>%1</i> no pudo iniciarse. - + Internal error when starting command. Error interno al iniciar el comando. - + Bad parameters for process job call. Parámetros incorrectos para la llamada del trabajo de proceso. - + External command failed to finish. El comando externo no pudo finalizar. - + Command <i>%1</i> failed to finish in %2 seconds. El comando<i> %1</i> no pudo finalizar en %2 segundos. - + External command finished with errors. Comando externo ha finalizado con errores. - + Command <i>%1</i> finished with exit code %2. Lamentablemente el comando <i>%1</i> finalizó con el código de salida %2. @@ -3482,6 +3482,30 @@ Salida %1 (%2) %1 (%2) + + + unknown + @partition info + desconocido + + + + extended + @partition info + extendido + + + + unformatted + @partition info + no formateado + + + + swap + @partition info + SWAP + @@ -3513,30 +3537,6 @@ Salida (no mount point) (sin punto de montaje) - - - unknown - @partition info - desconocido - - - - extended - @partition info - extendido - - - - unformatted - @partition info - no formateado - - - - swap - @partition info - SWAP - Unpartitioned space or unknown partition table @@ -3561,7 +3561,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Removing live user from the target system… @status - + Eliminar usuario LIVE del sistema de destino @@ -3571,13 +3571,13 @@ La configuración puede continuar, pero es posible que algunas funciones estén Removing Volume Group named %1… @status - + Eliminar el grupo de volúmenes denominado %1. Removing Volume Group named <strong>%1</strong>… @status - + Eliminar grupo de volúmenes llamado <strong>%1</strong>. @@ -3695,19 +3695,19 @@ La configuración puede continuar, pero es posible que algunas funciones estén Resize partition %1 @title - + Redimensionar partición %1. Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong> @info - + Redimensionar la partición <strong>%1</strong> de <strong>%2MB</strong> a <strong>%3MB</strong>. Resizing %2MiB partition %1 to %3MiB… @status - + Cambiando tamaño de la %2MiB partición %1 a %3MiB. @@ -3730,19 +3730,19 @@ La configuración puede continuar, pero es posible que algunas funciones estén Resize volume group named %1 from %2 to %3 @title - + Cambiar el tamaño del grupo de volúmenes llamado %1 de %2 a %3. Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> @info - + Cambiar el tamaño del grupo de volúmenes llamado "<strong>%1</strong>" de "<strong>%2</strong>" a "<strong>%3</strong>". Resizing volume group named %1 from %2 to %3… @status - + Cambiar el tamaño del grupo de volúmenes llamado %1 de %2 a %3. @@ -3764,13 +3764,13 @@ La configuración puede continuar, pero es posible que algunas funciones estén Scanning storage devices… @status - + Escaneando dispositivos de almacenamiento... Partitioning… @status - + Particionando @@ -3789,7 +3789,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Setting hostname %1… @status - + Configurando hostname %1.
@@ -3855,91 +3855,91 @@ La configuración puede continuar, pero es posible que algunas funciones estén Set flags on partition %1 @title - + Establecer indicadores en la partición %1. Set flags on %1MiB %2 partition @title - + Establecer indicadores en la %1MiB %2 partición.. Set flags on new partition @title - + Establecer indicadores en la nueva partición. Clear flags on partition <strong>%1</strong> @info - + Borrar indicadores en la partición <strong>%1</strong>. Clear flags on %1MiB <strong>%2</strong> partition @info - + Borrar indicadores en la %1MiB <strong>%2</strong> partición. Clear flags on new partition @info - + Borrar indicadores en la nueva partición. Set flags on partition <strong>%1</strong> to <strong>%2</strong> @info - + Indicador de partición <strong>%1</strong> como <strong>%2</strong>. Set flags on %1MiB <strong>%2</strong> partition to <strong>%3</strong> @info - + Marcar %1MiB <strong>%2</strong> partición como <strong>%3</strong>. Set flags on new partition to <strong>%1</strong> @info - + Marcar la nueva partición como <strong>%1</strong>. Clearing flags on partition <strong>%1</strong>… @status - + Borrando indicadores en la partición<strong> %1</strong>… Clearing flags on %1MiB <strong>%2</strong> partition… @status - + Borrando indicadores en la partición %1MiB <strong>%2</strong>… Clearing flags on new partition… @status - + Borrando indicadores en una nueva partición... Setting flags <strong>%2</strong> on partition <strong>%1</strong>… @status - + Configurando indicadores <strong>%2</strong> en la partición<strong> %1</strong>… Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition… @status - + Configurando indicadores <strong>%3</strong> en %1MiB <strong>%2</strong> partición… Setting flags <strong>%1</strong> on new partition… @status - + Configurando indicadores<strong> %1</strong> en la nueva partición... @@ -3958,7 +3958,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Setting password for user %1… @status - + Configurando contraseña para el usuario %1… @@ -3975,17 +3975,17 @@ La configuración puede continuar, pero es posible que algunas funciones estén Cannot disable root account. No se puede deshabilitar la cuenta ROOT. - - - Cannot set password for user %1. - No se puede establecer la contraseña para el usuario %1. - usermod terminated with error code %1. Lamentablemente usermod finalizó con el código de error %1. + + + Cannot set password for user %1. + No se puede establecer la contraseña para el usuario %1. + SetTimezoneJob @@ -4033,7 +4033,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Preparing groups… @status - + Preparando grupos...
@@ -4053,7 +4053,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Configuring <pre>sudo</pre> users… @status - + Configurando usuarios <pre> sudo</pre>… @@ -4072,13 +4072,14 @@ La configuración puede continuar, pero es posible que algunas funciones estén Running shell processes… @status - + Ejecutando procesos de shell... SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4123,7 +4124,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Sending installation feedback… @status - + Enviando comentarios sobre la instalación... @@ -4147,7 +4148,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Configuring KDE user feedback… @status - + Configurando los comentarios de los usuarios de KDE... @@ -4177,7 +4178,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Configuring machine feedback… @status - + Configurando los comentarios de la máquina... @@ -4249,7 +4250,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Unmounting file systems… @status - + Desmontando sistemas de archivos... @@ -4423,7 +4424,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén %1 Support @action - + %1 Ayuda @@ -4450,7 +4451,7 @@ La configuración puede continuar, pero es posible que algunas funciones estén Creating ZFS pools and datasets… @status - + Crear grupos y conjuntos de datos ZFS
@@ -4897,11 +4898,21 @@ Opción por defecto. What is your name? ¿Cuál es su nombre? + + + Your full name + Su nombre legal + What name do you want to use to log in? ¿Qué nombre desea utilizar para iniciar sesión? + + + Login name + Nombre de inicio de sesión + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4922,11 +4933,21 @@ Opción por defecto. What is the name of this computer? ¿Cómo se llama éste equipo? + + + Computer name + Nombre del equipo + This name will be used if you make the computer visible to others on a network. Éste nombre se utilizará si hace que la computadora sea visible para otras personas en una red. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Sólo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. + localhost is not allowed as hostname. @@ -4942,61 +4963,16 @@ Opción por defecto. Password Contraseña + + + Repeat password + Repita la contraseña + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ingrese la misma contraseña dos veces para que se pueda verificar si hay errores tipográficos. Una buena contraseña contendrá una combinación de letras, números y signos de puntuación, debe tener al menos ocho caracteres y debe cambiarse de vez en cuando. - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - Verificar la fortaleza de contraseña - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Cuando se marca ésta casilla se comprueba la seguridad de la contraseña y no se podrá usar una débil. - - - - Log in automatically without asking for the password - Iniciar sesión automáticamente sin pedir la contraseña - - - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Sólo se permiten letras, números, guiones bajos y guiones, con un mínimo de dos caracteres. - - - - Repeat password - - Reuse user password as root password @@ -5012,11 +4988,36 @@ Opción por defecto. Choose a root password to keep your account safe. Elija una contraseña para mantener su cuenta "ROOT" segura. + + + Root password + Contraseña de ROOT + + + + Repeat root password + Repetir la contraseña de ROOT + Enter the same password twice, so that it can be checked for typing errors. Introduzca la misma contraseña dos veces para verificar si hay errores de escritura. + + + Log in automatically without asking for the password + Iniciar sesión automáticamente sin pedir la contraseña + + + + Validate passwords quality + Verificar la fortaleza de contraseña + + + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Cuando se marca ésta casilla se comprueba la seguridad de la contraseña y no se podrá usar una débil. + usersq-qt6 @@ -5030,11 +5031,21 @@ Opción por defecto. What is your name? ¿Cuál es su nombre?
+ + + Your full name + Su nombre legal + What name do you want to use to log in? ¿Qué nombre desea utilizar para iniciar sesión? + + + Login name + Nombre de inicio de sesión + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5055,20 +5066,10 @@ Opción por defecto. What is the name of this computer? ¿Cómo se llama éste equipo? - - - Your full name - - - - - Login name - - Computer name - + Nombre del equipo @@ -5098,17 +5099,7 @@ Opción por defecto. Repeat password - - - - - Root password - - - - - Repeat root password - + Repita la contraseña @@ -5130,6 +5121,16 @@ Opción por defecto. Choose a root password to keep your account safe. Elija una contraseña para mantener su cuenta "ROOT" segura. + + + Root password + Contraseña de ROOT + + + + Repeat root password + Repetir la contraseña de ROOT + Enter the same password twice, so that it can be checked for typing errors. @@ -5168,12 +5169,12 @@ Opción por defecto. Known Issues - + Problemas conocidos Release Notes - + Notas de lanzamiento @@ -5198,12 +5199,12 @@ Opción por defecto. Known Issues - + Problemas conocidos Release Notes - + Notas de lanzamiento diff --git a/lang/calamares_es_MX.ts b/lang/calamares_es_MX.ts index d68c03a3a4..a695ac7046 100644 --- a/lang/calamares_es_MX.ts +++ b/lang/calamares_es_MX.ts @@ -126,18 +126,13 @@ Interfaz: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ &Cerrar - + Setup Failed @title Fallo en la configuración. @@ -439,13 +458,13 @@ %1 no pudo ser instalado. Calamares no pudo cargar todos los módulos configurados. Este es un problema con la forma en que Calamares esta siendo usada por la distribución. - + <br/>The following modules could not be loaded: @info <br/>Los siguientes módulos no pudieron ser cargados: - + Continue with Setup? @title @@ -463,129 +482,110 @@ El %1 programa de instalación esta a punto de realizar cambios a su disco con el fin de establecer %2.<br/><strong>Usted no podrá deshacer estos cambios.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version El instalador %1 va a realizar cambios en su disco para instalar %2.<br/><strong>No podrá deshacer estos cambios.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip Configuración completa. Cierre el programa de instalación. - + The installation is complete. Close the installer. @tooltip Instalación completa. Cierre el instalador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Siguiente - + &Back @button &Atrás - + &Done @button &Hecho - + &Cancel @button &Cancelar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿Realmente desea cancelar el actual proceso de configuración? El programa de instalación se cerrará y todos los cambios se perderán. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿Realmente desea cancelar el proceso de instalación actual? @@ -595,25 +595,25 @@ El instalador terminará y se perderán todos los cambios. CalamaresPython::Helper - + Unknown exception type @error Tipo de excepción desconocida - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -670,16 +670,6 @@ El instalador terminará y se perderán todos los cambios. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual </strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione una partición para reducir el tamaño, a continuación, arrastre la barra inferior para redimencinar</strong> - Select storage de&vice: @@ -707,6 +697,11 @@ El instalador terminará y se perderán todos los cambios. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione una partición para reducir el tamaño, a continuación, arrastre la barra inferior para redimencinar</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -829,6 +824,11 @@ El instalador terminará y se perderán todos los cambios. @label Swap a archivo + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual </strong><br/> Puede crear o cambiar el tamaño de las particiones usted mismo. + Bootloader location: @@ -839,44 +839,44 @@ El instalador terminará y se perderán todos los cambios. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Borrar puntos de montaje para operaciones de particionamiento en %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Puntos de montaje despejados para %1 @@ -912,129 +912,112 @@ El instalador terminará y se perderán todos los cambios. Config - - Network Installation. (Disabled: Incorrect configuration) - + + Setup Failed + @title + Fallo en la configuración. - - Network Installation. (Disabled: Received invalid groups data) - Instalación de Red. (Deshabilitada: Grupos de datos invalidos recibidos) + + Installation Failed + @title + Falló la instalación - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Selección de paquete - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalación de Red. (Deshabilitada: No se puede acceder a la lista de paquetes, verifique su conección de red) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Instalación Completa - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Este equipo no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - - - - This program will ask you some questions and set up %2 on your computer. - El programa le hará algunas preguntas y configurará %2 en su ordenador. + + The installation of %1 is complete. + @info + La instalación de %1 está completa. - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Bienvenido al programa de instalación de Calamares para %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - <h1>Welcome to %1 setup</h1> - <h1>Bienvenido a la configuración inicial de %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Bienvenido al instalador Calamares para %1</h1> + + Set timezone to %1/%2 + @action + Configurar zona horaria a %1/%2 - - <h1>Welcome to the %1 installer</h1> - <h1>Bienvenido al instalador de %1 </h1> + + The system language will be set to %1. + @info + El idioma del sistema será establecido a %1. - - Your username is too long. - Tu nombre de usuario es demasiado largo. + + The numbers and dates locale will be set to %1. + @info + Los números y datos locales serán establecidos a %1. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. - + + Network Installation. (Disabled: Received invalid groups data) + Instalación de Red. (Deshabilitada: Grupos de datos invalidos recibidos) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - El nombre de tu equipo es demasiado corto. - - - - Your hostname is too long. - El nombre de tu equipo es demasiado largo. - - - - '%1' is not allowed as hostname. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalación de Red. (Deshabilitada: No se puede acceder a la lista de paquetes, verifique su conección de red) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Las contraseñas no coinciden! - - - - OK! - + + Package selection + Selección de paquete @@ -1078,82 +1061,99 @@ El instalador terminará y se perderán todos los cambios. Esto es un resumen de lo que pasará una vez que inicie el procedimiento de instalación. - - Setup Failed - @title - Fallo en la configuración. + + Your username is too long. + Tu nombre de usuario es demasiado largo. - - Installation Failed - @title - Falló la instalación + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. + El nombre de tu equipo es demasiado corto. + + + + Your hostname is too long. + El nombre de tu equipo es demasiado largo. + + + + '%1' is not allowed as hostname. - - Installation Complete - @title - Instalación Completa + + Only letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 is complete. - @info + + Your passwords do not match! + Las contraseñas no coinciden! + + + + OK! - - The installation of %1 is complete. - @info - La instalación de %1 está completa. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Configurar zona horaria a %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Este equipo no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - - The system language will be set to %1. - @info - El idioma del sistema será establecido a %1. + + This program will ask you some questions and set up %2 on your computer. + El programa le hará algunas preguntas y configurará %2 en su ordenador. - - The numbers and dates locale will be set to %1. - @info - Los números y datos locales serán establecidos a %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Bienvenido al programa de instalación de Calamares para %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Bienvenido a la configuración inicial de %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Bienvenido al instalador Calamares para %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Bienvenido al instalador de %1 </h1> @@ -1478,9 +1478,14 @@ El instalador terminará y se perderán todos los cambios. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Este dispositivo tiene una tabla de partición <strong>%1</strong> + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Este tipo de tabla de partición solo es recomendable en sistemas antiguos que inician desde un entorno de arranque <strong>BIOS</strong>. GPT es recomendado en la otra mayoría de casos.<br><br><strong> Precaución:</strong> La tabla de partición MBR es una era estándar MS-DOS obsoleta.<br> Unicamente 4 particiones <em>primarias</em> pueden ser creadas, y de esas 4, una puede ser una partición <em>extendida</em>, la cual puede a su vez contener varias particiones <em>logicas</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Este es el tipo de tabla de partición recomendada para sistemas modernos que inician desde un entorno de arranque <strong>EFI</strong>. @@ -1493,14 +1498,9 @@ El instalador terminará y se perderán todos los cambios. Este instalador <strong>no puede detectar una tabla de partición</strong> en el dispositivo de almacenamiento seleccionado.<br> <br>El dispositivo o no tiene tabla de partición, o la tabla de partición esta corrupta o de un tipo desconocido. <br>Este instalador puede crear una nueva tabla de partición por usted ya sea automáticamente, o a través de la página de particionado manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Este es el tipo de tabla de partición recomendada para sistemas modernos que inician desde un entorno de arranque <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Este tipo de tabla de partición solo es recomendable en sistemas antiguos que inician desde un entorno de arranque <strong>BIOS</strong>. GPT es recomendado en la otra mayoría de casos.<br><br><strong> Precaución:</strong> La tabla de partición MBR es una era estándar MS-DOS obsoleta.<br> Unicamente 4 particiones <em>primarias</em> pueden ser creadas, y de esas 4, una puede ser una partición <em>extendida</em>, la cual puede a su vez contener varias particiones <em>logicas</em>. + + This device has a <strong>%1</strong> partition table. + Este dispositivo tiene una tabla de partición <strong>%1</strong> @@ -2276,7 +2276,7 @@ El instalador terminará y se perderán todos los cambios. LocaleTests - + Quit @@ -2446,6 +2446,11 @@ El instalador terminará y se perderán todos los cambios. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2494,11 +2499,6 @@ El instalador terminará y se perderán todos los cambios. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2671,11 +2671,29 @@ El instalador terminará y se perderán todos los cambios. The password contains forbidden words in some form La contraseña contiene palabras prohibidas de alguna forma + + + The password contains fewer than %n digits + + + + + + The password contains too few digits La contraseña contiene muy pocos dígitos + + + The password contains fewer than %n uppercase letters + + + + + + The password contains too few uppercase letters @@ -2695,49 +2713,6 @@ El instalador terminará y se perderán todos los cambios. The password contains too few lowercase letters La contraseña contiene muy pocas letras minúsculas - - - The password contains too few non-alphanumeric characters - La contraseña contiene muy pocos caracteres alfanuméricos - - - - The password is too short - La contraseña es muy corta - - - - The password does not contain enough character classes - La contraseña no contiene suficientes tipos de caracteres - - - - The password contains too many same characters consecutively - La contraseña contiene muchos caracteres iguales repetidos consecutivamente - - - - The password contains too many characters of the same class consecutively - La contraseña contiene muchos caracteres de la misma clase consecutivamente - - - - The password contains fewer than %n digits - - - - - - - - - The password contains fewer than %n uppercase letters - - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2747,6 +2722,11 @@ El instalador terminará y se perderán todos los cambios. + + + The password contains too few non-alphanumeric characters + La contraseña contiene muy pocos caracteres alfanuméricos + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ El instalador terminará y se perderán todos los cambios. + + + The password is too short + La contraseña es muy corta + The password is a rotated version of the previous one @@ -2770,6 +2755,11 @@ El instalador terminará y se perderán todos los cambios. + + + The password does not contain enough character classes + La contraseña no contiene suficientes tipos de caracteres + The password contains more than %n same characters consecutively @@ -2779,6 +2769,11 @@ El instalador terminará y se perderán todos los cambios. + + + The password contains too many same characters consecutively + La contraseña contiene muchos caracteres iguales repetidos consecutivamente + The password contains more than %n characters of the same class consecutively @@ -2788,6 +2783,11 @@ El instalador terminará y se perderán todos los cambios. + + + The password contains too many characters of the same class consecutively + La contraseña contiene muchos caracteres de la misma clase consecutivamente + The password contains monotonic sequence longer than %n characters @@ -3212,6 +3212,18 @@ El instalador terminará y se perderán todos los cambios. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particiones + Unsafe partition actions are enabled. @@ -3228,33 +3240,25 @@ El instalador terminará y se perderán todos los cambios. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Actual: - - No EFI system partition configured - Sistema de partición EFI no configurada + + After: + @label + Después: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3267,6 +3271,11 @@ El instalador terminará y se perderán todos los cambios. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3274,37 +3283,28 @@ El instalador terminará y se perderán todos los cambios. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particiones - - - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Después: + + No EFI system partition configured + Sistema de partición EFI no configurada - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3402,14 +3402,14 @@ El instalador terminará y se perderán todos los cambios. ProcessResult - + There was no output from the command. No hubo salida desde el comando. - + Output: @@ -3418,52 +3418,52 @@ Salida - + External command crashed. El comando externo ha fallado. - + Command <i>%1</i> crashed. El comando <i>%1</i> ha fallado. - + External command failed to start. El comando externo falló al iniciar. - + Command <i>%1</i> failed to start. El comando <i>%1</i> Falló al iniciar. - + Internal error when starting command. Error interno al iniciar el comando. - + Bad parameters for process job call. Parámetros erróneos en la llamada al proceso. - + External command failed to finish. Comando externo falla al finalizar - + Command <i>%1</i> failed to finish in %2 seconds. Comando <i>%1</i> falló al finalizar en %2 segundos. - + External command finished with errors. Comando externo finalizado con errores - + Command <i>%1</i> finished with exit code %2. Comando <i>%1</i> finalizó con código de salida %2. @@ -3475,6 +3475,30 @@ Salida %1 (%2) %1 (%2) + + + unknown + @partition info + desconocido + + + + extended + @partition info + extendido + + + + unformatted + @partition info + no formateado + + + + swap + @partition info + swap + @@ -3506,30 +3530,6 @@ Salida (no mount point) - - - unknown - @partition info - desconocido - - - - extended - @partition info - extendido - - - - unformatted - @partition info - no formateado - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3963,17 +3963,17 @@ Salida Cannot disable root account. No se puede deshabilitar la cuenta root. - - - Cannot set password for user %1. - No se puede definir contraseña para el usuario %1. - usermod terminated with error code %1. usermod ha terminado con el código de error %1 + + + Cannot set password for user %1. + No se puede definir contraseña para el usuario %1. + SetTimezoneJob @@ -4066,7 +4066,8 @@ Salida SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4853,11 +4854,21 @@ Salida What is your name? ¿Cuál es su nombre? + + + Your full name + + What name do you want to use to log in? ¿Qué nombre desea usar para acceder al sistema? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4878,11 +4889,21 @@ Salida What is the name of this computer? ¿Cuál es el nombre de esta computadora? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4899,78 +4920,58 @@ Salida - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Usar la misma contraseña para la cuenta de administrador. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Usar la misma contraseña para la cuenta de administrador. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4986,11 +4987,21 @@ Salida What is your name? ¿Cuál es su nombre? + + + Your full name + + What name do you want to use to log in? ¿Qué nombre desea usar para acceder al sistema? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5011,16 +5022,6 @@ Salida What is the name of this computer? ¿Cuál es el nombre de esta computadora? - - - Your full name - - - - - Login name - - Computer name @@ -5056,16 +5057,6 @@ Salida Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5086,6 +5077,16 @@ Salida Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_es_PR.ts b/lang/calamares_es_PR.ts index 34ee4d33f8..4bfbe19687 100644 --- a/lang/calamares_es_PR.ts +++ b/lang/calamares_es_PR.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ - + Setup Failed @title @@ -439,13 +458,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Próximo - + &Back @button &Atrás - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -909,128 +909,111 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Failed + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Falló la instalación - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This program will ask you some questions and set up %2 on your computer. + + Setup Complete + @title - - <h1>Welcome to the Calamares setup program for %1</h1> + + Installation Complete + @title - - <h1>Welcome to %1 setup</h1> + + The setup of %1 is complete. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + The installation of %1 is complete. + @info - - <h1>Welcome to the %1 installer</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - Your username is too long. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - '%1' is not allowed as username. + + Set timezone to %1/%2 + @action - - Your username must start with a lowercase letter or underscore. + + The system language will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + The numbers and dates locale will be set to %1. + @info - - Your hostname is too short. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too long. + + Network Installation. (Disabled: Received invalid groups data) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! + + Network Installation. (Disabled: No package list) - - OK! + + Package selection @@ -1075,81 +1058,98 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title + + Your username is too long. - - Installation Failed - @title - Falló la instalación + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. - - Installation Complete - @title + + Your hostname is too long. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. - - The installation of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + OK! - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The system language will be set to %1. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1475,8 +1475,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1490,13 +1495,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,19 +2668,9 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2688,53 +2678,38 @@ The installer will quit and all changes will be lost. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2753,6 +2733,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2767,6 +2752,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2776,6 +2766,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3210,48 +3210,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3265,43 +3269,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3399,65 +3399,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Parámetros erróneos para el trabajo en proceso. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3469,6 +3469,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3500,30 +3524,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3957,17 +3957,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4060,7 +4060,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4847,11 +4848,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4872,11 +4883,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4893,78 +4914,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4980,11 +4981,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5005,16 +5016,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5050,16 +5051,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5080,6 +5071,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_et.ts b/lang/calamares_et.ts index 294a337b7e..0e13418896 100644 --- a/lang/calamares_et.ts +++ b/lang/calamares_et.ts @@ -126,18 +126,13 @@ Liides: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Sulge - + Setup Failed @title @@ -437,13 +456,13 @@ %1 ei saa paigaldada. Calamares ei saanud laadida kõiki konfigureeritud mooduleid. See on distributsiooni põhjustatud Calamarese kasutamise viga. - + <br/>The following modules could not be loaded: @info <br/>Järgnevaid mooduleid ei saanud laadida: - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 paigaldaja on tegemas muudatusi sinu kettale, et paigaldada %2.<br/><strong>Sa ei saa neid muudatusi tagasi võtta.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Paigalda - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Paigaldamine on lõpetatud. Sulge paigaldaja. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Edasi - + &Back @button &Tagasi - + &Done @button &Valmis - + &Cancel @button &Tühista - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Kas sa tõesti soovid tühistada praeguse paigaldusprotsessi? @@ -592,25 +592,25 @@ Paigaldaja sulgub ning kõik muutused kaovad. CalamaresPython::Helper - + Unknown exception type @error Tundmatu veateade - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Käsitsi partitsioneerimine</strong><br/>Sa võid ise partitsioone luua või nende suurust muuta. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vali vähendatav partitsioon, seejärel sikuta alumist riba suuruse muutmiseks</strong> - Select storage de&vice: @@ -704,6 +694,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vali vähendatav partitsioon, seejärel sikuta alumist riba suuruse muutmiseks</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Käsitsi partitsioneerimine</strong><br/>Sa võid ise partitsioone luua või nende suurust muuta. + Bootloader location: @@ -835,44 +835,44 @@ Paigaldaja sulgub ning kõik muutused kaovad. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Tühjenda monteeringud partitsioneerimistegevustes %1 juures - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Kõik monteeringud tühjendatud %1 jaoks @@ -908,129 +908,112 @@ Paigaldaja sulgub ning kõik muutused kaovad. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) - Võrgupaigaldus. (Keelatud: vastu võetud sobimatud grupiandmed) + + Installation Failed + @title + Paigaldamine ebaõnnestus - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Paketivalik - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Võrgupaigaldus. (Keelatud: paketinimistute saamine ebaõnnestus, kontrolli oma võrguühendust) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Complete + @title + Seadistus valmis - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Paigaldus valmis - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - See arvuti ei rahulda mõnda %1 paigaldamiseks soovitatud tingimust.<br/>Paigaldamine võib jätkuda, ent mõned funktsioonid võivad olla keelatud. - - - - This program will ask you some questions and set up %2 on your computer. - See programm küsib sult mõned küsimused ja seadistab %2 sinu arvutisse. + + The installation of %1 is complete. + @info + %1 paigaldus on valmis. - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to %1 setup</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the Calamares installer for %1</h1> - + + Set timezone to %1/%2 + @action + Määra ajatsooniks %1/%2 - - <h1>Welcome to the %1 installer</h1> - + + The system language will be set to %1. + @info + Süsteemikeeleks määratakse %1. - - Your username is too long. - Sinu kasutajanimi on liiga pikk. + + The numbers and dates locale will be set to %1. + @info + Arvude ja kuupäevade lokaaliks seatakse %1. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. - + + Network Installation. (Disabled: Received invalid groups data) + Võrgupaigaldus. (Keelatud: vastu võetud sobimatud grupiandmed) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - Sinu hostinimi on liiga lühike. - - - - Your hostname is too long. - Sinu hostinimi on liiga pikk. - - - - '%1' is not allowed as hostname. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Võrgupaigaldus. (Keelatud: paketinimistute saamine ebaõnnestus, kontrolli oma võrguühendust) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Sinu paroolid ei ühti! - - - - OK! - + + Package selection + Paketivalik @@ -1074,82 +1057,99 @@ Paigaldaja sulgub ning kõik muutused kaovad. See on ülevaade sellest mis juhtub, kui alustad paigaldusprotseduuri. - - Setup Failed - @title + + Your username is too long. + Sinu kasutajanimi on liiga pikk. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Paigaldamine ebaõnnestus + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Sinu hostinimi on liiga lühike. + + + + Your hostname is too long. + Sinu hostinimi on liiga pikk. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title - Seadistus valmis + + Only letters, numbers, underscore and hyphen are allowed. + - - Installation Complete - @title - Paigaldus valmis + + Your passwords do not match! + Sinu paroolid ei ühti! - - The setup of %1 is complete. - @info + + OK! - - The installation of %1 is complete. - @info - %1 paigaldus on valmis. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Määra ajatsooniks %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + See arvuti ei rahulda mõnda %1 paigaldamiseks soovitatud tingimust.<br/>Paigaldamine võib jätkuda, ent mõned funktsioonid võivad olla keelatud. - - The system language will be set to %1. - @info - Süsteemikeeleks määratakse %1. + + This program will ask you some questions and set up %2 on your computer. + See programm küsib sult mõned küsimused ja seadistab %2 sinu arvutisse. - - The numbers and dates locale will be set to %1. - @info - Arvude ja kuupäevade lokaaliks seatakse %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1474,9 +1474,14 @@ Paigaldaja sulgub ning kõik muutused kaovad. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Sellel seadmel on <strong>%1</strong> partitsioonitabel. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>See partitsioonitabel on soovitatav ainult vanemates süsteemides, mis käivitavad <strong>BIOS</strong>-i käivituskeskkonnast. GPT on soovitatav enamus teistel juhtudel.<br><br><strong>Hoiatus:</strong> MBR partitsioonitabel on vananenud MS-DOS aja standard.<br>aVõimalik on luua inult 4 <em>põhilist</em> partitsiooni ja nendest üks võib olla <em>laiendatud</em> partitsioon, mis omakorda sisaldab mitmeid <em>loogilisi</em> partitsioone. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>See on soovitatav partitsioonitabeli tüüp modernsetele süsteemidele, mis käivitatakse <strong>EFI</strong>käivituskeskkonnast. @@ -1489,14 +1494,9 @@ Paigaldaja sulgub ning kõik muutused kaovad. See paigaldaja <strong>ei suuda tuvastada partitsioonitabelit</strong>valitud mäluseadmel.<br><br>Seadmel kas pole partitsioonitabelit, see on korrumpeerunud või on tundmatut tüüpi.<br>See paigaldaja võib sulle luua uue partitsioonitabeli, kas automaatselt või läbi käsitsi partitsioneerimise lehe. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>See on soovitatav partitsioonitabeli tüüp modernsetele süsteemidele, mis käivitatakse <strong>EFI</strong>käivituskeskkonnast. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>See partitsioonitabel on soovitatav ainult vanemates süsteemides, mis käivitavad <strong>BIOS</strong>-i käivituskeskkonnast. GPT on soovitatav enamus teistel juhtudel.<br><br><strong>Hoiatus:</strong> MBR partitsioonitabel on vananenud MS-DOS aja standard.<br>aVõimalik on luua inult 4 <em>põhilist</em> partitsiooni ja nendest üks võib olla <em>laiendatud</em> partitsioon, mis omakorda sisaldab mitmeid <em>loogilisi</em> partitsioone. + + This device has a <strong>%1</strong> partition table. + Sellel seadmel on <strong>%1</strong> partitsioonitabel. @@ -2272,7 +2272,7 @@ Paigaldaja sulgub ning kõik muutused kaovad. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ Paigaldaja sulgub ning kõik muutused kaovad. The password contains forbidden words in some form Parool sisaldab mingil kujul sobimatuid sõnu + + + The password contains fewer than %n digits + + + + + The password contains too few digits Parool sisaldab liiga vähe numbreid + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ Paigaldaja sulgub ning kõik muutused kaovad. The password contains too few lowercase letters Parool sisaldab liiga vähe väiketähti - - - The password contains too few non-alphanumeric characters - Parool sisaldab liiga vähe mitte-tähestikulisi märke - - - - The password is too short - Parool on liiga lühike - - - - The password does not contain enough character classes - Parool ei sisalda piisavalt tähemärgiklasse - - - - The password contains too many same characters consecutively - Parool sisaldab järjest liiga palju sama tähemärki - - - - The password contains too many characters of the same class consecutively - Parool sisaldab järjest liiga palju samast klassist tähemärke - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + + The password contains too few non-alphanumeric characters + Parool sisaldab liiga vähe mitte-tähestikulisi märke + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + + The password is too short + Parool on liiga lühike + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + + The password does not contain enough character classes + Parool ei sisalda piisavalt tähemärgiklasse + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + + The password contains too many same characters consecutively + Parool sisaldab järjest liiga palju sama tähemärki + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + + The password contains too many characters of the same class consecutively + Parool sisaldab järjest liiga palju samast klassist tähemärke + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ Paigaldaja sulgub ning kõik muutused kaovad. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partitsioonid + Unsafe partition actions are enabled. @@ -3215,33 +3227,25 @@ Paigaldaja sulgub ning kõik muutused kaovad. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Hetkel: - - No EFI system partition configured - EFI süsteemipartitsiooni pole seadistatud + + After: + @label + Pärast: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,6 +3258,11 @@ Paigaldaja sulgub ning kõik muutused kaovad. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3261,37 +3270,28 @@ Paigaldaja sulgub ning kõik muutused kaovad. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partitsioonid - - - - Current: - @label - Hetkel: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Pärast: + + No EFI system partition configured + EFI süsteemipartitsiooni pole seadistatud - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,14 +3389,14 @@ Paigaldaja sulgub ning kõik muutused kaovad. ProcessResult - + There was no output from the command. Käsul polnud väljundit. - + Output: @@ -3405,52 +3405,52 @@ Väljund: - + External command crashed. Väline käsk jooksis kokku. - + Command <i>%1</i> crashed. Käsk <i>%1</i> jooksis kokku. - + External command failed to start. Välise käsu käivitamine ebaõnnestus. - + Command <i>%1</i> failed to start. Käsu <i>%1</i> käivitamine ebaõnnestus. - + Internal error when starting command. Käsu käivitamisel esines sisemine viga. - + Bad parameters for process job call. Protsessi töö kutsel olid halvad parameetrid. - + External command failed to finish. Väline käsk ei suutnud lõpetada. - + Command <i>%1</i> failed to finish in %2 seconds. Käsk <i>%1</i> ei suutnud lõpetada %2 sekundi jooksul. - + External command finished with errors. Väline käsk lõpetas vigadega. - + Command <i>%1</i> finished with exit code %2. Käsk <i>%1</i> lõpetas sulgemiskoodiga %2. @@ -3462,6 +3462,30 @@ Väljund: %1 (%2) %1 (%2) + + + unknown + @partition info + tundmatu + + + + extended + @partition info + laiendatud + + + + unformatted + @partition info + vormindamata + + + + swap + @partition info + swap + @@ -3493,30 +3517,6 @@ Väljund: (no mount point) - - - unknown - @partition info - tundmatu - - - - extended - @partition info - laiendatud - - - - unformatted - @partition info - vormindamata - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3950,17 +3950,17 @@ Väljund: Cannot disable root account. Juurkasutajat ei saa keelata. - - - Cannot set password for user %1. - Kasutajale %1 ei saa parooli määrata. - usermod terminated with error code %1. usermod peatatud veateatega %1. + + + Cannot set password for user %1. + Kasutajale %1 ei saa parooli määrata. + SetTimezoneJob @@ -4053,7 +4053,8 @@ Väljund: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4840,11 +4841,21 @@ Väljund: What is your name? Mis on su nimi? + + + Your full name + + What name do you want to use to log in? Mis nime soovid sisselogimiseks kasutada? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4865,11 +4876,21 @@ Väljund: What is the name of this computer? Mis on selle arvuti nimi? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4886,78 +4907,58 @@ Väljund: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Kasuta sama parooli administraatorikontole. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Kasuta sama parooli administraatorikontole. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4973,11 +4974,21 @@ Väljund: What is your name? Mis on su nimi? + + + Your full name + + What name do you want to use to log in? Mis nime soovid sisselogimiseks kasutada? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4998,16 +5009,6 @@ Väljund: What is the name of this computer? Mis on selle arvuti nimi? - - - Your full name - - - - - Login name - - Computer name @@ -5043,16 +5044,6 @@ Väljund: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5073,6 +5064,16 @@ Väljund: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_eu.ts b/lang/calamares_eu.ts index 716f713ec0..8f03bcbb7c 100644 --- a/lang/calamares_eu.ts +++ b/lang/calamares_eu.ts @@ -126,18 +126,13 @@ Interfasea: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Itxi - + Setup Failed @title @@ -437,13 +456,13 @@ %1 ezin da instalatu. Calamares ez da gai konfiguratutako modulu guztiak kargatzeko. Arazao hau banaketak Calamares erabiltzen duen eragatik da. - + <br/>The following modules could not be loaded: @info <br/> Ondorengo moduluak ezin izan dira kargatu: - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 instalatzailea zure diskoan aldaketak egitera doa %2 instalatzeko.<br/><strong>Ezingo dituzu desegin aldaketa hauek.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalatu - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Instalazioa burutu da. Itxi instalatzailea. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Hurrengoa - + &Back @button &Atzera - + &Done @button E&ginda - + &Cancel @button &Utzi - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ziur uneko instalazio prozesua bertan behera utzi nahi duzula? @@ -592,25 +592,25 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CalamaresPython::Helper - + Unknown exception type @error Salbuespen-mota ezezaguna - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Eskuz partizioak landu</strong><br/>Zure kasa sortu edo tamainaz alda dezakezu partizioak. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Aukeratu partizioa txikitzeko eta gero arrastatu azpiko-barra tamaina aldatzeko</strong> - Select storage de&vice: @@ -704,6 +694,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Aukeratu partizioa txikitzeko eta gero arrastatu azpiko-barra tamaina aldatzeko</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Eskuz partizioak landu</strong><br/>Zure kasa sortu edo tamainaz alda dezakezu partizioak. + Bootloader location: @@ -835,44 +835,44 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Garbitu muntaketa puntuak partizioak egiteko %1 -(e)an. - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Muntaketa puntu guztiak garbitu dira %1 -(e)an @@ -908,129 +908,112 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) + + Setup Failed + @title - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + Instalazioak huts egin du - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - Pakete aukeraketa - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Instalazioa amaitua - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Konputagailu honek ez du betetzen gomendatutako zenbait eskakizun %1 instalatzeko. <br/>Instalazioak jarraitu ahal du, baina zenbait ezaugarri desgaituko dira. - - - - This program will ask you some questions and set up %2 on your computer. - Konputagailuan %2 ezartzeko programa honek hainbat galdera egingo dizkizu. + + The installation of %1 is complete. + @info + %1 instalazioa amaitu da. - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to %1 setup</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the Calamares installer for %1</h1> + + Set timezone to %1/%2 + @action - - <h1>Welcome to the %1 installer</h1> - + + The system language will be set to %1. + @info + %1 ezarriko da sistemako hizkuntza bezala. - - Your username is too long. - Zure erabiltzaile-izena luzeegia da. + + The numbers and dates locale will be set to %1. + @info + Zenbaki eta daten eskualdea %1-(e)ra ezarri da. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Received invalid groups data) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - Zure ostalari-izena laburregia da. - - - - Your hostname is too long. - Zure ostalari-izena luzeegia da. - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Pasahitzak ez datoz bat! - - - - OK! - + + Package selection + Pakete aukeraketa @@ -1074,82 +1057,99 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - - Setup Failed - @title + + Your username is too long. + Zure erabiltzaile-izena luzeegia da. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Instalazioak huts egin du + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Zure ostalari-izena laburregia da. + + + + Your hostname is too long. + Zure ostalari-izena luzeegia da. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title - Instalazioa amaitua + + Your passwords do not match! + Pasahitzak ez datoz bat! - - The setup of %1 is complete. - @info + + OK! - - The installation of %1 is complete. - @info - %1 instalazioa amaitu da. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Konputagailu honek ez du betetzen gomendatutako zenbait eskakizun %1 instalatzeko. <br/>Instalazioak jarraitu ahal du, baina zenbait ezaugarri desgaituko dira. + + + + This program will ask you some questions and set up %2 on your computer. + Konputagailuan %2 ezartzeko programa honek hainbat galdera egingo dizkizu. + + + + <h1>Welcome to the Calamares setup program for %1</h1> - - The system language will be set to %1. - @info - %1 ezarriko da sistemako hizkuntza bezala. + + <h1>Welcome to %1 setup</h1> + - - The numbers and dates locale will be set to %1. - @info - Zenbaki eta daten eskualdea %1-(e)ra ezarri da. + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1474,9 +1474,14 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Gailuak <strong>%1</strong> partizio taula dauka. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + @@ -1489,14 +1494,9 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + Gailuak <strong>%1</strong> partizio taula dauka. @@ -2272,7 +2272,7 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits Pasahitzak zenbaki gutxiegi ditu + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. The password contains too few lowercase letters Pasahitzak minuskula gutxiegi ditu - - - The password contains too few non-alphanumeric characters - Pasahitzak alfabetokoak ez diren karaktere gutxiegi ditu - - - - The password is too short - Pasahitza motzegia da - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + + The password contains too few non-alphanumeric characters + Pasahitzak alfabetokoak ez diren karaktere gutxiegi ditu + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + + The password is too short + Pasahitza motzegia da + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partizioak + Unsafe partition actions are enabled. @@ -3215,33 +3227,25 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Unekoa: - - No EFI system partition configured - + + After: + @label + Ondoren: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,6 +3258,11 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3261,37 +3270,28 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partizioak - - - - Current: - @label - Unekoa: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Ondoren: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,13 +3389,13 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ProcessResult - + There was no output from the command. - + Output: @@ -3404,52 +3404,52 @@ Irteera: - + External command crashed. Kanpo-komandoak huts egin du. - + Command <i>%1</i> crashed. <i>%1</i> komandoak huts egin du. - + External command failed to start. Ezin izan da %1 kanpo-komandoa abiarazi. - + Command <i>%1</i> failed to start. Ezin izan da <i>%1</i> komandoa abiarazi. - + Internal error when starting command. Barne-akatsa komandoa abiarazterakoan. - + Bad parameters for process job call. - + External command failed to finish. Kanpo-komandoa ez da bukatu. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. Kanpo-komandoak akatsekin bukatu da. - + Command <i>%1</i> finished with exit code %2. @@ -3461,6 +3461,30 @@ Irteera: %1 (%2) %1 (%2) + + + unknown + @partition info + Ezezaguna + + + + extended + @partition info + Hedatua + + + + unformatted + @partition info + Formatugabea + + + + swap + @partition info + swap + @@ -3492,30 +3516,6 @@ Irteera: (no mount point) - - - unknown - @partition info - Ezezaguna - - - - extended - @partition info - Hedatua - - - - unformatted - @partition info - Formatugabea - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3949,17 +3949,17 @@ Irteera: Cannot disable root account. Ezin da desgaitu root kontua. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4052,7 +4052,8 @@ Irteera: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4839,11 +4840,21 @@ Irteera: What is your name? Zein da zure izena? + + + Your full name + + What name do you want to use to log in? Zein izen erabili nahi duzu saioa hastean? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4864,11 +4875,21 @@ Irteera: What is the name of this computer? Zein da ordenagailu honen izena? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4885,78 +4906,58 @@ Irteera: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Erabili pasahitz bera administratzaile kontuan. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Erabili pasahitz bera administratzaile kontuan. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4972,11 +4973,21 @@ Irteera: What is your name? Zein da zure izena? + + + Your full name + + What name do you want to use to log in? Zein izen erabili nahi duzu saioa hastean? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4997,16 +5008,6 @@ Irteera: What is the name of this computer? Zein da ordenagailu honen izena? - - - Your full name - - - - - Login name - - Computer name @@ -5042,16 +5043,6 @@ Irteera: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5072,6 +5063,16 @@ Irteera: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_fa.ts b/lang/calamares_fa.ts index 26b40bb18e..3b9aff0e5f 100644 --- a/lang/calamares_fa.ts +++ b/lang/calamares_fa.ts @@ -125,31 +125,21 @@ Interface: رابط: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. استایل های مسیر branding را بارگیری مجدد می‌کند. - - - Uploads the session log to the configured pastebin. - گزارش نشست را به pastebin تنظیم شده بارگذاری میکند. - - - - Send Session Log - ارسال گزارش نشست - Reload Stylesheet بارگزاری مجدد برگه‌شیوه - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree درخت ابزارک‌ها + + + Uploads the session log to the configured pastebin. + گزارش نشست را به pastebin تنظیم شده بارگذاری میکند. + + + + Send Session Log + ارسال گزارش نشست + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n ثانیه) + (%n ثانیه) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + The upload was unsuccessful. No web-paste was done. + + + + Install log posted to + +%1 + +Link copied to clipboard + گزارش نصب به پیوند زیر پست شد + +%1 + +پیوند در کلیپ برد رونگاری شد + + + + Install Log Paste URL + Install Log Paste URL + &Yes @@ -407,7 +430,7 @@ &بسته - + Setup Failed @title راه‌اندازی شکست خورد. @@ -437,13 +460,13 @@ %1 نمی‌تواند نصب شود. کالاماریس نمی‌تواند همه ماژول‌های پیکربندی را بالا بیاورد. این یک مشکل در نحوه استفاده کالاماریس توسط توزیع است. - + <br/>The following modules could not be loaded: @info <br/>این ماژول نمی‌تواند بالا بیاید: - + Continue with Setup? @title @@ -461,133 +484,110 @@ برنامه نصب %1 در شرف ایجاد تغییرات در دیسک شما به منظور راه‌اندازی %2 است. <br/><strong>شما قادر نخواهید بود تا این تغییرات را برگردانید.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version نصب‌کنندهٔ %1 می‌خواهد برای نصب %2 تغییراتی در دیسکتان بدهد. <br/><strong>نخواهید توانست این تغییرات را برگردانید.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &نصب - + Setup is complete. Close the setup program. @tooltip نصب انجام شد. برنامه نصب را ببندید. - + The installation is complete. Close the installer. @tooltip نصب انجام شد. نصاب را ببندید. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &بعدی - + &Back @button &پیشین - + &Done @button &انجام شد - + &Cancel @button &لغو - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Install Log Paste URL - - - - The upload was unsuccessful. No web-paste was done. - The upload was unsuccessful. No web-paste was done. - - - - Install log posted to - -%1 - -Link copied to clipboard - گزارش نصب به پیوند زیر پست شد - -%1 - -پیوند در کلیپ برد رونگاری شد - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. آیا واقعا می‌خواهید روند راه‌اندازی فعلی رو لغو کنید؟ برنامه راه اندازی ترک می شود و همه تغییرات از بین می روند. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. واقعاً می خواهید فرایند نصب فعلی را لغو کنید؟ @@ -597,25 +597,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error گونهٔ استثنای ناشناخته - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - شما می توانید پارتیشن بندی دستی ایجاد یا تغییر اندازه دهید . - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>انتخاب یک پارتیشن برای کوجک کردن و ایجاد پارتیشن جدید از آن، سپس نوار دکمه را بکشید تا تغییر اندازه دهد</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>انتخاب یک پارتیشن برای کوجک کردن و ایجاد پارتیشن جدید از آن، سپس نوار دکمه را بکشید تا تغییر اندازه دهد</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ The installer will quit and all changes will be lost. @label مبادله به پرونده + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + شما می توانید پارتیشن بندی دستی ایجاد یا تغییر اندازه دهید . + Bootloader location: @@ -840,44 +840,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 باموفقیت جدا شد. - + Successfully disabled swap %1. سوآپ %1 باموفقیت غیرفعال شد. - + Successfully cleared swap %1. سوآپ %1 باموفقیت پاک شد. - + Successfully closed mapper device %1. دستگاه مپر %1 باموفقیت بسته شد. - + Successfully disabled volume group %1. گروه حجمی %1 باموفقیت غیرفعال شد. - + Clear mounts for partitioning operations on %1 @title پاک‌سازی اتّصال‌ها برای عملبات افراز روی %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 همهٔ اتّصال‌ها برای %1 پاک‌‌سازی شدند @@ -913,129 +913,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - نصب شبکه‌ای. (از کار افتاده: پیکربندی نادرست) - - - - Network Installation. (Disabled: Received invalid groups data) - نصب شبکه‌ای. (از کار افتاده: دریافت داده‌های گروه‌های نامعتبر) - - - - Network Installation. (Disabled: Internal error) - نصب شبکه‌ای. (از کار افتاده: خطای داخلی) - - - - Network Installation. (Disabled: No package list) - نصب شبکه ای. (از کار افتاده: بدون فهرست بسته) - - - - Package selection - گزینش بسته‌ها - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - نصب شبکه‌ای. (از کار افتاده: ناتوان در گرفتن فهرست بسته‌ها. اتّصال شبکه‌تان را بررسی کنید) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + راه‌اندازی شکست خورد. - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + نصب شکست خورد - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. + + The setup of %1 did not complete successfully. + @info + برپایی %1 با موفقیت کامل نشد. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. + + The installation of %1 did not complete successfully. + @info + نصب %1 با موفقیت کامل نشد. - - This program will ask you some questions and set up %2 on your computer. - این برنامه تعدادی سوال از شما پرسیده و %2 را روی رایانه‌تان برپا می‌کند. + + Setup Complete + @title + برپایی کامل شد - - <h1>Welcome to the Calamares setup program for %1</h1> - به برنامه راه اندازی Calamares خوش آمدید برای 1٪ + + Installation Complete + @title + نصب کامل شد - - <h1>Welcome to %1 setup</h1> - <h1>به برپاسازی %1 خوش آمدید.</h1> + + The setup of %1 is complete. + @info + برپایی %1 کامل شد. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>به نصب‌کنندهٔ کالامارس برای %1 خوش آمدید.</h1> + + The installation of %1 is complete. + @info + نصب %1 کامل شد. - - <h1>Welcome to the %1 installer</h1> - <h1>به نصب‌کنندهٔ %1 خوش آمدید.</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - نام کاربریتان بیش از حد بلند است. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' بعنوان نام کاربر مجاز نیست. + + Set timezone to %1/%2 + @action + تنظیم منطقهٔ زمانی به %1/%2 - - Your username must start with a lowercase letter or underscore. - نام کاربری شما باید با یک حرف کوچک یا خط زیر شروع شود. + + The system language will be set to %1. + @info + زبان سامانه به %1 تنظیم خواهد شد. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - فقط حروف کوچک ، اعداد ، زیر خط و خط خط مجاز است. + + The numbers and dates locale will be set to %1. + @info + محلی و اعداد و تاریخ ها روی٪ 1 تنظیم می شوند. - - Your hostname is too short. - نام میزبانتان بیش از حد کوتاه است. + + Network Installation. (Disabled: Incorrect configuration) + نصب شبکه‌ای. (از کار افتاده: پیکربندی نادرست) - - Your hostname is too long. - نام میزبانتان بیش از حد بلند است. + + Network Installation. (Disabled: Received invalid groups data) + نصب شبکه‌ای. (از کار افتاده: دریافت داده‌های گروه‌های نامعتبر) - - '%1' is not allowed as hostname. - '%1' بعنوان نام میزبان مجاز نیست. + + Network Installation. (Disabled: Internal error) + نصب شبکه‌ای. (از کار افتاده: خطای داخلی) - - Only letters, numbers, underscore and hyphen are allowed. - فقط حروف ، اعداد ، زیر خط و خط خط مجاز است. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + نصب شبکه‌ای. (از کار افتاده: ناتوان در گرفتن فهرست بسته‌ها. اتّصال شبکه‌تان را بررسی کنید) - - Your passwords do not match! - گذرواژه‌هایتان مطابق نیستند! + + Network Installation. (Disabled: No package list) + نصب شبکه ای. (از کار افتاده: بدون فهرست بسته) - - OK! - باشه! + + Package selection + گزینش بسته‌ها @@ -1063,98 +1046,115 @@ The installer will quit and all changes will be lost. هیچ کدام - - Summary - @label - خلاصه + + Summary + @label + خلاصه + + + + This is an overview of what will happen once you start the setup procedure. + این یک بررسی از مواردی که بعد از اینکه برپایی را شروع کنید، انجام می شوند است. + + + + This is an overview of what will happen once you start the install procedure. + این یک بررسی از مواردی که بعد از اینکه نصب را شروع کنید، انجام می شوند است. + + + + Your username is too long. + نام کاربریتان بیش از حد بلند است. + + + + Your username must start with a lowercase letter or underscore. + نام کاربری شما باید با یک حرف کوچک یا خط زیر شروع شود. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + فقط حروف کوچک ، اعداد ، زیر خط و خط خط مجاز است. + + + + '%1' is not allowed as username. + '%1' بعنوان نام کاربر مجاز نیست. - - This is an overview of what will happen once you start the setup procedure. - این یک بررسی از مواردی که بعد از اینکه برپایی را شروع کنید، انجام می شوند است. + + Your hostname is too short. + نام میزبانتان بیش از حد کوتاه است. - - This is an overview of what will happen once you start the install procedure. - این یک بررسی از مواردی که بعد از اینکه نصب را شروع کنید، انجام می شوند است. + + Your hostname is too long. + نام میزبانتان بیش از حد بلند است. - - Setup Failed - @title - راه‌اندازی شکست خورد. + + '%1' is not allowed as hostname. + '%1' بعنوان نام میزبان مجاز نیست. - - Installation Failed - @title - نصب شکست خورد + + Only letters, numbers, underscore and hyphen are allowed. + فقط حروف ، اعداد ، زیر خط و خط خط مجاز است. - - The setup of %1 did not complete successfully. - @info - برپایی %1 با موفقیت کامل نشد. + + Your passwords do not match! + گذرواژه‌هایتان مطابق نیستند! - - The installation of %1 did not complete successfully. - @info - نصب %1 با موفقیت کامل نشد. + + OK! + باشه! - - Setup Complete - @title - برپایی کامل شد + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - نصب کامل شد + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - برپایی %1 کامل شد. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - - The installation of %1 is complete. - @info - نصب %1 کامل شد. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + این برنامه تعدادی سوال از شما پرسیده و %2 را روی رایانه‌تان برپا می‌کند. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + به برنامه راه اندازی Calamares خوش آمدید برای 1٪ - - Set timezone to %1/%2 - @action - تنظیم منطقهٔ زمانی به %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>به برپاسازی %1 خوش آمدید.</h1> - - The system language will be set to %1. - @info - زبان سامانه به %1 تنظیم خواهد شد. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>به نصب‌کنندهٔ کالامارس برای %1 خوش آمدید.</h1> - - The numbers and dates locale will be set to %1. - @info - محلی و اعداد و تاریخ ها روی٪ 1 تنظیم می شوند. + + <h1>Welcome to the %1 installer</h1> + <h1>به نصب‌کنندهٔ %1 خوش آمدید.</h1> @@ -1479,9 +1479,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - این افزاره یک جدول افراز <strong>%1</strong> دارد. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + این نوع جدول پارتیشن بندی فقط در سیستم های قدیمی که از محیط راه اندازی BIOS شروع می شوند توصیه می شود. GPT در بیشتر موارد دیگر توصیه می شود. هشدار: جدول پارتیشن MBR یک استاندارد منسوخ شده دوره MS-DOS است. فقط 4 پارتیشن اصلی ممکن است ایجاد شود و از این 4 پارتیشن می تواند یک پارتیشن توسعه یافته باشد ، که ممکن است به نوبه خود شامل بسیاری از موارد منطقی باشد پارتیشن بندی + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + این نوع جدول پارتیشن بندی توصیه شده برای سیستم های مدرن است که از محیط راه اندازی EFI شروع می شود. @@ -1494,14 +1499,9 @@ The installer will quit and all changes will be lost. این نصب کننده نمی تواند یک جدول پارتیشن را در دستگاه ذخیره سازی انتخاب شده تشخیص دهد. دستگاه یا جدول پارتیشن بندی ندارد ، یا جدول پارتیشن خراب است یا از نوع ناشناخته ای است. این نصب کننده می تواند یک جدول پارتیشن جدید برای شما ایجاد کند ، یا به صورت خودکار یا از طریق صفحه پارتیشن بندی دستی. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - این نوع جدول پارتیشن بندی توصیه شده برای سیستم های مدرن است که از محیط راه اندازی EFI شروع می شود. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - این نوع جدول پارتیشن بندی فقط در سیستم های قدیمی که از محیط راه اندازی BIOS شروع می شوند توصیه می شود. GPT در بیشتر موارد دیگر توصیه می شود. هشدار: جدول پارتیشن MBR یک استاندارد منسوخ شده دوره MS-DOS است. فقط 4 پارتیشن اصلی ممکن است ایجاد شود و از این 4 پارتیشن می تواند یک پارتیشن توسعه یافته باشد ، که ممکن است به نوبه خود شامل بسیاری از موارد منطقی باشد پارتیشن بندی + + This device has a <strong>%1</strong> partition table. + این افزاره یک جدول افراز <strong>%1</strong> دارد. @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit خروج @@ -2447,6 +2447,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment میزکار + + + Applications + برنامه‌های کاربردی + Communication @@ -2495,11 +2500,6 @@ The installer will quit and all changes will be lost. label for netinstall module ابزارها - - - Applications - برنامه‌های کاربردی - NotesQmlViewStep @@ -2672,11 +2672,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form گذرواژه شکلی از واژگان ممنوعه را دارد + + + The password contains fewer than %n digits + + گذرواژه حاوی کمتر از %n عدد است + گذرواژه حاوی کمتر از %n عدد است + + The password contains too few digits گذرواژه، رقم‌های خیلی کمی دارد + + + The password contains fewer than %n uppercase letters + + گذرواژه حاوی کمتر از %n حرف بزرگ است + گذرواژه حاوی کمتر از %n حرف بزرگ است + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters گذرواژه حاوی حروف کوچک بسیار کمی است - - - The password contains too few non-alphanumeric characters - گذرواژه حاوی بیش از حد نویسه غیر الفبا است - - - - The password is too short - گذرواژه خیلی کوتاه است - - - - The password does not contain enough character classes - کلمه عبور شامل شکل های کافی نیست. - - - - The password contains too many same characters consecutively - گذرواژه حاوی بیش از حد نویسه های پی در پی است - - - - The password contains too many characters of the same class consecutively - رمز ورود به صورت پی در پی حاوی نویسه های زیادی از همان کلاس است - - - - The password contains fewer than %n digits - - گذرواژه حاوی کمتر از %n عدد است - گذرواژه حاوی کمتر از %n عدد است - - - - - The password contains fewer than %n uppercase letters - - گذرواژه حاوی کمتر از %n حرف بزرگ است - گذرواژه حاوی کمتر از %n حرف بزرگ است - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. گذرواژه حاوی کمتر از %n نویسه غیرالفبا است + + + The password contains too few non-alphanumeric characters + گذرواژه حاوی بیش از حد نویسه غیر الفبا است + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ The installer will quit and all changes will be lost. گذرواژه کوتاه تر از %n نویسه است + + + The password is too short + گذرواژه خیلی کوتاه است + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ The installer will quit and all changes will be lost. گذرواژه حاوی کمتر از %n کلاس نویسه است + + + The password does not contain enough character classes + کلمه عبور شامل شکل های کافی نیست. + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ The installer will quit and all changes will be lost. گذرواژه حاوی بیش از %n نویسه پی در پی است + + + The password contains too many same characters consecutively + گذرواژه حاوی بیش از حد نویسه های پی در پی است + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ The installer will quit and all changes will be lost. گذرواژه حاوی بیش از%n نویسه پی در پی از همان کلاس است + + + The password contains too many characters of the same class consecutively + رمز ورود به صورت پی در پی حاوی نویسه های زیادی از همان کلاس است + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + افرازها + Unsafe partition actions are enabled. @@ -3220,35 +3232,27 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - هیچ پارتیشن سیستم EFI پیکربندی نشده است - - - - EFI system partition configured incorrectly - افراز سامانه EFI به نادرستی تنظیم شده است + + Current: + @label + فعلی: + + + + After: + @label + بعد از: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. یک افراز سامانه EFI نیازمندست که از %1 شروع شود.<br/><br/>برای تنظیم یک افراز سامانه EFI، به عقب بازگشته و یک سامانه پرونده مناسب انتخاب یا ایجاد کنید. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3259,6 +3263,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. سامانه پرونده باید دارای نوع FAT32 باشد. + + + The filesystem must have flag <strong>%1</strong> set. + سامانه پرونده باید پرچم <strong>%1</strong> را دارا باشد. + @@ -3266,38 +3275,29 @@ The installer will quit and all changes will be lost. سامانه پرونده حداقل باید دارای %1مبی‌بایت حجم باشد. - - The filesystem must have flag <strong>%1</strong> set. - سامانه پرونده باید پرچم <strong>%1</strong> را دارا باشد. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - افرازها + + You can continue without setting up an EFI system partition but your system may fail to start. + شما میتوانید بدون برپاکردن افراز سامانه EFI ادامه دهید ولی ممکن است سامانه برای شروع با مشکل مواجه شود. - - Current: - @label - فعلی: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - بعد از: + + No EFI system partition configured + هیچ پارتیشن سیستم EFI پیکربندی نشده است - - You can continue without setting up an EFI system partition but your system may fail to start. - شما میتوانید بدون برپاکردن افراز سامانه EFI ادامه دهید ولی ممکن است سامانه برای شروع با مشکل مواجه شود. + + EFI system partition configured incorrectly + افراز سامانه EFI به نادرستی تنظیم شده است @@ -3394,65 +3394,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. output هیچ خروجی از دستور نبود. - + Output: خروجی - + External command crashed. فرمان خارجی خراب شد. - + Command <i>%1</i> crashed. دستور <i>%1</i> شکست خورد. - + External command failed to start. دستور خارجی شروع نشد. - + Command <i>%1</i> failed to start. دستور <i>%1</i> برای شروع شکست خورد. - + Internal error when starting command. خطای داخلی هنگام شروع دستور. - + Bad parameters for process job call. پارامترهای نامناسب برای صدا زدن کار پردازش شده است - + External command failed to finish. فرمان خارجی به پایان نرسید. - + Command <i>%1</i> failed to finish in %2 seconds. دستور <i>%1</i> برای اتمام در %2 ثانیه شکست خورد. - + External command finished with errors. دستور خارجی با خطا به پایان رسید. - + Command <i>%1</i> finished with exit code %2. دستور <i>%1</i> با کد خروج %2 به پایان رسید. @@ -3464,6 +3464,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + ناشناخته + + + + extended + @partition info + گسترده + + + + unformatted + @partition info + قالب‌بندی نشده + + + + swap + @partition info + مبادله + @@ -3495,30 +3519,6 @@ Output: (no mount point) (بدون نقطهٔ اتّصال) - - - unknown - @partition info - ناشناخته - - - - extended - @partition info - گسترده - - - - unformatted - @partition info - قالب‌بندی نشده - - - - swap - @partition info - مبادله - Unpartitioned space or unknown partition table @@ -3955,17 +3955,17 @@ Output: Cannot disable root account. حساب ریشه را نمیتوان غیرفعال کرد. - - - Cannot set password for user %1. - نمی‌توان برای کاربر %1 گذرواژه تنظیم کرد. - usermod terminated with error code %1. usermod با خطای %1 پایان یافت. + + + Cannot set password for user %1. + نمی‌توان برای کاربر %1 گذرواژه تنظیم کرد. + SetTimezoneJob @@ -4058,7 +4058,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 از %L2 @@ -4853,11 +4854,21 @@ Output: What is your name? نامتان چیست؟ + + + Your full name + + What name do you want to use to log in? برای ورود می خواهید از چه نامی استفاده کنید؟ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4878,11 +4889,21 @@ Output: What is the name of this computer? نام این رایانه چیست؟ + + + Computer name + + This name will be used if you make the computer visible to others on a network. اگر رایانه‌تان را روی یک شبکه برای دیگران نمایان کنید، از این نام استفاده می‌شود. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + حداقل دو حرف و فقط حروف، اعداد، زیرخط و خط تیره مجاز هستند. + localhost is not allowed as hostname. @@ -4898,11 +4919,31 @@ Output: Password گذرواژه + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. رمز ورود یکسان را دو بار وارد کنید ، تا بتوان آن را از نظر اشتباه تایپ بررسی کرد. یک رمز ورود خوب شامل ترکیبی از حروف ، اعداد و علائم نگارشی است ، باید حداقل هشت حرف داشته باشد و باید در فواصل منظم تغییر یابد. + + + Reuse user password as root password + استفاده گذرواژه کاربر بعنوان گذرواژه روت + + + + Use the same password for the administrator account. + استفاده از گذرواژهٔ یکسان برای حساب مدیر. + + + + Choose a root password to keep your account safe. + برای امن نگه داشتن حسابتان، گذرواژه روت ای برگزینید. + Root password @@ -4914,14 +4955,9 @@ Output: - - Validate passwords quality - اعتبارسنجی کیفیت گذرواژه - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - وقتی این کادر علامت گذاری شد ، بررسی قدرت رمز عبور انجام می شود و دیگر نمی توانید از رمز عبور ضعیف استفاده کنید. + + Enter the same password twice, so that it can be checked for typing errors. + همان گذرواژه را دوباره وارد کنید تا بتواند برای خطاهای نوشتاری بررسی شود. @@ -4929,49 +4965,14 @@ Output: ورود خودکار بدون پرسیدن گذرواژه - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - حداقل دو حرف و فقط حروف، اعداد، زیرخط و خط تیره مجاز هستند. - - - - Repeat password - - - - - Reuse user password as root password - استفاده گذرواژه کاربر بعنوان گذرواژه روت - - - - Use the same password for the administrator account. - استفاده از گذرواژهٔ یکسان برای حساب مدیر. - - - - Choose a root password to keep your account safe. - برای امن نگه داشتن حسابتان، گذرواژه روت ای برگزینید. + + Validate passwords quality + اعتبارسنجی کیفیت گذرواژه - - Enter the same password twice, so that it can be checked for typing errors. - همان گذرواژه را دوباره وارد کنید تا بتواند برای خطاهای نوشتاری بررسی شود. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + وقتی این کادر علامت گذاری شد ، بررسی قدرت رمز عبور انجام می شود و دیگر نمی توانید از رمز عبور ضعیف استفاده کنید. @@ -4986,11 +4987,21 @@ Output: What is your name? نامتان چیست؟ + + + Your full name + + What name do you want to use to log in? برای ورود می خواهید از چه نامی استفاده کنید؟ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5011,16 +5022,6 @@ Output: What is the name of this computer? نام این رایانه چیست؟ - - - Your full name - - - - - Login name - - Computer name @@ -5056,16 +5057,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5086,6 +5077,16 @@ Output: Choose a root password to keep your account safe. برای امن نگه داشتن حسابتان، گذرواژه روت ای برگزینید. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_fi_FI.ts b/lang/calamares_fi_FI.ts index 45fa48d0f3..208c0b265e 100644 --- a/lang/calamares_fi_FI.ts +++ b/lang/calamares_fi_FI.ts @@ -6,12 +6,12 @@ <h1>%1</h1><br/><strong>%2<br/> for %3</strong><br/><br/> - <h1>%1</h1><br/><strong>%2<br/> on %3</strong><br/><br/> + <h1>%1</h1><br/><strong>%2<br/> %3</strong><br/><br/> Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://app.transifex.com/calamares/calamares/">Calamares translators team</a>. - Kiitos <a href="https://calamares.io/team/">Calamares tiimille</a> ja <a href="https://app.transifex.com/calamares/calamares/">Calamaresin kääntäjille</a>. + Kiitos <a href="https://calamares.io/team/">Calamares tiimille</a> ja <a href="https://app.transifex.com/calamares/calamares/">Calamares kääntäjille</a>. @@ -39,17 +39,17 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - Järjestelmän <strong>käynnistysympäristö.</strong> <br><br>Vanhemmat x86 tukevat vain <strong>BIOS</strong> käynnistystapaa.<br>Uudet koneet tukevat yleensä <strong>EFI</strong> käynnistystapaa, mutta voivat näkyä bios-moodissa, jos käynnistetään yhteensopivuustilassa. + Järjestelmän <strong>käynnistysympäristö.</strong> <br><br>Vanhemmat x86 tukevat <strong>BIOS</strong> käynnistystapaa.<br>Uudemmat koneet tukevat <strong>EFI</strong> käynnistystä, mutta voivat toimia BIOS-moodissa, jos käynnistetään yhteensopivuustilassa. This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - Tämä tietokone käynnistettiin <strong>EFI</strong> ympäristössä.<br><br>Jos haluat määrittää EFI:n, asennusohjelman on asennettava käynnistyslataaja, kuten <strong>GRUB</strong> tai <strong>systemd-boot</strong>, <strong>EFI-osio</strong> . Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on valittava se itse. + Tämä tietokone käynnistettiin <strong>EFI</strong> ympäristössä.<br><br>Jos haluat määrittää EFI:n niin asennusohjelman on asennettava käynnistyslataaja, kuten <strong>GRUB</strong> tai <strong>systemd-boot</strong>, <strong>EFI-osio</strong> . Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on tehtävä valinnat itse. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - Tämä tietokone käynnistettiin <strong>BIOS</strong> ympäristössä.<br><br>Jos haluat määrittää käynnistämisen BIOS:in asennusohjelman on asennettava käynnistyslaataaja, kuten<strong>GRUB</strong>, osion alkuun tai <strong>Master Boot Record</strong> osiotaulun alukuun (suositus). Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on valittava se itse. + Tämä tietokone käynnistettiin <strong>BIOS</strong> ympäristössä.<br><br>Jos haluat määrittää käynnistyksen BIOS:lla niin asennusohjelman on asennettava käynnistyslaataaja, kuten<strong>GRUB</strong>, osion alkuun tai <strong>Master Boot Record</strong> osiotaulun alukuun (suositus). Tämä on automaattista, ellet valitse manuaalista osiointia, jolloin sinun on tehtävä valinnat itse. @@ -125,31 +125,21 @@ Interface: Käyttöliittymä: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Kaada Calamares, jotta tohtori Konqui voi katsoa sitä. + Reloads the stylesheet from the branding directory. Lataa tyylisivu tuotemerkin kansiosta uudelleen. - - - Uploads the session log to the configured pastebin. - Lataa istunnon loki määritettyyn pastebiniin. - - - - Send Session Log - Lähetä istunnon loki - Reload Stylesheet Virkistä tyylisivu - - - Crashes Calamares, so that Dr. Konqi can look at it. - Kaada Calamares, jotta tohtori Konqui voi katsoa sitä. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -158,7 +148,17 @@ Widget Tree - Widgettipuu + Sovelmapuu + + + + Uploads the session log to the configured pastebin. + Lataa istuntolokin määritettyyn pastebiniin. + + + + Send Session Log + Lähetä istuntoloki @@ -378,7 +378,7 @@ (%n second(s)) @status - (%n sekuntia) + (%n sekunti) (%n sekuntia) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Lähettäminen epäonnistui. Lähetystä verkkoon ei tehty. + + + + Install log posted to + +%1 + +Link copied to clipboard + Asennusloki on lähetetty + +%1 + +Linkki kopioitu leikepöydälle + + + + Install Log Paste URL + Asenna "Log Paste" verkko-osoite + &Yes @@ -407,7 +430,7 @@ &Sulje - + Setup Failed @title Asennus epäonnistui @@ -434,16 +457,16 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. @info - %1 ei voi asentaa. Calamares ei voinut ladata kaikkia määritettyjä moduuleja. Tämä on ongelma tavassa, jolla jakelu Calamaresia käyttää. + %1 ei voi asentaa. Calamares ei voinut ladata kaikkia määritettyjä moduuleja. Ongelma on siinä, miten jakelu käyttää Calamaresia. - + <br/>The following modules could not be loaded: @info <br/>Seuraavia moduuleja ei voitu ladata: - + Continue with Setup? @title Jatketaanko määritystä? @@ -461,133 +484,110 @@ Asennusohjelma %1 on tekemässä muutoksia levylle määrittääkseen %2.<br/><strong>Näitä muutoksia ei voi kumota.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Asennusohjelma %1 on tekemässä muutoksia levylle asentaakseen %2.<br/><strong>Näitä muutoksia ei voi kumota.</strong> - + &Set Up Now @button &Määritä nyt - + &Install Now @button &Asenna nyt - + Go &Back @button Palaa &takaisin - + &Set Up @button &Määritä - + &Install @button &Asenna - + Setup is complete. Close the setup program. @tooltip - Asennus on valmis. Sulje asennusohjelma. + Määritys on valmis. Sulje määritysohjelma. - + The installation is complete. Close the installer. @tooltip Asennus on valmis. Sulje asennusohjelma. - + Cancel the setup process without changing the system. @tooltip Peruuta määrittäminen muuttamatta järjestelmää. - + Cancel the installation process without changing the system. @tooltip Peruuta asennus tekemättä muutoksia järjestelmään. - + &Next @button &Seuraava - + &Back @button &Takaisin - + &Done @button &Valmis - + &Cancel @button &Peruuta - + Cancel Setup? @title Perutaanko määritys? - + Cancel Installation? @title Perutaanko asennus? - - Install Log Paste URL - Asenna lokiliitoksen URL-osoite - - - - The upload was unsuccessful. No web-paste was done. - Lähettäminen epäonnistui. Verkko-liittämistä ei tehty. - - - - Install log posted to - -%1 - -Link copied to clipboard - Asennusloki on lähetetty - -%1 - -Linkki kopioitu leikepöydälle - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Haluatko todella peruuttaa asennuksen? Asennusohjelma lopetetaan ja kaikki muutokset menetetään. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Haluatko todella peruuttaa käynnissä olevan asennusprosessin? @@ -597,25 +597,25 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. CalamaresPython::Helper - + Unknown exception type @error Tuntematon poikkeustyyppi - + Unparseable Python error @error Python virhe, jota ei voi jäsentää - + Unparseable Python traceback @error Python jäljitys, jota ei voi jäsentää - + Unfetchable Python error @error Python virhe, jota ei voi hakea @@ -631,7 +631,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. %1 Installer - %1 asentaja + %1 asennusohjelma @@ -659,7 +659,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. The installer failed to update partition table on disk '%1'. @info - Asennusohjelman epäonnistui päivittää osio levyllä '%1'. + Asennusohjelman epäonnistui päivittää osiotaulun levyllä "%1". @@ -672,16 +672,6 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuaalinen osiointi </strong><br/>Voit luoda tai muuttaa osioita itse. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Valitse supistettava osio ja säädä alarivillä kokoa vetämällä</strong> - Select storage de&vice: @@ -695,7 +685,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Current: @label - Nykyinen: + Nyt: @@ -707,7 +697,12 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Reuse %1 as home partition for %2 @label - Käytä %1 uudelleen kotiosiona %2:lle. {1 ?} {2?} + Käytä uudelleen %1 kotiosiona %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Valitse supistettava osio ja säädä alarivillä kokoa vetämällä</strong> @@ -750,7 +745,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - <strong>Tyhjennä levy</strong><br/>Tämä tulee<font color="red">poistamaan</font> kaikki tiedot valitusta kiintolevystä. + <strong>Tyhjennä kiintolevy</strong><br/>Tämä <font color="red">poistaa</font> kaikki tiedot valitusta kiintolevystä. @@ -786,7 +781,7 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. This storage device already has an operating system on it, but the partition table <strong>%1</strong> is different from the needed <strong>%2</strong>.<br/> - Kiintolevyllä on jo käyttöjärjestelmä, mutta osiotaulukko <strong>%1</strong> on erilainen kuin tarvitaan <strong>%2</strong>.<br/> + Kiintolevyllä on jo käyttöjärjestelmä, mutta osiotaulu <strong>%1</strong> on erilainen kuin tarvitaan <strong>%2</strong>.<br/> @@ -830,6 +825,11 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. @label Swap tiedostona + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuaalinen osiointi </strong><br/>Voit luoda tai muuttaa osioita itse. + Bootloader location: @@ -840,44 +840,44 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. ClearMountsJob - + Successfully unmounted %1. Poistettu %1 onnistuneesti. - + Successfully disabled swap %1. Poistettu käytöstä swap %1. - + Successfully cleared swap %1. Tyhjennetty swap %1. - + Successfully closed mapper device %1. Suljettu laitekartoitus %1. - + Successfully disabled volume group %1. Poistettu käytöstä taltioryhmä %1. - + Clear mounts for partitioning operations on %1 @title Poista kiinnitykset osiointia varten kohteessa %1 - + Clearing mounts for partitioning operations on %1… @status - Poistetaan kiinnityksiä osiointia varten kohteessa %1. {1…?} + Tyhjennetään liitokset osiointia varten %1... - + Cleared all mounts for %1 Poistettiin kaikki kiinnitykset kohteelle %1 @@ -913,132 +913,112 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Config - - Network Installation. (Disabled: Incorrect configuration) - Verkko asennus. (Ei käytössä: virheellinen määritys) - - - - Network Installation. (Disabled: Received invalid groups data) - Verkkoasennus. (Ei käytössä: Vastaanotettiin virheellisiä ryhmän tietoja) - - - - Network Installation. (Disabled: Internal error) - Verkon asennus (Poistettu käytöstä: sisäinen virhe) - - - - Network Installation. (Disabled: No package list) - Verkon asennus (Poistettu käytöstä: ei pakettien listaa) - - - - Package selection - Paketin valinta - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Verkkoasennus. (Ei käytössä: Pakettiluetteloita ei voi hakea, tarkista verkkoyhteys) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Tämä tietokone ei täytä minimivaatimuksia %1 määrittämiseen. -<br/>Asennusta ei voi jatkaa. + + Setup Failed + @title + Asennus epäonnistui - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Tämä tietokone ei täytä minimivaatimuksia %1 asentamiseen. -<br/>Asennusta ei voi jatkaa. + + Installation Failed + @title + Asentaminen epäonnistui - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/>Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. + + The setup of %1 did not complete successfully. + @info + Määrityksen %1 asennus ei onnistunut. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1. -Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. + + The installation of %1 did not complete successfully. + @info + Asennus %1 ei onnistunut. - - This program will ask you some questions and set up %2 on your computer. - Tämä ohjelma kysyy joitakin kysymyksiä liittyen järjestelmään %2 ja asentaa sen tietokoneeseen. + + Setup Complete + @title + Asennus valmis - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Tervetuloa Calamares-asennusohjelmaan %1</h1> + + Installation Complete + @title + Asennus valmis - - <h1>Welcome to %1 setup</h1> - <h1>Tervetuloa %1 asennukseen</h1> + + The setup of %1 is complete. + @info + Asennus %1 on valmis. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Tervetuloa Calamares-asentajaan %1</h1> + + The installation of %1 is complete. + @info + Asennus %1 on valmis. - - <h1>Welcome to the %1 installer</h1> - <h1>Tervetuloa %1-asentajaan</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Näppäimistöksi on asetettu %1<br/>. - - Your username is too long. - Käyttäjänimesi on liian pitkä. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Näppäimistön asettelu asetettu %1/%2. - - '%1' is not allowed as username. - Käyttäjänimessä '%1' ei ole sallittu. + + Set timezone to %1/%2 + @action + Aseta aikavyöhykkeeksi %1/%2 - - Your username must start with a lowercase letter or underscore. - Sinun käyttäjänimi täytyy alkaa pienellä kirjaimella tai alaviivalla. + + The system language will be set to %1. + @info + Järjestelmän kielen asetuksena on %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Vain pienet kirjaimet, numerot, alaviivat ja tavuviivat ovat sallittuja. + + The numbers and dates locale will be set to %1. + @info + Numerot ja päivämäärät, paikallinen asetus on %1. - - Your hostname is too short. - Koneen nimi on liian lyhyt. + + Network Installation. (Disabled: Incorrect configuration) + Verkko asennus. (Ei käytössä: virheellinen määritys) - - Your hostname is too long. - Koneen nimi on liian pitkä. + + Network Installation. (Disabled: Received invalid groups data) + Verkkoasennus. (Ei käytössä: Vastaanotettiin virheellisiä ryhmän tietoja) - - '%1' is not allowed as hostname. - Koneen nimessä '%1' ei ole sallittu. + + Network Installation. (Disabled: Internal error) + Verkon asennus (Poistettu käytöstä: sisäinen virhe) - - Only letters, numbers, underscore and hyphen are allowed. - Vain kirjaimet, numerot, alaviivat ja tavuviivat ovat sallittuja. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Verkkoasennus. (Ei käytössä: Pakettiluetteloita ei voi hakea, tarkista verkkoyhteys) - - Your passwords do not match! - Salasanasi eivät täsmää! + + Network Installation. (Disabled: No package list) + Verkon asennus (Poistettu käytöstä: ei pakettien listaa) - - OK! - OK! + + Package selection + Paketin valinta @@ -1061,103 +1041,123 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Asennuksen vaihtoehto: <strong>%1</strong> - - None - Ei käytössä + + None + Ei käytössä + + + + Summary + @label + Yhteenveto + + + + This is an overview of what will happen once you start the setup procedure. + Tämä on yleiskuva siitä, mitä tapahtuu, kun asennusohjelma käynnistetään. + + + + This is an overview of what will happen once you start the install procedure. + Tämä on yleiskuva siitä, mitä tapahtuu asennuksen aloittamisen jälkeen. + + + + Your username is too long. + Käyttäjänimesi on liian pitkä. + + + + Your username must start with a lowercase letter or underscore. + Sinun käyttäjänimi täytyy alkaa pienellä kirjaimella tai alaviivalla. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Vain pienet kirjaimet, numerot, alaviivat ja tavuviivat ovat sallittuja. - - Summary - @label - Yhteenveto + + '%1' is not allowed as username. + Käyttäjänimessä '%1' ei ole sallittu. - - This is an overview of what will happen once you start the setup procedure. - Tämä on yleiskuva siitä, mitä tapahtuu, kun asennusohjelma käynnistetään. + + Your hostname is too short. + Koneen nimi on liian lyhyt. - - This is an overview of what will happen once you start the install procedure. - Tämä on yleiskuva siitä, mitä tapahtuu asennuksen aloittamisen jälkeen. + + Your hostname is too long. + Koneen nimi on liian pitkä. - - Setup Failed - @title - Asennus epäonnistui + + '%1' is not allowed as hostname. + Koneen nimessä '%1' ei ole sallittu. - - Installation Failed - @title - Asentaminen epäonnistui + + Only letters, numbers, underscore and hyphen are allowed. + Vain kirjaimet, numerot, alaviivat ja tavuviivat ovat sallittuja. - - The setup of %1 did not complete successfully. - @info - Määrityksen %1 asennus ei onnistunut. + + Your passwords do not match! + Salasanasi eivät täsmää! - - The installation of %1 did not complete successfully. - @info - Asennus %1 ei onnistunut. + + OK! + OK! - - Setup Complete - @title - Asennus valmis + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Tämä tietokone ei täytä minimivaatimuksia %1 määrittämiseen. +<br/>Asennusta ei voi jatkaa. - - Installation Complete - @title - Asennus valmis + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Tämä tietokone ei täytä minimivaatimuksia %1 asentamiseen. +<br/>Asennusta ei voi jatkaa. - - The setup of %1 is complete. - @info - Asennus %1 on valmis. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/>Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - - The installation of %1 is complete. - @info - Asennus %1 on valmis. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1. +Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Näppäimistöksi on asetettu %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Tämä ohjelma kysyy joitakin kysymyksiä liittyen %2 ja asentaa sen tietokoneelle. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Näppäimistön asettelu asetettu %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Tervetuloa Calamares-asennusohjelmaan %1</h1> - - Set timezone to %1/%2 - @action - Aseta aikavyöhykkeeksi %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Tervetuloa %1 asennukseen</h1> - - The system language will be set to %1. - @info - Järjestelmän kielen asetuksena on %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Tervetuloa Calamares asennusohjelmaan %1</h1> - - The numbers and dates locale will be set to %1. - @info - Numerot ja päivämäärät, paikallinen asetus on %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Tervetuloa %1 asennusohjelmaan</h1> @@ -1229,7 +1229,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. FS Label: - Tiedostojärjestelmän nimike: + Nimike: @@ -1274,7 +1274,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Create new %1MiB partition on %3 (%2) with entries %4 @title - Luo uusi %1MiB osio kohteeseen %3 (%2), jossa on %4. {1M?} {3 ?} {2)?} {4?} + Luo uusi %1MiB osio kohteeseen %3 (%2), jossa on %4 @@ -1311,13 +1311,13 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Creating new %1 partition on %2… @status - Luodaan uutta %1-osiota kohteessa %2. {1 ?} {2…?} + Luodaan uutta %1 osiota %2... The installer failed to create partition on disk '%1'. @info - Asennusohjelma epäonnistui osion luonnissa asemalle '%1'. + Asennusohjelma epäonnistui osion luomisessa levylle "%1". @@ -1325,17 +1325,17 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Create Partition Table - Luo osiotaulukko + Luo osiotaulu Creating a new partition table will delete all existing data on the disk. - Uuden osiotaulukon luominen poistaa kaikki olemassa olevat tiedostot asemalta. + Uuden osiotaulun luominen poistaa kaikki olemassa olevat tiedot asemalta. What kind of partition table do you want to create? - Minkälaisen osiotaulukon haluat luoda? + Minkälaisen osiotaulun haluat luoda? @@ -1345,7 +1345,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. GUID Partition Table (GPT) - GUID-osiotaulukko (GPT) + GUID osiotaulu (GPT) @@ -1355,18 +1355,18 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Creating new %1 partition table on %2… @status - Luodaan uutta %1 osiota kohteessa %2. {1 ?} {2…?} + Luodaan uutta %1 osiotaulua %2... Creating new <strong>%1</strong> partition table on <strong>%2</strong> (%3)… @status - Luo uusi <strong>%1</strong> osiotaulukko kohteessa <strong>%2</strong> (%3)… + Luo uusi <strong>%1</strong> osiotaulu kohteessa <strong>%2</strong> (%3)… The installer failed to create a partition table on %1. - Asennusohjelma epäonnistui osiotaulukon luonnissa kohteeseen %1. + Asennusohjelma epäonnistui osiotaulun luomisessa %1. @@ -1423,18 +1423,18 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Creating new volume group named %1… @status - Luodaan uusi aseman ryhmä nimellä %1. {1…?} + Luodaan uutta taltioryhmää nimeltä %1… Creating new volume group named <strong>%1</strong>… @status - Luo uusi aseman ryhmä nimellä <strong>%1</strong>… + Luodaan uutta taltioryhmää nimeltä <strong>%1</strong>… The installer failed to create a volume group named '%1'. - Asennusohjelma ei voinut luoda aseman ryhmää nimellä '%1'. + Asennusohjelma ei voinut luoda taltioryhmää nimellä "%1". @@ -1455,7 +1455,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. The installer failed to deactivate a volume group named %1. - Asennusohjelma ei pystynyt poistamaan levyryhmää nimellä %1. + Asennusohjelma ei pystynyt poistamaan taltioryhmää nimellä %1. @@ -1465,7 +1465,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Deleting partition %1… @status - Poistetaan osiota %1. {1…?} + Poistetaan osiota %1... @@ -1476,40 +1476,40 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. The installer failed to delete partition %1. - Asennusohjelma epäonnistui osion %1 poistossa. + Asennusohjelma epäonnistui osion %1 poistamisessa. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Tässälaitteessa on <strong>%1</strong> osion taulukko. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Tämä osiotaulun tyyppi on suositeltava vain vanhemmissa tietokoneissa, jotka käyttävät <strong>BIOS</strong> käynnistysympäristöä. GPT suositellaan useimmissa muissa tapauksissa.<br><br><strong>Varoitus:</strong>MBR-taulu on vanhentunut MS-DOS-standardi.<br>Vain 4 <em>ensisijaisia</em> osioita voidaan luoda ja yksi niistä voi olla <em>laajennettu</em> osio, joka voi puolestaan sisältää monia <em>loogisia</em> osioita. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Suositeltava osiotaulun tyyppi nykyaikaisille tietokoneelle, joka käyttää <strong>EFI</strong> käynnistysympäristöä. This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. - Tämä <strong>loop</strong> -laite.<br><br>Se on pseudo-laite, jossa ei ole osio-taulukkoa ja joka tekee tiedostosta lohkotun aseman. Tällainen asennus sisältää yleensä vain yhden tiedostojärjestelmän. + Tämä on <strong>loop-laite</strong> .<br><br>Se on pseudo-device, jossa ei ole osiotaulua ja joka tekee tiedostosta lohkotun aseman. Asennus sisältää yleensä vain yhden tiedostojärjestelmän. This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - Asentaja <strong>ei tunnista osiotaulukkoa</strong> valitussa kiintolevyssä.<br><br>Joko ei ole osiotaulukkoa, taulukko on vioittunut tai tuntematon.<br>Asentaja voi tehdä uuden osiotaulukon automaattisesti tai voit tehdä sen käsin. - - - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Tämä on suositeltava osion taulun tyyppi nykyaikaisille järjestelmille, jotka käyttävät <strong>EFI</strong> -käynnistysympäristöä. + Asennusohjelma <strong>ei tunnista osiotaulua</strong> valitussa kiintolevyssä.<br><br>Joko ei ole osiotaulua, taulu on vioittunut tai tuntematon.<br>Asentaja voi tehdä uuden osiotaulun automaattisesti tai voit tehdä sen käsin. - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Tämä osiotaulukon tyyppi on suositeltava vain vanhemmissa järjestelmissä, jotka käyttävät <strong>BIOS</strong> -käynnistysympäristöä. GPT:tä suositellaan useimmissa muissa tapauksissa.<br><br><strong>Varoitus:</strong>MBR-taulukko on vanhentunut MS-DOS-standardi.<br>Vain 4 <em>ensisijaisia</em> Vain ensisijaisia osioita voidaan luoda, ja 4, niistä yksi voi olla <em>laajennettu</em> osio, joka voi puolestaan sisältää monia osioita <em>loogisia</em> osioita. + + This device has a <strong>%1</strong> partition table. + Tässä laitteessa on <strong>%1</strong> osiotaulua. The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. - Valitun kiintolevyn <strong>osiotaulukon</strong> tyyppi.<br><br>Ainoa tapa muuttaa osiotaulukon tyyppiä on poistaa ja luoda osiot alusta uudelleen, mikä tuhoaa kaikki kiintolevyn sisältämät tiedot. <br>Asentaja säilyttää nykyisen osiotaulukon, ellet nimenomaisesti valitse muuta.<br>Jos olet epävarma niin suositus on käyttää GPT:tä. + Valitun taltion <strong>osiotaulun</strong> tyyppi.<br><br>Ainoa tapa muuttaa osiotaulun tyyppiä on poistaa ja luoda osiot alusta uudelleen, mikä tuhoaa kaikki kiintolevyn tiedot. <br>Asennusohjelma säilyttää nykyisen osiotaulun, ellet valitse muuta.<br>Jos olet epävarma niin GPT on suositus. @@ -1617,7 +1617,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. FS Label: - Tiedostojärjestelmän nimike: + Nimike:
@@ -1709,7 +1709,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Aseta <strong>uusi</strong> osio %2 kiinnityksellä <strong>%1</strong>%3. {2 ?} {1<?} {3?} + Määritä <strong>uusi</strong> %2 osio liitospisteellä <strong>%1</strong>%3 @@ -1733,7 +1733,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Aseta %3 osio <strong>%1</strong> kiinnityksellä <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} + Määritetään %3 osio <strong>%1</strong> liitospisteellä <strong>%2</strong>%4... @@ -1771,7 +1771,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. @info - <h1>Kaikki tehty.</h1><br/>%1 on asennettu tietokoneellesi.<br/>Voit käynnistää tietokoneen nyt uuteen järjestelmääsi, tai voit jatkaa käyttöjärjestelmän %2 live-ympäristön käyttöä. + <h1>Kaikki tehty.</h1><br/>%1 on asennettu tietokoneellesi.<br/>Voit käynnistää tietokoneen tai voit jatkaa käyttöjärjestelmän %2 live käyttöä. @@ -1816,7 +1816,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Alusta osio %1 (tiedostojärjestelmä: %2, koko: %3 MiB) kohteessa %4.. {1 ?} {2,?} {3 ?} {4?} + Alusta osio %1 (tiedostojärjestelmä: %2, koko: %3 MB) %4 @@ -1834,7 +1834,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Formatting partition %1 with file system %2… @status - Alustetaan osiota %1 tiedostojärjestelmällä %2. {1 ?} {2…?} + Alustaa osiota %1 tiedostojärjestelmä %2... @@ -2084,7 +2084,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. @info - Järjestelmän maa-asetus vaikuttaa komentorivin käyttöliittymän kieleen ja merkistöön.<br/>Nykyinen asetus on <strong>%1</strong>. + Maa-asetus vaikuttaa komentorivin käyttöliittymän kieleen, sekä merkistöön.<br/>Nyt asetus on <strong>%1</strong>. @@ -2258,7 +2258,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Zone: @label - Vyöhyke: + Aikavyöhyke: @@ -2280,7 +2280,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. LocaleTests - + Quit Sulje @@ -2454,6 +2454,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.label for netinstall module, choose desktop environment Työpöytä + + + Applications + Sovellukset + Communication @@ -2502,11 +2507,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.label for netinstall module Apuohjelmat - - - Applications - Sovellukset - NotesQmlViewStep @@ -2679,11 +2679,27 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.The password contains forbidden words in some form Salasana sisältää kiellettyjä sanoja
+ + + The password contains fewer than %n digits + + Salasana sisältää vähemmän kuin %n numeroa + Salasana sisältää vähemmän kuin %n numeroa + + The password contains too few digits Salasana sisältää liian vähän numeroita + + + The password contains fewer than %n uppercase letters + + Salasana sisältää vähemmän kuin %n isoa kirjainta + Salasana sisältää vähemmän kuin %n isoa kirjainta + + The password contains too few uppercase letters @@ -2702,47 +2718,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.The password contains too few lowercase letters Salasana sisältää liian vähän pieniä kirjaimia - - - The password contains too few non-alphanumeric characters - Salasana sisältää liian vähän erikoismerkkejä - - - - The password is too short - Salasana on liian lyhyt - - - - The password does not contain enough character classes - Salasana ei sisällä tarpeeksi merkkiluokkia - - - - The password contains too many same characters consecutively - Salasana sisältää liian monta samaa merkkiä peräkkäin - - - - The password contains too many characters of the same class consecutively - Salasana sisältää liian monta saman luokan merkkiä peräkkäin - - - - The password contains fewer than %n digits - - Salasana sisältää vähemmän kuin %n numeroa - Salasana sisältää vähemmän kuin %n numeroa - - - - - The password contains fewer than %n uppercase letters - - Salasana sisältää vähemmän kuin %n isoa kirjainta - Salasana sisältää vähemmän kuin %n isoa kirjainta - - The password contains fewer than %n non-alphanumeric characters @@ -2751,6 +2726,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Salasana sisältää vähemmän kuin %n erikoismerkkiä + + + The password contains too few non-alphanumeric characters + Salasana sisältää liian vähän erikoismerkkejä + The password is shorter than %n characters @@ -2759,6 +2739,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Salasana on lyhyempi kuin %n merkkiä + + + The password is too short + Salasana on liian lyhyt + The password is a rotated version of the previous one @@ -2772,6 +2757,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Salasana sisältää vähemmän kuin %n tasoa + + + The password does not contain enough character classes + Salasana ei sisällä tarpeeksi merkkiluokkia + The password contains more than %n same characters consecutively @@ -2780,6 +2770,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Salasana sisältää enemmän kuin %n samaa merkkiä peräkkäin + + + The password contains too many same characters consecutively + Salasana sisältää liian monta samaa merkkiä peräkkäin + The password contains more than %n characters of the same class consecutively @@ -2788,6 +2783,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Salasana sisältää enemmän kuin %n samaa merkkiä peräkkäin + + + The password contains too many characters of the same class consecutively + Salasana sisältää liian monta saman luokan merkkiä peräkkäin + The password contains monotonic sequence longer than %n characters @@ -2933,12 +2933,12 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Keyboard model: - Näppäimistön malli: + Näppäimistömalli: Type here to test your keyboard - Testaa näppäimistöäsi, kirjoittamalla tähän + Testaa näppäimistöä tähän @@ -3151,7 +3151,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. New Partition &Table - Uusi osiointi&taulukko + Uusi osio&taulu @@ -3196,7 +3196,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Are you sure you want to create a new partition table on %1? - Haluatko varmasti luoda uuden osiotaulukon levylle %1? + Haluatko varmasti luoda uuden osiotaulun levylle %1? @@ -3206,11 +3206,23 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - %1 osio-taulukossa on jo %2 ensisijaista osiota, eikä sitä voi lisätä. Poista yksi ensisijainen osio ja lisää laajennettu osio. + %1 osiotaulussa on jo %2 ensisijaista osiota, eikä lisää voi lisätä. Poista yksi ensisijainen osio ja lisää laajennettu osio. PartitionViewStep + + + Gathering system information… + @status + Kerätään järjestelmän tietoja... + + + + Partitions + @label + Osiot + Unsafe partition actions are enabled. @@ -3227,35 +3239,27 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Osioita ei muuteta. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Järjestelmäosio EFI tarvitaan %1 käynnistämiseen. <br/><br/>Tämä EFI järjestelmäosio ei täytä suosituksia. Palaa takaisin ja valitse tai luo sopiva tiedostojärjestelmä. - - - - The minimum recommended size for the filesystem is %1 MiB. - Suositeltu minimikoko tiedostojärjestelmälle on %1 MB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Voit jatkaa tällä EFI määrityksellä, mutta järjestelmäsi ei välttämättä käynnisty. - - - - No EFI system partition configured - EFI-järjestelmäosiota ei ole määritetty - - - - EFI system partition configured incorrectly - EFI-järjestelmäosio on määritetty väärin + + Current: + @label + Nyt: + + + + After: + @label + Jälkeen: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. EFI-järjestelmäosio on vaatimus käynnistääksesi %1.<br/><br/>Palaa jos haluat määrittää EFI-järjestelmäosion, valitse tai luo sopiva tiedostojärjestelmä. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Järjestelmäosio EFI tarvitaan %1 käynnistämiseen. <br/><br/>Tämä EFI järjestelmäosio ei täytä suosituksia. Palaa takaisin ja valitse tai luo sopiva tiedostojärjestelmä. + The filesystem must be mounted on <strong>%1</strong>. @@ -3266,6 +3270,11 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.The filesystem must have type FAT32. Tiedostojärjestelmän on oltava tyyppiä FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Tiedostojärjestelmässä on oltava <strong>%1</strong> lippu. + @@ -3273,38 +3282,29 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Tiedostojärjestelmän on oltava kooltaan vähintään %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - Tiedostojärjestelmässä on oltava <strong>%1</strong> lippu. - - - - Gathering system information… - @status - Kerätään järjestelmän tietoja... + + The minimum recommended size for the filesystem is %1 MiB. + Suositeltu minimikoko tiedostojärjestelmälle on %1 MB. - - Partitions - @label - Osiot + + You can continue without setting up an EFI system partition but your system may fail to start. + Voit jatkaa ilman EFI-järjestelmäosion määrittämistä, mutta järjestelmä ei ehkä käynnisty. - - Current: - @label - Nykyinen: + + You can continue with this EFI system partition configuration but your system may fail to start. + Voit jatkaa tällä EFI määrityksellä, mutta järjestelmäsi ei välttämättä käynnisty. - - After: - @label - Jälkeen: + + No EFI system partition configured + EFI-järjestelmäosiota ei ole määritetty - - You can continue without setting up an EFI system partition but your system may fail to start. - Voit jatkaa ilman EFI-järjestelmäosion määrittämistä, mutta järjestelmä ei ehkä käynnisty. + + EFI system partition configured incorrectly + EFI-järjestelmäosio on määritetty väärin @@ -3319,7 +3319,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - GPT-osiotaulukko on paras vaihtoehto kaikille järjestelmille. Kuitenkin asennusohjelma tukee myös BIOS-järjestelmää.<br/><br/>Jos haluat määrittää GPT-osiotaulukon BIOS:ssa (jos et ole jo tehnyt) niin palaa takaisin ja aseta osiotaulukkoksi GPT. Luo seuraavaksi 8 Mt alustamaton osio <strong>%2</strong> lipulla käyttöön.<br/><br/>Alustamaton 8 Mt tarvitaan %1 käynnistämiseen BIOS-järjestelmässä, jossa on GPT. + GPT-osiotaulu on paras vaihtoehto kaikille järjestelmille. Kuitenkin asennusohjelma tukee myös BIOS-järjestelmää.<br/><br/>Jos haluat määrittää GPT-osiotaulun BIOS:lle (jos et ole jo tehnyt) niin palaa takaisin ja aseta osiotauluksi GPT. Luo seuraavaksi 8 Mb alustamaton osio <strong>%2</strong> lipulla käyttöön.<br/><br/>Alustamaton 8 Mb tarvitaan %1 käynnistämiseen BIOS-järjestelmässä, jossa on GPT. @@ -3401,14 +3401,14 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. ProcessResult - + There was no output from the command. Komentoa ei voitu ajaa. - + Output: @@ -3417,52 +3417,52 @@ Ulostulo: - + External command crashed. Ulkoinen komento kaatui. - + Command <i>%1</i> crashed. Komento <i>%1</i> kaatui. - + External command failed to start. Ulkoisen komennon käynnistäminen epäonnistui. - + Command <i>%1</i> failed to start. Komennon <i>%1</i> käynnistäminen epäonnistui. - + Internal error when starting command. Sisäinen virhe käynnistettäessä komentoa. - + Bad parameters for process job call. Huonot parametrit prosessin kutsuun. - + External command failed to finish. Ulkoinen komento ei onnistunut. - + Command <i>%1</i> failed to finish in %2 seconds. Komento <i>%1</i> epäonnistui %2 sekunnissa. - + External command finished with errors. Ulkoinen komento päättyi virheisiin. - + Command <i>%1</i> finished with exit code %2. Komento <i>%1</i> päättyi koodiin %2. @@ -3474,6 +3474,30 @@ Ulostulo: %1 (%2) %1 (%2) + + + unknown + @partition info + tuntematon + + + + extended + @partition info + laajennettu + + + + unformatted + @partition info + formatoimaton + + + + swap + @partition info + swap + @@ -3505,35 +3529,11 @@ Ulostulo: (no mount point) (ei kiinnitystä) - - - unknown - @partition info - tuntematon - - - - extended - @partition info - laajennettu - - - - unformatted - @partition info - formatoimaton - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @info - Osioimaton tila tai tuntematon osion taulu + Osioimaton tila tai tuntematon osiotaulu @@ -3720,7 +3720,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Resize volume group named %1 from %2 to %3 @title - Muuta taltioryhmän %1 kokoa %2:sta %3:ksi. {1 ?} {2 ?} {3?} + Muuta tilavuusryhmän %1 kokoa %2:sta %3:ksi
@@ -3737,7 +3737,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The installer failed to resize a volume group named '%1'. - Asennusohjelma ei onnistunut muuttamaan taltioryhmän '%1' kokoa. + Asennusohjelma ei onnistunut muuttamaan taltioryhmän "%1" kokoa. @@ -3779,7 +3779,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Setting hostname %1… @status - Asetetaan hostname %1. {1…?} + Asetetaan tietokoneen nimeä %1… @@ -3934,7 +3934,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The installer failed to set flags on partition %1. - Asennusohjelma ei voinut asettaa lippuja osioon %1. + Asennusohjelma ei voinut asettaa lippua osioon %1. @@ -3948,7 +3948,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Setting password for user %1… @status - Asetetaan salasanaa käyttäjälle %1. {1…?} + Asetetaan salasanaa käyttäjälle %1… @@ -3965,17 +3965,17 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Cannot disable root account. Root-tiliä ei voi poistaa. - - - Cannot set password for user %1. - Salasanaa ei voi asettaa käyttäjälle %1. - usermod terminated with error code %1. usermod päättyi virhekoodilla %1. + + + Cannot set password for user %1. + Salasanaa ei voi asettaa käyttäjälle %1. + SetTimezoneJob @@ -4068,7 +4068,8 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4270,7 +4271,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Users - Käyttäjät + Käyttäjä @@ -4278,7 +4279,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Users - Käyttäjät + Käyttäjä @@ -4306,7 +4307,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ List of Physical Volumes - Fyysisten taltioiden luettelo + Taltioiden luettelo @@ -4331,7 +4332,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Total Size: - Yhteensä koko: + Koko: @@ -4528,7 +4529,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ %1 has been installed on your computer.<br/> You may now restart into your new system, or continue using the Live environment. %1 on asennettu tietokoneellesi.<br/> - Voit käynnistää nyt uuteen järjestelmään tai jatkaa Live-ympäristön käyttöä. + Voit käynnistää tietokoneen tai jatkaa käyttöä asennusmedialta. @@ -4562,7 +4563,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ You may now restart into your new system, or continue using the Live environment. @info, %1 is the product name %1 on asennettu tietokoneellesi.<br/> - Voit käynnistää nyt uuteen järjestelmään tai jatkaa Live-ympäristön käyttöä. + Voit käynnistää tietokoneen tai jatkaa käyttöä asennusmedialta. @@ -4599,7 +4600,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ You may now restart your device. @info, %1 is the product name %1 on asennettu tietokoneellesi.<br/> - Voit nyt käynnistää uudelleen. + Voit käynnistää tietokoneen uudelleen. @@ -4644,7 +4645,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Type here to test your keyboard… @label - Testaa näppäimistöä, kirjoittamalla tähän… + Testaa näppäimistöä tähän... @@ -4677,7 +4678,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Type here to test your keyboard… @label - Testaa näppäimistöä, kirjoittamalla tähän… + Testaa näppäimistöä tähän...
@@ -4695,7 +4696,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. @info <h3>Kielet</h3></br> - Järjestelmän kieliasetukset vaikuttaa komentorivin käyttöliittymän kieleen ja merkistöön. Nykyinen asetus on <strong>%1</strong>. + Kieliasetukset vaikuttaa komentorivin käyttöliittymän kieleen, sekä merkistöön. Nyt asetus on <strong>%1</strong>.
@@ -4703,7 +4704,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The system locale setting affects the numbers and dates format. The current setting is <strong>%1</strong>. @info <h3>Kieliasetukset</h3> </br> - Järjestelmän kieliasetukset vaikuttaa numeroiden ja päivämäärien muotoon. Nykyinen asetus on %1. + Kieliasetukset vaikuttaa numeroiden ja päivämäärien muotoon. Nyt asetus on %1. @@ -4721,7 +4722,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. @info <h3>Kielet</h3></br> - Järjestelmän kieliasetukset vaikuttaa komentorivin käyttöliittymän kieleen ja merkistöön. Nykyinen asetus on <strong>%1</strong>. + Kieliasetukset vaikuttaa komentorivin käyttöliittymän kieleen, sekä merkistöön. Nyt asetus on <strong>%1</strong>.
@@ -4729,7 +4730,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ The system locale setting affects the numbers and dates format. The current setting is <strong>%1</strong>. @info <h3>Kieliasetukset</h3> </br> - Järjestelmän kieliasetukset vaikuttaa numeroiden ja päivämäärien muotoon. Nykyinen asetus on %1. + Kieliasetukset vaikuttaa numeroiden ja päivämäärien muotoon. Nyt asetus on %1. @@ -4887,11 +4888,21 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is your name? Mikä on nimesi?
+ + + Your full name + Koko nimesi + What name do you want to use to log in? Mitä nimeä haluat käyttää kirjautumiseen? + + + Login name + Kirjautumisnimi + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4912,11 +4923,21 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is the name of this computer? Mikä on tämän tietokoneen nimi? + + + Computer name + Tietokoneen nimi + This name will be used if you make the computer visible to others on a network. Tätä nimeä käytetään, jos teet tietokoneen näkyväksi verkon muille käyttäjille. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Vain kirjaimet, numerot, alaviiva ja väliviiva ovat sallittuja, vähintään kaksi merkkiä. + localhost is not allowed as hostname. @@ -4932,11 +4953,31 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Password Salasana + + + Repeat password + Toista salasana + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Syötä sama salasana kahdesti, jotta se voidaan tarkistaa kirjoittamisvirheiden varalta. Hyvä salasana sisältää sekoituksen kirjaimia, numeroita ja välimerkkejä. Vähintään kahdeksan merkkiä pitkä ja se on vaihdettava säännöllisin väliajoin. + + + Reuse user password as root password + Käytä käyttäjän salasanaa myös root-salasanana + + + + Use the same password for the administrator account. + Käytä pääkäyttäjän tilillä samaa salasanaa. + + + + Choose a root password to keep your account safe. + Valitse root-salasana, jotta tilisi pysyy turvassa. + Root password @@ -4948,14 +4989,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Toista root salasana - - Validate passwords quality - Tarkista salasanojen laatu - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Kun tämä valintaruutu on valittu, salasanan vahvuus tarkistetaan, etkä voi käyttää heikkoa salasanaa. + + Enter the same password twice, so that it can be checked for typing errors. + Syötä sama salasana kahdesti, jotta se voidaan tarkistaa kirjoitusvirheiden varalta. @@ -4963,49 +4999,14 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Kirjaudu automaattisesti ilman salasanaa - - Your full name - Koko nimesi - - - - Login name - Kirjautumisnimi - - - - Computer name - Tietokoneen nimi - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Vain kirjaimet, numerot, alaviiva ja väliviiva ovat sallittuja, vähintään kaksi merkkiä. - - - - Repeat password - Toista salasana - - - - Reuse user password as root password - Käytä käyttäjän salasanaa myös root-salasanana - - - - Use the same password for the administrator account. - Käytä pääkäyttäjän tilillä samaa salasanaa. - - - - Choose a root password to keep your account safe. - Valitse root-salasana, jotta tilisi pysyy turvassa. + + Validate passwords quality + Tarkista salasanojen laatu - - Enter the same password twice, so that it can be checked for typing errors. - Syötä sama salasana kahdesti, jotta se voidaan tarkistaa kirjoitusvirheiden varalta. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Kun tämä valintaruutu on valittu, salasanan vahvuus tarkistetaan, etkä voi käyttää heikkoa salasanaa. @@ -5020,11 +5021,21 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is your name? Mikä on nimesi?
+ + + Your full name + Koko nimesi + What name do you want to use to log in? Mitä nimeä haluat käyttää kirjautumiseen? + + + Login name + Kirjautumisnimi + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5045,16 +5056,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ What is the name of this computer? Mikä on tämän tietokoneen nimi? - - - Your full name - Koko nimesi - - - - Login name - Kirjautumisnimi - Computer name @@ -5090,16 +5091,6 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Repeat password Toista salasana - - - Root password - Root salasana - - - - Repeat root password - Toista root salasana - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5120,6 +5111,16 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ Choose a root password to keep your account safe. Valitse root-salasana, jotta tilisi pysyy turvassa. + + + Root password + Root salasana + + + + Repeat root password + Toista root salasana + Enter the same password twice, so that it can be checked for typing errors. @@ -5148,7 +5149,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> <h3>Tervetuloa %1 <quote>%2</quote> -asentajaan</h3> - <p>Tämä ohjelma esittää sinulle joitain kysymyksiä liittyen järjestelmään %1 ja asentaa sen tietokoneellesi.</p> + <p>Tämä ohjelma esittää sinulle joitain kysymyksiä liittyen %1 ja asentaa sen tietokoneelle.</p> @@ -5178,7 +5179,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</ <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> <h3>Tervetuloa %1 <quote>%2</quote> -asentajaan</h3> - <p>Tämä ohjelma esittää sinulle joitain kysymyksiä liittyen järjestelmään %1 ja asentaa sen tietokoneellesi.</p> + <p>Tämä ohjelma esittää sinulle joitain kysymyksiä liittyen %1 ja asentaa sen tietokoneelle.</p> diff --git a/lang/calamares_fr.ts b/lang/calamares_fr.ts index 997617c046..6cd6c65fe2 100644 --- a/lang/calamares_fr.ts +++ b/lang/calamares_fr.ts @@ -125,31 +125,21 @@ Interface: Interface : + + + Crashes Calamares, so that Dr. Konqi can look at it. + Calamares s'est arrété, alors le Dr. Konqi va l'examiner. + Reloads the stylesheet from the branding directory. Recharge la feuille de style à partir du répertoire de personnalisation. - - - Uploads the session log to the configured pastebin. - Télécharge le journal de session dans le pastebin configuré. - - - - Send Session Log - Envoyer le journal de session - Reload Stylesheet Recharger la feuille de style - - - Crashes Calamares, so that Dr. Konqi can look at it. - Calamares s'est arrété, alors le Dr. Konqi va l'examiner. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arbre de widget + + + Uploads the session log to the configured pastebin. + Télécharge le journal de session dans le pastebin configuré. + + + + Send Session Log + Envoyer le journal de session + Debug Information @@ -379,9 +379,9 @@ (%n second(s)) @status - (%n seconde) - (plusieurs secondes) - (%n secondes) + (%n seconde(s)) + (%n seconde(s)) + (%n seconde(s)) @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + L'envoi a échoué. La copie sur le web n'a pas été effectuée. + + + + Install log posted to + +%1 + +Link copied to clipboard + Journal d'installation publié sur + +%1 + +Lien copié dans le presse-papiers + + + + Install Log Paste URL + URL de copie du journal d'installation + &Yes @@ -409,7 +432,7 @@ &Fermer - + Setup Failed @title Échec de la configuration @@ -439,13 +462,13 @@ %1 n'a pas pu être installé. Calamares n'a pas pu charger tous les modules configurés. C'est un problème avec la façon dont Calamares est utilisé par la distribution. - + <br/>The following modules could not be loaded: @info <br/>Les modules suivants n'ont pas pu être chargés : - + Continue with Setup? @title Continuer la configuration ? @@ -463,133 +486,110 @@ Le programme de configuration de %1 est sur le point de procéder aux changements sur le disque afin de configurer %2.<br/> <strong>Vous ne pourrez pas annuler ces changements.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version L'installateur %1 est sur le point de procéder aux changements sur le disque afin d'installer %2.<br/> <strong>Vous ne pourrez pas annuler ces changements.<strong> - + &Set Up Now @button &Configurer Maintenant - + &Install Now @button &Installer Maintenant - + Go &Back @button Continuer &Retour - + &Set Up @button &Configurer - + &Install @button &Installer - + Setup is complete. Close the setup program. @tooltip La configuration est terminée. Fermer le programme de configuration. - + The installation is complete. Close the installer. @tooltip L'installation est terminée. Fermer l'installateur. - + Cancel the setup process without changing the system. @tooltip Annulez le processus de configuration sans modifier le système. - + Cancel the installation process without changing the system. @tooltip Annulez le processus d'installation sans changer de système. - + &Next @button &Suivant - + &Back @button &Précédent - + &Done @button &Terminé - + &Cancel @button &Annuler - + Cancel Setup? @title Annuler la configuration ? - + Cancel Installation? @title Annuler l'installation ? - - Install Log Paste URL - URL de copie du journal d'installation - - - - The upload was unsuccessful. No web-paste was done. - L'envoi a échoué. La copie sur le web n'a pas été effectuée. - - - - Install log posted to - -%1 - -Link copied to clipboard - Journal d'installation publié sur - -%1 - -Lien copié dans le presse-papiers - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Voulez-vous vraiment abandonner le processus de configuration ? Le programme de configuration se fermera et les changements seront perdus. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Voulez-vous vraiment abandonner le processus d'installation ? @@ -599,25 +599,25 @@ L'installateur se fermera et les changements seront perdus. CalamaresPython::Helper - + Unknown exception type @error Type d'exception inconnue - + Unparseable Python error @error Erreur Python non analysable - + Unparseable Python traceback @error Traceback Python non analysable - + Unfetchable Python error @error Erreur Python impossible à récupérer @@ -674,16 +674,6 @@ L'installateur se fermera et les changements seront perdus. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partitionnement manuel</strong><br/>Vous pouvez créer ou redimensionner vous-même des partitions. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Sélectionner une partition à réduire, puis faites glisser la barre du bas pour redimensionner</strong> - Select storage de&vice: @@ -709,7 +699,12 @@ L'installateur se fermera et les changements seront perdus. Reuse %1 as home partition for %2 @label - Réutiliser %1 comme partition home pour %2. {1 ?} {2 ?} + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Sélectionner une partition à réduire, puis faites glisser la barre du bas pour redimensionner</strong> @@ -832,6 +827,11 @@ L'installateur se fermera et les changements seront perdus. @label Swap dans un fichier + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partitionnement manuel</strong><br/>Vous pouvez créer ou redimensionner vous-même des partitions. + Bootloader location: @@ -842,44 +842,44 @@ L'installateur se fermera et les changements seront perdus. ClearMountsJob - + Successfully unmounted %1. Démontage réussi de %1. - + Successfully disabled swap %1. Le swap %1 a été désactivé avec succès. - + Successfully cleared swap %1. Le swap %1 a été effacé avec succès. - + Successfully closed mapper device %1. Le périphérique mappeur %1 a été fermé avec succès. - + Successfully disabled volume group %1. Le groupe de volumes %1 a été désactivé avec succès. - + Clear mounts for partitioning operations on %1 @title Supprimer les montages pour les opérations de partitionnement sur %1 - + Clearing mounts for partitioning operations on %1… @status - Suppression des montages pour les opérations de partitionnement sur %1. {1…?} + - + Cleared all mounts for %1 Tous les montages ont été supprimés pour %1 @@ -915,129 +915,112 @@ L'installateur se fermera et les changements seront perdus. Config - - Network Installation. (Disabled: Incorrect configuration) - Installation réseau. (Désactivée : configuration incorrecte) - - - - Network Installation. (Disabled: Received invalid groups data) - Installation par le réseau. (Désactivée : données de groupes reçues invalides) - - - - Network Installation. (Disabled: Internal error) - Installation réseau. (Désactivé : erreur interne) - - - - Network Installation. (Disabled: No package list) - Installation réseau. (Désactivé : pas de liste de paquets) - - - - Package selection - Sélection des paquets - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Installation par le réseau (Désactivée : impossible de récupérer les listes de paquets, vérifier la connexion réseau) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Cet ordinateur ne satisfait pas les conditions requises pour installer %1.<br/>Le paramétrage ne peut pas continuer. + + Setup Failed + @title + Échec de la configuration - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Cet ordinateur ne satisfait pas les conditions requises pour installer %1.<br/>L'installation ne peut pas continuer. + + Installation Failed + @title + L'installation a échoué - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Cet ordinateur ne satisfait pas certains des prérequis recommandés pour configurer %1.<br/>La configuration peut continuer, mais certaines fonctionnalités pourraient être désactivées. + + The setup of %1 did not complete successfully. + @info + La configuration de %1 n'a pas abouti. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Cet ordinateur ne satisfait pas certains des prérequis recommandés pour installer %1.<br/>L'installation peut continuer, mais certaines fonctionnalités pourraient être désactivées. + + The installation of %1 did not complete successfully. + @info + L’installation de %1 n’a pas abouti. - - This program will ask you some questions and set up %2 on your computer. - Ce programme va vous poser quelques questions et configurer %2 sur votre ordinateur. + + Setup Complete + @title + Configuration terminée - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Bienvenue dans le programme de configuration Calamares pour %1</h1> + + Installation Complete + @title + Installation terminée - - <h1>Welcome to %1 setup</h1> - <h1>Bienvenue dans la configuration de %1</h1> + + The setup of %1 is complete. + @info + La configuration de %1 est terminée. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Bienvenue dans l'installateur Calamares pour %1</h1> + + The installation of %1 is complete. + @info + L'installation de %1 est terminée. - - <h1>Welcome to the %1 installer</h1> - <h1>Bienvenue dans l'installateur de %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Le modèle de clavier a été défini sur %1<br/>. - - Your username is too long. - Votre nom d'utilisateur est trop long. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + La disposition du clavier a été définie sur %1/%2. - - '%1' is not allowed as username. - '%1' n'est pas autorisé comme nom d'utilisateur. + + Set timezone to %1/%2 + @action + Configurer le fuseau-horaire à %1/%2 - - Your username must start with a lowercase letter or underscore. - Votre nom d'utilisateur doit commencer avec une lettre minuscule ou un underscore. + + The system language will be set to %1. + @info + La langue du système sera réglée sur %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Seuls les minuscules, nombres, underscores et tirets sont autorisés. + + The numbers and dates locale will be set to %1. + @info + Les nombres et les dates seront réglés sur %1. - - Your hostname is too short. - Le nom d'hôte est trop petit. + + Network Installation. (Disabled: Incorrect configuration) + Installation réseau. (Désactivée : configuration incorrecte) - - Your hostname is too long. - Le nom d'hôte est trop long. + + Network Installation. (Disabled: Received invalid groups data) + Installation par le réseau. (Désactivée : données de groupes reçues invalides) - - '%1' is not allowed as hostname. - '%1' n'est pas autorisé comme nom d'hôte. + + Network Installation. (Disabled: Internal error) + Installation réseau. (Désactivé : erreur interne) - - Only letters, numbers, underscore and hyphen are allowed. - Seuls les lettres, nombres, underscores et tirets sont autorisés. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Installation par le réseau (Désactivée : impossible de récupérer les listes de paquets, vérifier la connexion réseau) - - Your passwords do not match! - Vos mots de passe ne correspondent pas ! + + Network Installation. (Disabled: No package list) + Installation réseau. (Désactivé : pas de liste de paquets) - - OK! - OK! + + Package selection + Sélection des paquets @@ -1071,92 +1054,109 @@ L'installateur se fermera et les changements seront perdus. Résumé - - This is an overview of what will happen once you start the setup procedure. - Ceci est un aperçu de ce qui va arriver lorsque vous commencerez la configuration. + + This is an overview of what will happen once you start the setup procedure. + Ceci est un aperçu de ce qui va arriver lorsque vous commencerez la configuration. + + + + This is an overview of what will happen once you start the install procedure. + Ceci est un aperçu de ce qui va arriver lorsque vous commencerez l'installation. + + + + Your username is too long. + Votre nom d'utilisateur est trop long. + + + + Your username must start with a lowercase letter or underscore. + Votre nom d'utilisateur doit commencer avec une lettre minuscule ou un underscore. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Seuls les minuscules, nombres, underscores et tirets sont autorisés. + + + + '%1' is not allowed as username. + '%1' n'est pas autorisé comme nom d'utilisateur. + + + + Your hostname is too short. + Le nom d'hôte est trop petit. - - This is an overview of what will happen once you start the install procedure. - Ceci est un aperçu de ce qui va arriver lorsque vous commencerez l'installation. + + Your hostname is too long. + Le nom d'hôte est trop long. - - Setup Failed - @title - Échec de la configuration + + '%1' is not allowed as hostname. + '%1' n'est pas autorisé comme nom d'hôte. - - Installation Failed - @title - L'installation a échoué + + Only letters, numbers, underscore and hyphen are allowed. + Seuls les lettres, nombres, underscores et tirets sont autorisés. - - The setup of %1 did not complete successfully. - @info - La configuration de %1 n'a pas abouti. + + Your passwords do not match! + Vos mots de passe ne correspondent pas ! - - The installation of %1 did not complete successfully. - @info - L’installation de %1 n’a pas abouti. + + OK! + OK! - - Setup Complete - @title - Configuration terminée + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Cet ordinateur ne satisfait pas les conditions requises pour installer %1.<br/>Le paramétrage ne peut pas continuer. - - Installation Complete - @title - Installation terminée + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Cet ordinateur ne satisfait pas les conditions requises pour installer %1.<br/>L'installation ne peut pas continuer. - - The setup of %1 is complete. - @info - La configuration de %1 est terminée. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Cet ordinateur ne satisfait pas certains des prérequis recommandés pour configurer %1.<br/>La configuration peut continuer, mais certaines fonctionnalités pourraient être désactivées. - - The installation of %1 is complete. - @info - L'installation de %1 est terminée. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Cet ordinateur ne satisfait pas certains des prérequis recommandés pour installer %1.<br/>L'installation peut continuer, mais certaines fonctionnalités pourraient être désactivées. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Le modèle de clavier a été défini sur %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Ce programme va vous poser quelques questions et configurer %2 sur votre ordinateur. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - La disposition du clavier a été définie sur %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Bienvenue dans le programme de configuration Calamares pour %1</h1> - - Set timezone to %1/%2 - @action - Configurer le fuseau-horaire à %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Bienvenue dans la configuration de %1</h1> - - The system language will be set to %1. - @info - La langue du système sera réglée sur %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Bienvenue dans l'installateur Calamares pour %1</h1> - - The numbers and dates locale will be set to %1. - @info - Les nombres et les dates seront réglés sur %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Bienvenue dans l'installateur de %1</h1> @@ -1464,7 +1464,7 @@ L'installateur se fermera et les changements seront perdus. Deleting partition %1… @status - Suppression de la partition %1. {1…?} + @@ -1481,9 +1481,14 @@ L'installateur se fermera et les changements seront perdus. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Ce périphérique utilise une table de partitions <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ce type de table de partitions est uniquement envisageable que sur d'anciens systèmes qui démarrent depuis un environnement <strong>BIOS</strong>. GPT est recommandé dans la plupart des autres cas.<br><br><strong>Attention : </strong> la table de partitions MBR est un standard de l'ère MS-DOS.<br>Seules 4 partitions <em>primaires</em>peuvent être créées, et parmi ces 4, l'une peut être une partition <em>étendue</em>, qui à son tour peut contenir plusieurs partitions <em>logiques</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Ceci est le type de table de partitions recommandé pour les systèmes modernes qui démarrent depuis un environnement <strong>EFI</strong>. @@ -1496,14 +1501,9 @@ L'installateur se fermera et les changements seront perdus. L'installateur <strong>n'a pas pu détecter de table de partitions</strong> sur le périphérique de stockage sélectionné.<br><br>Le périphérique ne contient pas de table de partition, ou la table de partition est corrompue ou d'un type inconnu.<br>Cet installateur va créer une nouvelle table de partitions pour vous, soit automatiquement, soit au travers de la page de partitionnement manuel. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Ceci est le type de table de partitions recommandé pour les systèmes modernes qui démarrent depuis un environnement <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ce type de table de partitions est uniquement envisageable que sur d'anciens systèmes qui démarrent depuis un environnement <strong>BIOS</strong>. GPT est recommandé dans la plupart des autres cas.<br><br><strong>Attention : </strong> la table de partitions MBR est un standard de l'ère MS-DOS.<br>Seules 4 partitions <em>primaires</em>peuvent être créées, et parmi ces 4, l'une peut être une partition <em>étendue</em>, qui à son tour peut contenir plusieurs partitions <em>logiques</em>. + + This device has a <strong>%1</strong> partition table. + Ce périphérique utilise une table de partitions <strong>%1</strong>. @@ -2279,7 +2279,7 @@ L'installateur se fermera et les changements seront perdus. LocaleTests - + Quit Quiter @@ -2453,6 +2453,11 @@ L'installateur se fermera et les changements seront perdus. label for netinstall module, choose desktop environment Bureau + + + Applications + Applications + Communication @@ -2501,11 +2506,6 @@ L'installateur se fermera et les changements seront perdus. label for netinstall module Utilitaires - - - Applications - Applications - NotesQmlViewStep @@ -2678,11 +2678,29 @@ L'installateur se fermera et les changements seront perdus. The password contains forbidden words in some form Le mot de passe contient des mots interdits sous une certaine forme + + + The password contains fewer than %n digits + + Le mot de passe contient moins de %n chiffres + Le mot de passe contient moins de %n chiffres + Le mot de passe contient moins de %n chiffres + + The password contains too few digits Le mot de passe ne contient pas assez de chiffres + + + The password contains fewer than %n uppercase letters + + Le mot de passe contient moins de %n lettres majuscules + Le mot de passe contient moins de %n lettres majuscules + Le mot de passe contient moins de %n lettres majuscules + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ L'installateur se fermera et les changements seront perdus. The password contains too few lowercase letters Le mot de passe ne contient pas assez de lettres minuscules - - - The password contains too few non-alphanumeric characters - Le mot de passe ne contient pas assez de caractères spéciaux - - - - The password is too short - Le mot de passe est trop court - - - - The password does not contain enough character classes - Le mot de passe ne contient pas assez de classes de caractères - - - - The password contains too many same characters consecutively - Le mot de passe contient trop de fois le même caractère à la suite - - - - The password contains too many characters of the same class consecutively - Le mot de passe contient trop de caractères de la même classe consécutive - - - - The password contains fewer than %n digits - - Le mot de passe contient moins de %n chiffres - Le mot de passe contient moins de %n chiffres - Le mot de passe contient moins de %n chiffres - - - - - The password contains fewer than %n uppercase letters - - Le mot de passe contient moins de %n lettres majuscules - Le mot de passe contient moins de %n lettres majuscules - Le mot de passe contient moins de %n lettres majuscules - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ L'installateur se fermera et les changements seront perdus. Le mot de passe contient moins de %n caractères non alphanumériques + + + The password contains too few non-alphanumeric characters + Le mot de passe ne contient pas assez de caractères spéciaux + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ L'installateur se fermera et les changements seront perdus. Le mot de passe est plus court que %n caractères + + + The password is too short + Le mot de passe est trop court + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ L'installateur se fermera et les changements seront perdus. Le mot de passe contient moins de %n classes de caractères + + + The password does not contain enough character classes + Le mot de passe ne contient pas assez de classes de caractères + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ L'installateur se fermera et les changements seront perdus. Le mot de passe contient plus de %n mêmes caractères consécutifs + + + The password contains too many same characters consecutively + Le mot de passe contient trop de fois le même caractère à la suite + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ L'installateur se fermera et les changements seront perdus. Le mot de passe contient plus de %n caractères de la même classe consécutive + + + The password contains too many characters of the same class consecutively + Le mot de passe contient trop de caractères de la même classe consécutive + The password contains monotonic sequence longer than %n characters @@ -3219,6 +3219,18 @@ L'installateur se fermera et les changements seront perdus. PartitionViewStep + + + Gathering system information… + @status + Récupération des informations système... + + + + Partitions + @label + Partitions + Unsafe partition actions are enabled. @@ -3235,35 +3247,27 @@ L'installateur se fermera et les changements seront perdus. Aucune partition ne sera modifiée. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Une partition système EFI est nécessaire pour démarrer %1. <br/><br/>La partition système EFI ne répond pas aux recommandations. Il est recommandé de revenir en arrière et de sélectionner ou de créer un système de fichiers approprié. - - - - The minimum recommended size for the filesystem is %1 MiB. - La taille minimale recommandée pour le système de fichiers est %1 Mio. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Vous pouvez continuer avec cette configuration de partition système EFI, mais votre système risque de ne pas démarrer. - - - - No EFI system partition configured - Aucune partition système EFI configurée + + Current: + @label + Actuel : - - EFI system partition configured incorrectly - Partition système EFI mal configurée + + After: + @label + Après : An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Une partition système EFI est nécessaire pour démarrer %1.<br/><br/>Pour configurer une partition système EFI, revenir en arrière et sélectionner ou créer un système de fichiers approprié. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Une partition système EFI est nécessaire pour démarrer %1. <br/><br/>La partition système EFI ne répond pas aux recommandations. Il est recommandé de revenir en arrière et de sélectionner ou de créer un système de fichiers approprié. + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ L'installateur se fermera et les changements seront perdus. The filesystem must have type FAT32. Le système de fichiers doit avoir le type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Le système de fichiers doit avoir l'indicateur <strong>%1</strong> défini. + @@ -3281,38 +3290,29 @@ L'installateur se fermera et les changements seront perdus. Le système de fichiers doit avoir une taille d'au moins %1 Mio. - - The filesystem must have flag <strong>%1</strong> set. - Le système de fichiers doit avoir l'indicateur <strong>%1</strong> défini. - - - - Gathering system information… - @status - Récupération des informations système... + + The minimum recommended size for the filesystem is %1 MiB. + La taille minimale recommandée pour le système de fichiers est %1 Mio. - - Partitions - @label - Partitions + + You can continue without setting up an EFI system partition but your system may fail to start. + Vous pouvez continuer sans configurer de partition système EFI, mais votre système risque de ne pas démarrer. - - Current: - @label - Actuel : + + You can continue with this EFI system partition configuration but your system may fail to start. + Vous pouvez continuer avec cette configuration de partition système EFI, mais votre système risque de ne pas démarrer. - - After: - @label - Après : + + No EFI system partition configured + Aucune partition système EFI configurée - - You can continue without setting up an EFI system partition but your system may fail to start. - Vous pouvez continuer sans configurer de partition système EFI, mais votre système risque de ne pas démarrer. + + EFI system partition configured incorrectly + Partition système EFI mal configurée @@ -3410,14 +3410,14 @@ Vous pouvez obtenir un aperçu des différentes apparences en cliquant sur celle ProcessResult - + There was no output from the command. Il y a eu aucune sortie de la commande - + Output: @@ -3426,52 +3426,52 @@ Sortie - + External command crashed. La commande externe s'est mal terminée. - + Command <i>%1</i> crashed. La commande <i>%1</i> s'est arrêtée inopinément. - + External command failed to start. La commande externe n'a pas pu être lancée. - + Command <i>%1</i> failed to start. La commande <i>%1</i> n'a pas pu être lancée. - + Internal error when starting command. Erreur interne au lancement de la commande - + Bad parameters for process job call. Mauvais paramètres pour l'appel au processus de job. - + External command failed to finish. La commande externe ne s'est pas terminée. - + Command <i>%1</i> failed to finish in %2 seconds. La commande <i>%1</i> ne s'est pas terminée en %2 secondes. - + External command finished with errors. La commande externe s'est terminée avec des erreurs. - + Command <i>%1</i> finished with exit code %2. La commande <i>%1</i> s'est terminée avec le code de sortie %2. @@ -3483,6 +3483,30 @@ Sortie %1 (%2) %1 (%2) + + + unknown + @partition info + inconnu + + + + extended + @partition info + étendu + + + + unformatted + @partition info + non formaté + + + + swap + @partition info + swap + @@ -3514,30 +3538,6 @@ Sortie (no mount point) (aucun point de montage) - - - unknown - @partition info - inconnu - - - - extended - @partition info - étendu - - - - unformatted - @partition info - non formaté - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3957,7 +3957,7 @@ Sortie Setting password for user %1… @status - Définition du mot de passe pour l'utilisateur %1. {1…?} + @@ -3974,17 +3974,17 @@ Sortie Cannot disable root account. Impossible de désactiver le compte root. - - - Cannot set password for user %1. - Impossible de créer le mot de passe pour l'utilisateur %1. - usermod terminated with error code %1. usermod s'est terminé avec le code erreur %1. + + + Cannot set password for user %1. + Impossible de créer le mot de passe pour l'utilisateur %1. + SetTimezoneJob @@ -4077,7 +4077,8 @@ Sortie SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4896,11 +4897,21 @@ Sortie What is your name? Quel est votre nom ? + + + Your full name + Nom complet + What name do you want to use to log in? Quel nom souhaitez-vous utiliser pour la connexion ? + + + Login name + Identifiant + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4921,11 +4932,21 @@ Sortie What is the name of this computer? Quel est le nom de votre ordinateur ? + + + Computer name + Nom de l'ordinateur + This name will be used if you make the computer visible to others on a network. Ce nom sera utilisé si vous rendez l'ordinateur visible aux autres sur un réseau. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Seuls les lettres, les chiffres, les underscores et les trait d'union sont autorisés et un minimum de deux caractères. + localhost is not allowed as hostname. @@ -4941,11 +4962,31 @@ Sortie Password Mot de passe + + + Repeat password + Répéter le mot de passe + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Saisir le même mot de passe deux fois, afin qu'il puisse être vérifié pour les erreurs de frappe. Un bon mot de passe contient un mélange de lettres, de chiffres et de ponctuation, doit comporter au moins huit caractères et doit être changé à intervalles réguliers. + + + Reuse user password as root password + Réutiliser le mot de passe utilisateur comme mot de passe root + + + + Use the same password for the administrator account. + Utiliser le même mot de passe pour le compte administrateur. + + + + Choose a root password to keep your account safe. + Choisir un mot de passe root pour protéger votre compte. + Root password @@ -4957,14 +4998,9 @@ Sortie Répéter le mot de passe root - - Validate passwords quality - Valider la qualité des mots de passe - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quand cette case est cochée, la vérification de la puissance du mot de passe est activée et vous ne pourrez pas utiliser de mot de passe faible. + + Enter the same password twice, so that it can be checked for typing errors. + Entrer le même mot de passe deux fois, afin qu'il puisse être vérifié pour les erreurs de frappe. @@ -4972,49 +5008,14 @@ Sortie Connectez-vous automatiquement sans demander le mot de passe - - Your full name - Nom complet - - - - Login name - Identifiant - - - - Computer name - Nom de l'ordinateur - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Seuls les lettres, les chiffres, les underscores et les trait d'union sont autorisés et un minimum de deux caractères. - - - - Repeat password - Répéter le mot de passe - - - - Reuse user password as root password - Réutiliser le mot de passe utilisateur comme mot de passe root - - - - Use the same password for the administrator account. - Utiliser le même mot de passe pour le compte administrateur. - - - - Choose a root password to keep your account safe. - Choisir un mot de passe root pour protéger votre compte. + + Validate passwords quality + Valider la qualité des mots de passe - - Enter the same password twice, so that it can be checked for typing errors. - Entrer le même mot de passe deux fois, afin qu'il puisse être vérifié pour les erreurs de frappe. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quand cette case est cochée, la vérification de la puissance du mot de passe est activée et vous ne pourrez pas utiliser de mot de passe faible. @@ -5029,11 +5030,21 @@ Sortie What is your name? Quel est votre nom ? + + + Your full name + Nom complet + What name do you want to use to log in? Quel nom souhaitez-vous utiliser pour la connexion ? + + + Login name + Identifiant + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5054,16 +5065,6 @@ Sortie What is the name of this computer? Quel est le nom de votre ordinateur ? - - - Your full name - Nom complet - - - - Login name - Identifiant - Computer name @@ -5099,16 +5100,6 @@ Sortie Repeat password Répéter le mot de passe - - - Root password - Mot de passe root - - - - Repeat root password - Répéter le mot de passe root - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5129,6 +5120,16 @@ Sortie Choose a root password to keep your account safe. Choisir un mot de passe root pour protéger votre compte. + + + Root password + Mot de passe root + + + + Repeat root password + Répéter le mot de passe root + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_fur.ts b/lang/calamares_fur.ts index 078477a538..8ebff558ec 100644 --- a/lang/calamares_fur.ts +++ b/lang/calamares_fur.ts @@ -125,31 +125,21 @@ Interface: Interface: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Al torne a cjamâ il sfuei di stîl de cartele de marche. - - - Uploads the session log to the configured pastebin. - Al cjame in rêt il regjistri de session al "pastebin" configurât. - - - - Send Session Log - Mande regjistri di session - Reload Stylesheet Torne cjarie sfuei di stîl - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arbul dai widget + + + Uploads the session log to the configured pastebin. + Al cjame in rêt il regjistri de session al "pastebin" configurât. + + + + Send Session Log + Mande regjistri di session + Debug Information @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Il cjariament sù pe rêt al è lât strucj. No je stade fate nissune copie sul web. + + + + Install log posted to + +%1 + +Link copied to clipboard + Regjistri di instalazion publicât su + +%1 + +Colegament copiât intes notis + + + + Install Log Paste URL + URL de copie dal regjistri di instalazion + &Yes @@ -407,7 +430,7 @@ S&iere - + Setup Failed @title Configurazion falide @@ -437,13 +460,13 @@ No si pues instalâ %1. Calamares nol è rivât a cjariâ ducj i modui configurâts. Chest probleme achì al è causât de distribuzion e di cemût che al ven doprât Calamares. - + <br/>The following modules could not be loaded: @info <br/>I modui chi sot no puedin jessi cjariâts: - + Continue with Setup? @title @@ -461,133 +484,110 @@ Il program di configurazion %1 al sta par aplicâ modifichis al disc, di mût di podê instalâ %2.<br/><strong>No si podarà tornâ indaûr e anulâ chestis modifichis.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Il program di instalazion %1 al sta par aplicâ modifichis al disc, di mût di podê instalâ %2.<br/><strong>No tu podarâs tornâ indaûr e anulâ chestis modifichis.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instale - + Setup is complete. Close the setup program. @tooltip Configurazion completade. Siere il program di configurazion. - + The installation is complete. Close the installer. @tooltip La instalazion e je stade completade. Siere il program di instalazion. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Sucessîf - + &Back @button &Indaûr - + &Done @button &Fat - + &Cancel @button &Anule - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL de copie dal regjistri di instalazion - - - - The upload was unsuccessful. No web-paste was done. - Il cjariament sù pe rêt al è lât strucj. No je stade fate nissune copie sul web. - - - - Install log posted to - -%1 - -Link copied to clipboard - Regjistri di instalazion publicât su - -%1 - -Colegament copiât intes notis - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Anulâ pardabon il procès di configurazion? Il program di configurazion al jessarà e dutis lis modifichis a laran pierdudis. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Anulâ pardabon il procès di instalazion? @@ -597,25 +597,25 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< CalamaresPython::Helper - + Unknown exception type @error Gjenar di ecezion no cognossût - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partizionament manuâl</strong><br/>Tu puedis creâ o ridimensionâ lis partizions di bessôl. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selezione une partizion di scurtâ, dopo strissine la sbare inferiôr par ridimensionâ</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selezione une partizion di scurtâ, dopo strissine la sbare inferiôr par ridimensionâ</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< @label Swap su file + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partizionament manuâl</strong><br/>Tu puedis creâ o ridimensionâ lis partizions di bessôl. + Bootloader location: @@ -840,44 +840,44 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ClearMountsJob - + Successfully unmounted %1. Dismontât %1 cun sucès. - + Successfully disabled swap %1. Memorie di scambi %1 disativade cun sucès. - + Successfully cleared swap %1. Memorie di scambi %1 netade cun sucès. - + Successfully closed mapper device %1. Dispositîf di mapadure %1 sierât cun sucès. - + Successfully disabled volume group %1. Grup di volums %1 disativât cun sucès. - + Clear mounts for partitioning operations on %1 @title Netâ i ponts di montaç pes operazions di partizionament su %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Netâts ducj i ponts di montaç par %1 @@ -913,129 +913,112 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Config - - Network Installation. (Disabled: Incorrect configuration) - Instalazion di rêt (Disabilitade: configurazion no valide) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalazion di rêt. (Disabilitade: ricevûts dâts di grups no valits) - - - - Network Installation. (Disabled: Internal error) - Instalazion vie rêt. (Disabilitade: erôr interni) - - - - Network Installation. (Disabled: No package list) - Instalazion vie rêt. (Disabilitade: nissune liste dai pachets) - - - - Package selection - Selezion pachets - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalazion di rêt. (Disabilitade: impussibil recuperâ la liste dai pachets, controlâ la conession di rêt) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Chest computer nol sodisfe i recuisîts minims par configurâ %1.<br/>La configurazion no pues continuâ. + + Setup Failed + @title + Configurazion falide - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Chest computer nol sodisfe i recuisîts minims par instalâ %1.<br/>La instalazion no pues continuâ. + + Installation Failed + @title + Instalazion falide - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Chest computer nol sodisfe cualchi recuisît conseât pe configurazion di %1.<br/>La configurazion e pues continuâ, ma cualchi funzionalitât e podarès vignî disabilitade. + + The setup of %1 did not complete successfully. + @info + La configurazion di %1 no je stade completade cun sucès. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Chest computer nol sodisfe cualchi recuisît conseât pe instalazion di %1.<br/>La instalazion e pues continuâ, ma cualchi funzionalitât e podarès vignî disabilitade. + + The installation of %1 did not complete successfully. + @info + La instalazion di %1 no je stade completade cun sucès. - - This program will ask you some questions and set up %2 on your computer. - Chest program al fasarà cualchi domande e al configurarà %2 sul computer. + + Setup Complete + @title + Configurazion completade - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Benvignûts sul program di configurazion Calamares par %1</h1> + + Installation Complete + @title + Instalazion completade - - <h1>Welcome to %1 setup</h1> - <h1>Benvignûts te configurazion di %1</h1> + + The setup of %1 is complete. + @info + La configurazion di %1 e je completade. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Benvignûts sul program di instalazion Calamares par %1</h1> + + The installation of %1 is complete. + @info + La instalazion di %1 e je completade. - - <h1>Welcome to the %1 installer</h1> - <h1>Benvignûts tal program di instalazion di %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Il to non utent al è masse lunc. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' nol è ametût come non utent. + + Set timezone to %1/%2 + @action + Meti il fûs orari su %1/%2 - - Your username must start with a lowercase letter or underscore. - Il to non utent al scugne scomençâ cuntune letare minuscule o une liniute basse. + + The system language will be set to %1. + @info + La lenghe dal sisteme e vignarà configurade a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - A son ametûts dome i numars, lis letaris minusculis, lis liniutis bassis e i tratuts. + + The numbers and dates locale will be set to %1. + @info + La localizazion dai numars e des datis e vignarà configurade a %1. - - Your hostname is too short. - Il to non host al è masse curt. + + Network Installation. (Disabled: Incorrect configuration) + Instalazion di rêt (Disabilitade: configurazion no valide) - - Your hostname is too long. - Il to non host al è masse lunc. + + Network Installation. (Disabled: Received invalid groups data) + Instalazion di rêt. (Disabilitade: ricevûts dâts di grups no valits) - - '%1' is not allowed as hostname. - '%1' nol è ametût come non host. + + Network Installation. (Disabled: Internal error) + Instalazion vie rêt. (Disabilitade: erôr interni) - - Only letters, numbers, underscore and hyphen are allowed. - A son ametûts dome i numars, lis letaris, lis liniutis bassis e i tratuts. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalazion di rêt. (Disabilitade: impussibil recuperâ la liste dai pachets, controlâ la conession di rêt) - - Your passwords do not match! - Lis passwords no corispuindin! + + Network Installation. (Disabled: No package list) + Instalazion vie rêt. (Disabilitade: nissune liste dai pachets) - - OK! - Va ben! + + Package selection + Selezion pachets @@ -1063,98 +1046,115 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Nissun - - Summary - @label - Sintesi + + Summary + @label + Sintesi + + + + This is an overview of what will happen once you start the setup procedure. + Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di configurazion. + + + + This is an overview of what will happen once you start the install procedure. + Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di instalazion. + + + + Your username is too long. + Il to non utent al è masse lunc. + + + + Your username must start with a lowercase letter or underscore. + Il to non utent al scugne scomençâ cuntune letare minuscule o une liniute basse. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + A son ametûts dome i numars, lis letaris minusculis, lis liniutis bassis e i tratuts. + + + + '%1' is not allowed as username. + '%1' nol è ametût come non utent. - - This is an overview of what will happen once you start the setup procedure. - Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di configurazion. + + Your hostname is too short. + Il to non host al è masse curt. - - This is an overview of what will happen once you start the install procedure. - Cheste e je une panoramiche di ce che al sucedarà une volte inviade la procedure di instalazion. + + Your hostname is too long. + Il to non host al è masse lunc. - - Setup Failed - @title - Configurazion falide + + '%1' is not allowed as hostname. + '%1' nol è ametût come non host. - - Installation Failed - @title - Instalazion falide + + Only letters, numbers, underscore and hyphen are allowed. + A son ametûts dome i numars, lis letaris, lis liniutis bassis e i tratuts. - - The setup of %1 did not complete successfully. - @info - La configurazion di %1 no je stade completade cun sucès. + + Your passwords do not match! + Lis passwords no corispuindin! - - The installation of %1 did not complete successfully. - @info - La instalazion di %1 no je stade completade cun sucès. + + OK! + Va ben! - - Setup Complete - @title - Configurazion completade + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Chest computer nol sodisfe i recuisîts minims par configurâ %1.<br/>La configurazion no pues continuâ. - - Installation Complete - @title - Instalazion completade + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Chest computer nol sodisfe i recuisîts minims par instalâ %1.<br/>La instalazion no pues continuâ. - - The setup of %1 is complete. - @info - La configurazion di %1 e je completade. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Chest computer nol sodisfe cualchi recuisît conseât pe configurazion di %1.<br/>La configurazion e pues continuâ, ma cualchi funzionalitât e podarès vignî disabilitade. - - The installation of %1 is complete. - @info - La instalazion di %1 e je completade. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Chest computer nol sodisfe cualchi recuisît conseât pe instalazion di %1.<br/>La instalazion e pues continuâ, ma cualchi funzionalitât e podarès vignî disabilitade. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Chest program al fasarà cualchi domande e al configurarà %2 sul computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Benvignûts sul program di configurazion Calamares par %1</h1> - - Set timezone to %1/%2 - @action - Meti il fûs orari su %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Benvignûts te configurazion di %1</h1> - - The system language will be set to %1. - @info - La lenghe dal sisteme e vignarà configurade a %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Benvignûts sul program di instalazion Calamares par %1</h1> - - The numbers and dates locale will be set to %1. - @info - La localizazion dai numars e des datis e vignarà configurade a %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Benvignûts tal program di instalazion di %1</h1> @@ -1479,9 +1479,14 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Chest dispositîf al à une tabele des partizions <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Chest gjenar di tabele des partizions al è conseât dome pai sistemis plui vecjos, chei che a partissin di un ambient di inviament <strong>BIOS</strong>. In ducj chei altris câs al è conseât doprâ GPT.<br><br><strong>Atenzion:</strong>la tabele des partizions MBR al è un standard sorpassât de ete di MS-DOS.<br>A puedin jessi creadis dome 4 partizions <em>primariis</em> e di chês 4 dome une e pues jessi une partizion <em>estese</em>, che però a pues contignî tantis partizions <em>logjichis</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Chest al è il gjenar di tabele des partizions conseade pai sistemis modernis che a partissin di un ambient di inviament <strong>EFI</strong>. @@ -1494,14 +1499,9 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Il program di instalazion <strong>nol rive a rilevâ une tabele des partizions</strong> sul dispositîf di memorie selezionât.<br><br>O il dispositîf nol à une tabele des partizions o la tabele des partizions e je ruvinade o di gjenar no cognossût.<br>Chest program di instalazion al pues creâ une gnove tabele des partizions par te sedi in maniere automatiche che cu la pagjine dal partizionament manuâl. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Chest al è il gjenar di tabele des partizions conseade pai sistemis modernis che a partissin di un ambient di inviament <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Chest gjenar di tabele des partizions al è conseât dome pai sistemis plui vecjos, chei che a partissin di un ambient di inviament <strong>BIOS</strong>. In ducj chei altris câs al è conseât doprâ GPT.<br><br><strong>Atenzion:</strong>la tabele des partizions MBR al è un standard sorpassât de ete di MS-DOS.<br>A puedin jessi creadis dome 4 partizions <em>primariis</em> e di chês 4 dome une e pues jessi une partizion <em>estese</em>, che però a pues contignî tantis partizions <em>logjichis</em>. + + This device has a <strong>%1</strong> partition table. + Chest dispositîf al à une tabele des partizions <strong>%1</strong>. @@ -2277,7 +2277,7 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< LocaleTests - + Quit Jes @@ -2451,6 +2451,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< label for netinstall module, choose desktop environment Scritori + + + Applications + Aplicazions + Communication @@ -2499,11 +2504,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< label for netinstall module Utilitâts - - - Applications - Aplicazions - NotesQmlViewStep @@ -2676,11 +2676,27 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< The password contains forbidden words in some form La password e conten in cualchi maniere peraulis vietadis + + + The password contains fewer than %n digits + + La password e conten mancul di %n cifre + La password e conten mancul di %n cifris + + The password contains too few digits La password e conten masse pocjis cifris + + + The password contains fewer than %n uppercase letters + + La password e conten mancul di %n letare maiuscule + La password e conten mancul di %n letaris maiusculis + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< The password contains too few lowercase letters La password e conten masse pocjis letaris minusculis - - - The password contains too few non-alphanumeric characters - La password e conten masse pôcs caratars no-alfanumerics - - - - The password is too short - La password e je masse curte - - - - The password does not contain enough character classes - La password no conten vonde classis di caratars - - - - The password contains too many same characters consecutively - La password e conten masse caratars compagns consecutîfs - - - - The password contains too many characters of the same class consecutively - La password e conten masse caratars consecutîfs de stesse classe - - - - The password contains fewer than %n digits - - La password e conten mancul di %n cifre - La password e conten mancul di %n cifris - - - - - The password contains fewer than %n uppercase letters - - La password e conten mancul di %n letare maiuscule - La password e conten mancul di %n letaris maiusculis - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< La password e conten mancul di %n caratars no-alfanumerics + + + The password contains too few non-alphanumeric characters + La password e conten masse pôcs caratars no-alfanumerics + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< La password e je plui curte di %n caratars + + + The password is too short + La password e je masse curte + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< La password e conten mancul di %n classis di caratars + + + The password does not contain enough character classes + La password no conten vonde classis di caratars + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< La password e conten plui di %n caratars consecutîfs compagns + + + The password contains too many same characters consecutively + La password e conten masse caratars compagns consecutîfs + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< La password e conten plui di %n caratars consecutîfs de stesse classe + + + The password contains too many characters of the same class consecutively + La password e conten masse caratars consecutîfs de stesse classe + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partizions + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< No vignarà modificade nissune partizion. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Nissune partizion di sisteme EFI configurade - - - - EFI system partition configured incorrectly - La partizion di sisteme EFI no je stade configurade ben + + Current: + @label + Atuâl: + + + + After: + @label + Dopo: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Une partizion di sisteme EFI e je necessarie par inviâ %1. <br/><br/>Par configurâ une partizion di sisteme EFI, torne indaûr e selezione o cree un filesystem adat. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< The filesystem must have type FAT32. Al è necessari che il filesystem al sedi di gjenar FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Il filesystem al à di vê ativade la opzion <strong>%1</strong>. + @@ -3270,38 +3279,29 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< Al è necessari che il filesystem al sedi grant almancul %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - Il filesystem al à di vê ativade la opzion <strong>%1</strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Partizions + + You can continue without setting up an EFI system partition but your system may fail to start. + Tu puedis continuâ cence configurâ une partizion di sisteme EFI ma al è pussibil che il to sisteme nol rivi a inviâsi. - - Current: - @label - Atuâl: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Dopo: + + No EFI system partition configured + Nissune partizion di sisteme EFI configurade - - You can continue without setting up an EFI system partition but your system may fail to start. - Tu puedis continuâ cence configurâ une partizion di sisteme EFI ma al è pussibil che il to sisteme nol rivi a inviâsi. + + EFI system partition configured incorrectly + La partizion di sisteme EFI no je stade configurade ben @@ -3398,14 +3398,14 @@ Il program di instalazion al jessarà e dutis lis modifichis a laran pierdudis.< ProcessResult - + There was no output from the command. No si à vût un output dal comant. - + Output: @@ -3414,52 +3414,52 @@ Output: - + External command crashed. Comant esterni colassât. - + Command <i>%1</i> crashed. Comant <i>%1</i> colassât. - + External command failed to start. Il comant esterni nol è rivât a inviâsi. - + Command <i>%1</i> failed to start. Il comant <i>%1</i> nol è rivât a inviâsi. - + Internal error when starting command. Erôr interni tal inviâ il comant. - + Bad parameters for process job call. Parametris sbaliâts par processâ la clamade de operazion. - + External command failed to finish. Il comant esterni nol è stât finît. - + Command <i>%1</i> failed to finish in %2 seconds. Il comant <i>%1</i> nol è stât finît in %2 seconts. - + External command finished with errors. Il comant esterni al è terminât cun erôrs. - + Command <i>%1</i> finished with exit code %2. Il comant <i>%1</i> al è terminât cul codiç di jessude %2. @@ -3471,6 +3471,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + no cognossût + + + + extended + @partition info + estese + + + + unformatted + @partition info + no formatade + + + + swap + @partition info + swap + @@ -3502,30 +3526,6 @@ Output: (no mount point) (nissun pont di montaç) - - - unknown - @partition info - no cognossût - - - - extended - @partition info - estese - - - - unformatted - @partition info - no formatade - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3962,17 +3962,17 @@ Output: Cannot disable root account. Impussibil disabilitâ l'account di root. - - - Cannot set password for user %1. - Impussibil stabilî la password pal utent %1. - usermod terminated with error code %1. usermod terminât cun codiç di erôr %1. + + + Cannot set password for user %1. + Impussibil stabilî la password pal utent %1. + SetTimezoneJob @@ -4065,7 +4065,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4884,11 +4885,21 @@ Output: What is your name? Ce non âstu? + + + Your full name + + What name do you want to use to log in? Ce non vûstu doprâ pe autenticazion? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4909,11 +4920,21 @@ Output: What is the name of this computer? Ce non aial chest computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Si doprarà chest non se tu rindis visibil a altris chest computer suntune rêt. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + A son acetâts dome letaris, numars, tratuts bas e tratuts, cuntun minim di doi caratars. + localhost is not allowed as hostname. @@ -4929,11 +4950,31 @@ Output: Password Password + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Inserìs la stesse password dôs voltis, in mût di evitâ erôrs di batidure. Une buine password e contignarà un miscliç di letaris, numars e puntuazions, e sarà lungje almancul vot caratars e si scugnarà cambiâle a intervai regolârs. + + + Reuse user password as root password + Torne dopre la password dal utent pe password di root + + + + Use the same password for the administrator account. + Dopre la stesse password pal account di aministradôr. + + + + Choose a root password to keep your account safe. + Sielç une password di root par tignî il to account al sigûr. + Root password @@ -4945,14 +4986,9 @@ Output: - - Validate passwords quality - Convalidâ la cualitât des passwords - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Cuant che cheste casele e je selezionade, il control su la fuarce de password al ven fat e no si podarà doprâ une password debile. + + Enter the same password twice, so that it can be checked for typing errors. + Inserìs la stesse password dôs voltis, in mût di evitâ erôrs di batidure. @@ -4960,49 +4996,14 @@ Output: Jentre in automatic cence domandâ la password - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - A son acetâts dome letaris, numars, tratuts bas e tratuts, cuntun minim di doi caratars. - - - - Repeat password - - - - - Reuse user password as root password - Torne dopre la password dal utent pe password di root - - - - Use the same password for the administrator account. - Dopre la stesse password pal account di aministradôr. - - - - Choose a root password to keep your account safe. - Sielç une password di root par tignî il to account al sigûr. + + Validate passwords quality + Convalidâ la cualitât des passwords - - Enter the same password twice, so that it can be checked for typing errors. - Inserìs la stesse password dôs voltis, in mût di evitâ erôrs di batidure. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Cuant che cheste casele e je selezionade, il control su la fuarce de password al ven fat e no si podarà doprâ une password debile. @@ -5017,11 +5018,21 @@ Output: What is your name? Ce non âstu? + + + Your full name + + What name do you want to use to log in? Ce non vûstu doprâ pe autenticazion? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5042,16 +5053,6 @@ Output: What is the name of this computer? Ce non aial chest computer? - - - Your full name - - - - - Login name - - Computer name @@ -5087,16 +5088,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5117,6 +5108,16 @@ Output: Choose a root password to keep your account safe. Sielç une password di root par tignî il to account al sigûr. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_gl.ts b/lang/calamares_gl.ts index 716fbddfe1..670b3d5c7c 100644 --- a/lang/calamares_gl.ts +++ b/lang/calamares_gl.ts @@ -127,18 +127,13 @@ Interface - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -146,11 +141,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -161,6 +151,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -392,6 +392,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -408,7 +427,7 @@ &Pechar - + Setup Failed @title @@ -438,13 +457,13 @@ Non é posíbel instalar %1. O calamares non foi quen de cargar todos os módulos configurados. Este é un problema relacionado con como esta distribución utiliza o Calamares. - + <br/>The following modules could not be loaded: @info <br/> Non foi posíbel cargar os módulos seguintes: - + Continue with Setup? @title @@ -462,128 +481,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version O %1 instalador está a piques de realizar cambios no seu disco para instalar %2.<br/><strong>Estes cambios non poderán desfacerse.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Completouse a instalacion. Peche o instalador - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Seguinte - + &Back @button &Atrás - + &Done @button &Feito - + &Cancel @button &Cancelar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Desexa realmente cancelar o proceso actual de instalación? @@ -593,25 +593,25 @@ O instalador pecharase e perderanse todos os cambios. CalamaresPython::Helper - + Unknown exception type @error Excepción descoñecida - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ O instalador pecharase e perderanse todos os cambios. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionado manual</strong><br/> Pode crear o redimensionar particións pola súa conta. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Seleccione unha partición para acurtar, logo empregue a barra para redimensionala</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ O instalador pecharase e perderanse todos os cambios. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Seleccione unha partición para acurtar, logo empregue a barra para redimensionala</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ O instalador pecharase e perderanse todos os cambios. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionado manual</strong><br/> Pode crear o redimensionar particións pola súa conta. + Bootloader location: @@ -836,44 +836,44 @@ O instalador pecharase e perderanse todos os cambios. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Desmontar os volumes para levar a cabo as operacións de particionado en %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Os volumes para %1 foron desmontados @@ -909,129 +909,112 @@ O instalador pecharase e perderanse todos os cambios. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) - Instalación de rede. (Desactivado: Recibírense datos de grupos incorrectos) + + Installation Failed + @title + Erro na instalación - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Selección de pacotes. - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Installación por rede. (Desactivadas. Non se pudo recupera-la lista de pacotes, comprobe a sua conexión a rede) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Instalacion completa - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Este ordenador non satisfai algúns dos requisitos recomendados para instalar %1.<br/> A instalación pode continuar, pero pode que algunhas características sexan desactivadas. - - - - This program will ask you some questions and set up %2 on your computer. - Este programa faralle algunhas preguntas mentres prepara %2 no seu ordenador. + + The installation of %1 is complete. + @info + Completouse a instalación de %1 - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to %1 setup</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the Calamares installer for %1</h1> - + + Set timezone to %1/%2 + @action + Estabelecer a fuso horario de %1/%2 - - <h1>Welcome to the %1 installer</h1> - + + The system language will be set to %1. + @info + A linguaxe do sistema será establecida a %1. - - Your username is too long. - O nome de usuario é demasiado longo. + + The numbers and dates locale will be set to %1. + @info + A localización de números e datas será establecida a %1. - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. - + + Network Installation. (Disabled: Received invalid groups data) + Instalación de rede. (Desactivado: Recibírense datos de grupos incorrectos) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - O nome do computador é demasiado curto. - - - - Your hostname is too long. - O nome do computador é demasiado longo. - - - - '%1' is not allowed as hostname. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Installación por rede. (Desactivadas. Non se pudo recupera-la lista de pacotes, comprobe a sua conexión a rede) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Os contrasinais non coinciden! - - - - OK! - + + Package selection + Selección de pacotes. @@ -1075,82 +1058,99 @@ O instalador pecharase e perderanse todos os cambios. Esta é unha vista xeral do que vai acontecer cando inicie o procedemento de instalación. - - Setup Failed - @title + + Your username is too long. + O nome de usuario é demasiado longo. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Erro na instalación + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + O nome do computador é demasiado curto. + + + + Your hostname is too long. + O nome do computador é demasiado longo. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title - Instalacion completa + + Your passwords do not match! + Os contrasinais non coinciden! - - The setup of %1 is complete. - @info + + OK! - - The installation of %1 is complete. - @info - Completouse a instalación de %1 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Estabelecer a fuso horario de %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Este ordenador non satisfai algúns dos requisitos recomendados para instalar %1.<br/> A instalación pode continuar, pero pode que algunhas características sexan desactivadas. - - The system language will be set to %1. - @info - A linguaxe do sistema será establecida a %1. + + This program will ask you some questions and set up %2 on your computer. + Este programa faralle algunhas preguntas mentres prepara %2 no seu ordenador. - - The numbers and dates locale will be set to %1. - @info - A localización de números e datas será establecida a %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1475,9 +1475,14 @@ O instalador pecharase e perderanse todos os cambios. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - O dispositivo ten <strong>%1</strong> una táboa de partición. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Esta táboa de partición so é recomendabel en sistemas vellos que empezan dende un sistema de arranque <strong>BIOS</strong>. GPT é recomendabel na meirande parte dos outros casos.<br><br><strong>Atención:</strong>A táboa de partición MBR é un estándar obsoleto da época do MS-DOS.<br>So pódense crear 4 particións <em>primarias</em>, e desas 4, una pode ser unha partición<em>extensa</em>, que pode conter muitas particións <em>lóxicas</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Este é o tipo de táboa de partición recomendada para sistema modernos que empezan dende un sistema de arranque <strong>EFI</strong>. @@ -1490,14 +1495,9 @@ O instalador pecharase e perderanse todos os cambios. Este instalador <strong>non pode detectar unha táboa de partición </strong>no sistema de almacenamento seleccionado. <br><br>O dispositivo non ten táboa de particion ou a táboa de partición está corrompida ou é dun tipo descoñecido.<br>Este instalador poder crear una táboa de partición nova por vóstede, ben automaticamente ou a través de páxina de particionamento a man. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Este é o tipo de táboa de partición recomendada para sistema modernos que empezan dende un sistema de arranque <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Esta táboa de partición so é recomendabel en sistemas vellos que empezan dende un sistema de arranque <strong>BIOS</strong>. GPT é recomendabel na meirande parte dos outros casos.<br><br><strong>Atención:</strong>A táboa de partición MBR é un estándar obsoleto da época do MS-DOS.<br>So pódense crear 4 particións <em>primarias</em>, e desas 4, una pode ser unha partición<em>extensa</em>, que pode conter muitas particións <em>lóxicas</em>. + + This device has a <strong>%1</strong> partition table. + O dispositivo ten <strong>%1</strong> una táboa de partición. @@ -2273,7 +2273,7 @@ O instalador pecharase e perderanse todos os cambios. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ O instalador pecharase e perderanse todos os cambios. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ O instalador pecharase e perderanse todos os cambios. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,11 +2668,27 @@ O instalador pecharase e perderanse todos os cambios. The password contains forbidden words in some form O contrasinal contén palabras prohibidas ou unha variante + + + The password contains fewer than %n digits + + + + + The password contains too few digits O contrasinal contén moi poucos díxitos + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2691,47 +2707,6 @@ O instalador pecharase e perderanse todos os cambios. The password contains too few lowercase letters O contrasinal contén moi poucas minúsculas - - - The password contains too few non-alphanumeric characters - O contrasinal contén moi poucos caracteres non alfanuméricos - - - - The password is too short - O contrasinal é moi curto - - - - The password does not contain enough character classes - O contrasinal non contén suficientes clases de caracteres - - - - The password contains too many same characters consecutively - O contrasinal contén demasiados caracteres iguais consecutivos - - - - The password contains too many characters of the same class consecutively - O contrasinal contén demasiados caracteres da mesma clase consecutivos - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2740,6 +2715,11 @@ O instalador pecharase e perderanse todos os cambios. + + + The password contains too few non-alphanumeric characters + O contrasinal contén moi poucos caracteres non alfanuméricos + The password is shorter than %n characters @@ -2748,6 +2728,11 @@ O instalador pecharase e perderanse todos os cambios. + + + The password is too short + O contrasinal é moi curto + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ O instalador pecharase e perderanse todos os cambios. + + + The password does not contain enough character classes + O contrasinal non contén suficientes clases de caracteres + The password contains more than %n same characters consecutively @@ -2769,6 +2759,11 @@ O instalador pecharase e perderanse todos os cambios. + + + The password contains too many same characters consecutively + O contrasinal contén demasiados caracteres iguais consecutivos + The password contains more than %n characters of the same class consecutively @@ -2777,6 +2772,11 @@ O instalador pecharase e perderanse todos os cambios. + + + The password contains too many characters of the same class consecutively + O contrasinal contén demasiados caracteres da mesma clase consecutivos + The password contains monotonic sequence longer than %n characters @@ -3200,6 +3200,18 @@ O instalador pecharase e perderanse todos os cambios. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particións + Unsafe partition actions are enabled. @@ -3216,33 +3228,25 @@ O instalador pecharase e perderanse todos os cambios. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Actual: - - No EFI system partition configured - Non hai ningunha partición de sistema EFI configurada + + After: + @label + Despois: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3255,6 +3259,11 @@ O instalador pecharase e perderanse todos os cambios. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3262,37 +3271,28 @@ O instalador pecharase e perderanse todos os cambios. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particións - - - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Despois: + + No EFI system partition configured + Non hai ningunha partición de sistema EFI configurada - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3390,14 +3390,14 @@ O instalador pecharase e perderanse todos os cambios. ProcessResult - + There was no output from the command. A saída non produciu ningunha saída. - + Output: @@ -3406,52 +3406,52 @@ Saída: - + External command crashed. A orde externa fallou - + Command <i>%1</i> crashed. A orde <i>%1</i> fallou. - + External command failed to start. Non foi posíbel iniciar a orde externa. - + Command <i>%1</i> failed to start. Non foi posíbel iniciar a orde <i>%1</i>. - + Internal error when starting command. Produciuse un erro interno ao iniciar a orde. - + Bad parameters for process job call. Erro nos parámetros ao chamar o traballo - + External command failed to finish. A orde externa non se puido rematar. - + Command <i>%1</i> failed to finish in %2 seconds. A orde <i>%1</i> non se puido rematar en %2s segundos. - + External command finished with errors. A orde externa rematou con erros. - + Command <i>%1</i> finished with exit code %2. A orde <i>%1</i> rematou co código de erro %2. @@ -3463,6 +3463,30 @@ Saída: %1 (%2) %1 (%2) + + + unknown + @partition info + descoñecido + + + + extended + @partition info + estendido + + + + unformatted + @partition info + sen formatar + + + + swap + @partition info + intercambio + @@ -3494,30 +3518,6 @@ Saída: (no mount point) - - - unknown - @partition info - descoñecido - - - - extended - @partition info - estendido - - - - unformatted - @partition info - sen formatar - - - - swap - @partition info - intercambio - Unpartitioned space or unknown partition table @@ -3951,17 +3951,17 @@ Saída: Cannot disable root account. Non é posíbel desactivar a conta do superusuario. - - - Cannot set password for user %1. - Non é posíbel configurar o contrasinal do usuario %1. - usermod terminated with error code %1. usermod terminou co código de erro %1. + + + Cannot set password for user %1. + Non é posíbel configurar o contrasinal do usuario %1. + SetTimezoneJob @@ -4054,7 +4054,8 @@ Saída: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4841,11 +4842,21 @@ Saída: What is your name? Cal é o seu nome? + + + Your full name + + What name do you want to use to log in? Cal é o nome que quere usar para entrar? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4866,11 +4877,21 @@ Saída: What is the name of this computer? Cal é o nome deste computador? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4887,78 +4908,58 @@ Saída: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality + + Repeat password - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Log in automatically without asking for the password + + Reuse user password as root password - - Your full name - + + Use the same password for the administrator account. + Empregar o mesmo contrasinal para a conta de administrador. - - Login name + + Choose a root password to keep your account safe. - - Computer name + + Root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Repeat root password - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password + + Log in automatically without asking for the password - - Use the same password for the administrator account. - Empregar o mesmo contrasinal para a conta de administrador. - - - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4974,11 +4975,21 @@ Saída: What is your name? Cal é o seu nome? + + + Your full name + + What name do you want to use to log in? Cal é o nome que quere usar para entrar? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4999,16 +5010,6 @@ Saída: What is the name of this computer? Cal é o nome deste computador? - - - Your full name - - - - - Login name - - Computer name @@ -5044,16 +5045,6 @@ Saída: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5074,6 +5065,16 @@ Saída: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_gu.ts b/lang/calamares_gu.ts index 279c87dcc5..747b7aeeee 100644 --- a/lang/calamares_gu.ts +++ b/lang/calamares_gu.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_he.ts b/lang/calamares_he.ts index 9155e545cc..d5be2af5b6 100644 --- a/lang/calamares_he.ts +++ b/lang/calamares_he.ts @@ -125,31 +125,21 @@ Interface: מנשק: + + + Crashes Calamares, so that Dr. Konqi can look at it. + מקריס את Calamares כדי ש־Dr. Konqi יוכל לעיין בזה. + Reloads the stylesheet from the branding directory. מרענן את גיליון העיצוב מתיקיית המיתוג. - - - Uploads the session log to the configured pastebin. - מעלה את יומן ההפעלה ל־pastebin המוגדר. - - - - Send Session Log - שליחת קובץ היומן של ההפעלה - Reload Stylesheet טעינת גיליון הסגנון מחדש - - - Crashes Calamares, so that Dr. Konqi can look at it. - מקריס את Calamares כדי ש־Dr. Konqi יוכל לעיין בזה. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree עץ וידג׳טים + + + Uploads the session log to the configured pastebin. + מעלה את יומן ההפעלה ל־pastebin המוגדר. + + + + Send Session Log + שליחת קובץ היומן של ההפעלה + Debug Information @@ -380,7 +380,7 @@ (%n second(s)) @status - (שנייה) + ((שנייה אחת) (שתי שניות) (%n שניות) (%n שניות) @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + ההעלאה לא הצליחה. לא בוצעה הדבקה לאינטרנט. + + + + Install log posted to + +%1 + +Link copied to clipboard + יומן ההתקנה פורסם אל + +%1 + +הקישור הועתק ללוח הגזירים + + + + Install Log Paste URL + כתובת הדבקת יומן התקנה + &Yes @@ -411,7 +434,7 @@ &סגירה - + Setup Failed @title ההתקנה נכשלה @@ -441,13 +464,13 @@ אין אפשרות להתקין את %1. ל־Calamares אין אפשרות לטעון את המודולים המוגדרים. מדובר בתקלה באופן בו ההפצה משתמשת ב־Calamares. - + <br/>The following modules could not be loaded: @info <br/>לא ניתן לטעון את המודולים הבאים: - + Continue with Setup? @title להמשיך בהגדרות? @@ -465,133 +488,110 @@ תכנית ההתקנה של %1 עומדת לבצע שינויים בכונן הקשיח שלך לטובת התקנת %2.<br/><strong>לא תהיה לך אפשרות לבטל את השינויים האלה.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version אשף התקנת %1 עומד לבצע שינויים בכונן שלך לטובת התקנת %2.<br/><strong>לא תהיה אפשרות לבטל את השינויים הללו.</strong> - + &Set Up Now @button לה&גדיר עכשיו - + &Install Now @button להת&קין עכשיו - + Go &Back @button ח&זרה - + &Set Up @button ה&גדרה - + &Install @button הת&קנה - + Setup is complete. Close the setup program. @tooltip ההתקנה הושלמה. נא לסגור את תכנית ההתקנה. - + The installation is complete. Close the installer. @tooltip ההתקנה הושלמה. נא לסגור את אשף ההתקנה. - + Cancel the setup process without changing the system. @tooltip לבטל את תהליך ההגדרה מבלי לשנות את המערכת. - + Cancel the installation process without changing the system. @tooltip לבטל את תהליך ההתקנה מבלי לשנות את המערכת. - + &Next @button &קדימה - + &Back @button &אחורה - + &Done @button &סיום - + &Cancel @button &ביטול - + Cancel Setup? @title לבטל את ההגדרה? - + Cancel Installation? @title לבטל את ההתקנה? - - Install Log Paste URL - כתובת הדבקת יומן התקנה - - - - The upload was unsuccessful. No web-paste was done. - ההעלאה לא הצליחה. לא בוצעה הדבקה לאינטרנט. - - - - Install log posted to - -%1 - -Link copied to clipboard - יומן ההתקנה פורסם אל - -%1 - -הקישור הועתק ללוח הגזירים - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. האם לבטל את תהליך ההתקנה הנוכחי? אשף ההתקנה ייסגר וכל השינויים יאבדו. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. האם לבטל את תהליך ההתקנה הנוכחי? @@ -601,25 +601,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error סוג חריגה לא מוכר - + Unparseable Python error @error שגיאת Python שלא ניתן לפענח - + Unparseable Python traceback @error מעקב לאחור של Python שלא ניתן לפענח - + Unfetchable Python error @error שגיאת Python שאי אפשר למשוך @@ -676,16 +676,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>הגדרת מחיצות באופן ידני</strong><br/>ניתן ליצור או לשנות את גודל המחיצות בעצמך. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ראשית יש לבחור מחיצה לכיווץ, לאחר מכן לגרור את הסרגל התחתון כדי לשנות את גודלה</strong> - Select storage de&vice: @@ -711,7 +701,12 @@ The installer will quit and all changes will be lost. Reuse %1 as home partition for %2 @label - להשתמש מחדש ב־%1 כמחיצת הבית (home) של %2. {1 ?} {2?} + להשתמש ב־%1 מחדש כמחיצת הבית של %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ראשית יש לבחור מחיצה לכיווץ, לאחר מכן לגרור את הסרגל התחתון כדי לשנות את גודלה</strong> @@ -834,6 +829,11 @@ The installer will quit and all changes will be lost. @label החלפה לקובץ + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>הגדרת מחיצות באופן ידני</strong><br/>ניתן ליצור או לשנות את גודל המחיצות בעצמך. + Bootloader location: @@ -844,44 +844,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. הניתוק של %1 הצליח. - + Successfully disabled swap %1. שטח ההחלפה %1 הושבת בהצלחה. - + Successfully cleared swap %1. שטח ההחלפה %1 התפנה בהצלחה. - + Successfully closed mapper device %1. התקן המיפוי %1 נסגר בהצלחה. - + Successfully disabled volume group %1. קבוצת הכרכים %1 הושבתה בהצלחה. - + Clear mounts for partitioning operations on %1 @title מחיקת נקודות עיגון עבור פעולות חלוקה למחיצות על %1. - + Clearing mounts for partitioning operations on %1… @status - מתבצעת מחיקה של נקודות עיגון לטובת פעולות חלוקה למחיצות על %1. {1…?} + - + Cleared all mounts for %1 כל נקודות העיגון על %1 נמחקו. @@ -917,129 +917,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - התקנה מהרשת. (מושבתת: תצורה שגויה) - - - - Network Installation. (Disabled: Received invalid groups data) - התקנה מהרשת. (מושבתת: המידע שהתקבל על קבוצות שגוי) - - - - Network Installation. (Disabled: Internal error) - התקנה מהרשת. (מושבתת: שגיאה פנימית) - - - - Network Installation. (Disabled: No package list) - התקנה מהרשתץ (מושבתת: אין רשימת חבילות) - - - - Package selection - בחירת חבילות - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - התקנה מהרשת. (מושבתת: לא ניתן לקבל רשימות של חבילות תכנה, נא לבדוק את החיבור לרשת) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - המחשב לא עומד בדרישות הסף להתקנת %1.<br/>ההגדרה לא יכולה להמשיך. + + Setup Failed + @title + ההתקנה נכשלה - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - המחשב לא עומד בדרישות הסף להתקנת %1.<br/>ההתקנה לא יכולה להמשיך. + + Installation Failed + @title + ההתקנה נכשלה - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. + + The setup of %1 did not complete successfully. + @info + התקנת %1 לא הושלמה בהצלחה. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - המחשב לא עומד בחלק מרף דרישות המינימום להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. + + The installation of %1 did not complete successfully. + @info + התקנת %1 לא הושלמה בהצלחה. - - This program will ask you some questions and set up %2 on your computer. - תכנית זו תשאל אותך מספר שאלות ותתקין את %2 על המחשב שלך. + + Setup Complete + @title + ההתקנה הושלמה - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>ברוך בואך לתכנית ההתקנה Calamares עבור %1</h1> + + Installation Complete + @title + ההתקנה הושלמה - - <h1>Welcome to %1 setup</h1> - <h1>ברוך בואך להתקנת %1</h1> + + The setup of %1 is complete. + @info + ההתקנה של %1 הושלמה. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>ברוך בואך להתקנת %1 עם Calamares</h1> + + The installation of %1 is complete. + @info + ההתקנה של %1 הושלמה. - - <h1>Welcome to the %1 installer</h1> - <h1>ברוך בואך להתקנת %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + דגם המקלדת הוגדר לכדי %1<br/>. - - Your username is too long. - שם המשתמש ארוך מדי. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + פריסת המקלדת הוגדרה לכדי %1/%2. - - '%1' is not allowed as username. - אסור להשתמש ב־‚%1’ כשם משתמש. + + Set timezone to %1/%2 + @action + הגדרת אזור הזמן שיהיה %1/%2 - - Your username must start with a lowercase letter or underscore. - שם המשתמש שלך חייב להתחיל באות קטנה או בקו תחתי. + + The system language will be set to %1. + @info + שפת המערכת תהיה %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - מותר להשתמש רק באותיות קטנות, ספרות, קווים תחתיים ומינוסים. + + The numbers and dates locale will be set to %1. + @info + תבנית המספרים והתאריכים של המקום יוגדרו להיות %1. - - Your hostname is too short. - שם המחשב קצר מדי. + + Network Installation. (Disabled: Incorrect configuration) + התקנה מהרשת. (מושבתת: תצורה שגויה) - - Your hostname is too long. - שם המחשב ארוך מדי. + + Network Installation. (Disabled: Received invalid groups data) + התקנה מהרשת. (מושבתת: המידע שהתקבל על קבוצות שגוי) - - '%1' is not allowed as hostname. - אסור להשתמש ב־‚%1’ כשם מארח. + + Network Installation. (Disabled: Internal error) + התקנה מהרשת. (מושבתת: שגיאה פנימית) - - Only letters, numbers, underscore and hyphen are allowed. - מותר להשתמש רק באותיות, ספרות, קווים תחתיים ומינוסים. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + התקנה מהרשת. (מושבתת: לא ניתן לקבל רשימות של חבילות תכנה, נא לבדוק את החיבור לרשת) - - Your passwords do not match! - הסיסמאות לא תואמות! + + Network Installation. (Disabled: No package list) + התקנה מהרשתץ (מושבתת: אין רשימת חבילות) - - OK! - בסדר! + + Package selection + בחירת חבילות @@ -1083,82 +1066,99 @@ The installer will quit and all changes will be lost. זו סקירה של מה שיקרה לאחר התחלת תהליך ההתקנה. - - Setup Failed - @title - ההתקנה נכשלה + + Your username is too long. + שם המשתמש ארוך מדי. - - Installation Failed - @title - ההתקנה נכשלה + + Your username must start with a lowercase letter or underscore. + שם המשתמש שלך חייב להתחיל באות קטנה או בקו תחתי. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + מותר להשתמש רק באותיות קטנות, ספרות, קווים תחתיים ומינוסים. + + + + '%1' is not allowed as username. + אסור להשתמש ב־‚%1’ כשם משתמש. + + + + Your hostname is too short. + שם המחשב קצר מדי. + + + + Your hostname is too long. + שם המחשב ארוך מדי. + + + + '%1' is not allowed as hostname. + אסור להשתמש ב־‚%1’ כשם מארח. + + + + Only letters, numbers, underscore and hyphen are allowed. + מותר להשתמש רק באותיות, ספרות, קווים תחתיים ומינוסים. - - The setup of %1 did not complete successfully. - @info - התקנת %1 לא הושלמה בהצלחה. + + Your passwords do not match! + הסיסמאות לא תואמות! - - The installation of %1 did not complete successfully. - @info - התקנת %1 לא הושלמה בהצלחה. + + OK! + בסדר! - - Setup Complete - @title - ההתקנה הושלמה + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + המחשב לא עומד בדרישות הסף להתקנת %1.<br/>ההגדרה לא יכולה להמשיך. - - Installation Complete - @title - ההתקנה הושלמה + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + המחשב לא עומד בדרישות הסף להתקנת %1.<br/>ההתקנה לא יכולה להמשיך. - - The setup of %1 is complete. - @info - ההתקנה של %1 הושלמה. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - - The installation of %1 is complete. - @info - ההתקנה של %1 הושלמה. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + המחשב לא עומד בחלק מרף דרישות המינימום להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - דגם המקלדת הוגדר לכדי %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + תכנית זו תשאל אותך מספר שאלות ותתקין את %2 על המחשב שלך. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - פריסת המקלדת הוגדרה לכדי %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>ברוך בואך לתכנית ההתקנה Calamares עבור %1</h1> - - Set timezone to %1/%2 - @action - הגדרת אזור הזמן שיהיה %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>ברוך בואך להתקנת %1</h1> - - The system language will be set to %1. - @info - שפת המערכת תהיה %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>ברוך בואך להתקנת %1 עם Calamares</h1> - - The numbers and dates locale will be set to %1. - @info - תבנית המספרים והתאריכים של המקום יוגדרו להיות %1. + + <h1>Welcome to the %1 installer</h1> + <h1>ברוך בואך להתקנת %1</h1> @@ -1312,7 +1312,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition on %2… @status - + נוצרת מחיצת %1 חדשה על %2… @@ -1356,7 +1356,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition table on %2… @status - + נוצרת טבלת מחיצות חדשה מסוג %1 על %2… @@ -1424,13 +1424,13 @@ The installer will quit and all changes will be lost. Creating new volume group named %1… @status - + נוצרת קבוצת כרכים חדשה בשם %1… Creating new volume group named <strong>%1</strong>… @status - + נוצרת קבוצת כרכים חדשה בשם <strong>%1</strong>… @@ -1466,7 +1466,7 @@ The installer will quit and all changes will be lost. Deleting partition %1… @status - + המחיצה %1 נמחקת… @@ -1483,9 +1483,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - בהתקן זה קיימת טבלת מחיצות מסוג <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>סוג זה של טבלת מחיצות מומלץ לשימוש במערכות ישנות שנטענות מסביבת טעינה מסוג <strong>BIOS</strong>. ברוב המקרים האחרים, מומלץ להשתמש ב־GPT.<br><br><strong>אזהרה:</strong> תקן טבלת המחיצות MBR הוא עוד מתקופת ה־MS-DOS.<br> ניתן ליצור אך ורק 4 מחיצות <em>ראשיות</em>, מתוכן, אחת יכולה להיות מוגדרת כמחיצה <em>מורחבת</em>, ויכולה להכיל מחיצות <em>לוגיות</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br> זהו סוג טבלת מחיצות מועדף במערכות מודרניות, אשר נטענות ממחיצת טעינת מערכת <strong>EFI</strong>. @@ -1498,14 +1503,9 @@ The installer will quit and all changes will be lost. אשף ההתקנה <strong>לא יכול לזהות את טבלת המחיצות</strong> שבהתקן האחסון הנבחר.<br><br> ההתקן הנבחר לא מכיל טבלת מחיצות, או שטבלת המחיצות הקיימת הושחתה או שסוג הטבלה אינו מוכר.<br> אשף התקנה זה יכול ליצור טבלת מחיצות חדשה עבורך אוטומטית או בדף הגדרת מחיצות באופן ידני. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br> זהו סוג טבלת מחיצות מועדף במערכות מודרניות, אשר נטענות ממחיצת טעינת מערכת <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>סוג זה של טבלת מחיצות מומלץ לשימוש במערכות ישנות שנטענות מסביבת טעינה מסוג <strong>BIOS</strong>. ברוב המקרים האחרים, מומלץ להשתמש ב־GPT.<br><br><strong>אזהרה:</strong> תקן טבלת המחיצות MBR הוא עוד מתקופת ה־MS-DOS.<br> ניתן ליצור אך ורק 4 מחיצות <em>ראשיות</em>, מתוכן, אחת יכולה להיות מוגדרת כמחיצה <em>מורחבת</em>, ויכולה להכיל מחיצות <em>לוגיות</em>. + + This device has a <strong>%1</strong> partition table. + בהתקן זה קיימת טבלת מחיצות מסוג <strong>%1</strong>. @@ -1710,7 +1710,7 @@ The installer will quit and all changes will be lost. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - הקמת מחיצת %2 <strong>חדשה</strong> עם נקודת העיגון <strong>%1</strong> %3. {2 ?} {1<?} {3?} + @@ -2281,7 +2281,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit יציאה @@ -2455,6 +2455,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment שולחן עבודה + + + Applications + יישומים + Communication @@ -2503,11 +2508,6 @@ The installer will quit and all changes will be lost. label for netinstall module כלים - - - Applications - יישומים - NotesQmlViewStep @@ -2680,11 +2680,31 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form הסיסמה מכילה מילים אסורות בצורה כלשהי + + + The password contains fewer than %n digits + + הסיסמה מכילה פחות מספרה + הסיסמה מכילה פחות מ־%n ספרות + הסיסמה מכילה פחות מ־%n ספרות + הסיסמה מכילה פחות מ־%n ספרות + + The password contains too few digits הסיסמה לא מכילה מספיק ספרות + + + The password contains fewer than %n uppercase letters + + הסיסמה מכילה פחות מאות גדולה אחת + הסיסמה מכילה פחות מ־%n אותיות גדולות + הסיסמה מכילה פחות מ־%n אותיות גדולות + הסיסמה מכילה פחות מ־%n אותיות גדולות + + The password contains too few uppercase letters @@ -2705,51 +2725,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters הסיסמה אינה מכילה מספיק אותיות קטנות - - - The password contains too few non-alphanumeric characters - הסיסמה מכילה מעט מדי תווים שאינם אלפאנומריים - - - - The password is too short - הסיסמה קצרה מדי - - - - The password does not contain enough character classes - הסיסמה לא מכילה מספיק סוגי תווים - - - - The password contains too many same characters consecutively - הסיסמה מכילה יותר מדי תווים זהים ברצף - - - - The password contains too many characters of the same class consecutively - הסיסמה מכילה יותר מדי תווים מאותו הסוג ברצף - - - - The password contains fewer than %n digits - - הסיסמה מכילה פחות מספרה - הסיסמה מכילה פחות מ־%n ספרות - הסיסמה מכילה פחות מ־%n ספרות - הסיסמה מכילה פחות מ־%n ספרות - - - - - The password contains fewer than %n uppercase letters - - הסיסמה מכילה פחות מאות גדולה אחת - הסיסמה מכילה פחות מ־%n אותיות גדולות - הסיסמה מכילה פחות מ־%n אותיות גדולות - הסיסמה מכילה פחות מ־%n אותיות גדולות - - The password contains fewer than %n non-alphanumeric characters @@ -2760,6 +2735,11 @@ The installer will quit and all changes will be lost. הסיסמה מכילה פחות מ־%n תווים שאינם אלפאנומריים + + + The password contains too few non-alphanumeric characters + הסיסמה מכילה מעט מדי תווים שאינם אלפאנומריים + The password is shorter than %n characters @@ -2770,6 +2750,11 @@ The installer will quit and all changes will be lost. הסיסמה קצרה מ־%n תווים + + + The password is too short + הסיסמה קצרה מדי + The password is a rotated version of the previous one @@ -2785,6 +2770,11 @@ The installer will quit and all changes will be lost. הסיסמה מכילה פחות מ־%n מחלקות תווים + + + The password does not contain enough character classes + הסיסמה לא מכילה מספיק סוגי תווים + The password contains more than %n same characters consecutively @@ -2795,6 +2785,11 @@ The installer will quit and all changes will be lost. הסיסמה מכילה למעלה מ־%n תווים זהים ברצף + + + The password contains too many same characters consecutively + הסיסמה מכילה יותר מדי תווים זהים ברצף + The password contains more than %n characters of the same class consecutively @@ -2805,6 +2800,11 @@ The installer will quit and all changes will be lost. הסיסמה מכילה למעלה מ־%n תווים זהים ברצף + + + The password contains too many characters of the same class consecutively + הסיסמה מכילה יותר מדי תווים מאותו הסוג ברצף + The password contains monotonic sequence longer than %n characters @@ -3230,6 +3230,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + פרטי המערכת נאספים… + + + + Partitions + @label + מחיצות + Unsafe partition actions are enabled. @@ -3246,35 +3258,27 @@ The installer will quit and all changes will be lost. לא נערכו מחיצות. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - צריך מחיצת EFI של המערכת כדי להפעיל את %1.<br/><br/>מחיצת המערכת EFI לא עומדת בדרישות המומלצות. כדאי לחזור וליצור מערכת קבצים מתאימה. - - - - The minimum recommended size for the filesystem is %1 MiB. - הגודל המזערי המומלץ למערכת הקבצים הוא %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - אפשר להמשיך עם הגדרת מחיצת ה־EFI של המערכת אך יכול להיות שהמערכת שלך לא תצליח להיטען. - - - - No EFI system partition configured - לא הוגדרה מחיצת מערכת EFI + + Current: + @label + נוכחי: - - EFI system partition configured incorrectly - מחיצת המערכת EFI לא הוגדרה נכון + + After: + @label + לאחר: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. מחיצת מערכת EFI נחוצה להפעלת %1. <br/><br/>כדי להפעיל מחיצת מערכת EFI, יש לחזור ולבחור או ליצור מערכת קבצים מתאימה. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + צריך מחיצת EFI של המערכת כדי להפעיל את %1.<br/><br/>מחיצת המערכת EFI לא עומדת בדרישות המומלצות. כדאי לחזור וליצור מערכת קבצים מתאימה. + The filesystem must be mounted on <strong>%1</strong>. @@ -3285,6 +3289,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. מערכת הקבצים חייבת להיות מסוג FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + למערכת הקבצים חייב להיות מוגדר הדגלון <strong>%1</strong>. + @@ -3292,38 +3301,29 @@ The installer will quit and all changes will be lost. גודל מערכת הקבצים חייב להיות לפחות ‎%1 MIB. - - The filesystem must have flag <strong>%1</strong> set. - למערכת הקבצים חייב להיות מוגדר הדגלון <strong>%1</strong>. - - - - Gathering system information… - @status - פרטי המערכת נאספים… + + The minimum recommended size for the filesystem is %1 MiB. + הגודל המזערי המומלץ למערכת הקבצים הוא %1 MiB. - - Partitions - @label - מחיצות + + You can continue without setting up an EFI system partition but your system may fail to start. + ניתן להמשיך ללא הקמת מחיצת מערכת EFI אך המערכת שלך לא תצליח להיטען. - - Current: - @label - נוכחי: + + You can continue with this EFI system partition configuration but your system may fail to start. + אפשר להמשיך עם הגדרת מחיצת ה־EFI של המערכת אך יכול להיות שהמערכת שלך לא תצליח להיטען. - - After: - @label - לאחר: + + No EFI system partition configured + לא הוגדרה מחיצת מערכת EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - ניתן להמשיך ללא הקמת מחיצת מערכת EFI אך המערכת שלך לא תצליח להיטען. + + EFI system partition configured incorrectly + מחיצת המערכת EFI לא הוגדרה נכון @@ -3420,14 +3420,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. לא היה פלט מהפקודה. - + Output: @@ -3436,52 +3436,52 @@ Output: - + External command crashed. הפקודה החיצונית נכשלה. - + Command <i>%1</i> crashed. הפקודה <i>%1</i> קרסה. - + External command failed to start. הפעלת הפעולה החיצונית נכשלה. - + Command <i>%1</i> failed to start. הפעלת הפקודה <i>%1</i> נכשלה. - + Internal error when starting command. שגיאה פנימית בעת הפעלת פקודה. - + Bad parameters for process job call. משתנים שגויים בקריאה למשימת תהליך. - + External command failed to finish. סיום הפקודה החיצונית נכשל. - + Command <i>%1</i> failed to finish in %2 seconds. הפקודה <i>%1</i> לא הסתיימה תוך %2 שניות. - + External command finished with errors. הפקודה החיצונית הסתיימה עם שגיאות. - + Command <i>%1</i> finished with exit code %2. הפקודה <i>%1</i> הסתיימה עם קוד היציאה %2. @@ -3493,6 +3493,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + לא ידוע + + + + extended + @partition info + מורחבת + + + + unformatted + @partition info + לא מאותחלת + + + + swap + @partition info + דפדוף swap + @@ -3524,30 +3548,6 @@ Output: (no mount point) (אין נקודת עגינה) - - - unknown - @partition info - לא ידוע - - - - extended - @partition info - מורחבת - - - - unformatted - @partition info - לא מאותחלת - - - - swap - @partition info - דפדוף swap - Unpartitioned space or unknown partition table @@ -3587,7 +3587,7 @@ Output: Removing Volume Group named <strong>%1</strong>… @status - + קבוצת מחיצות בשם <strong>%1</strong> נמחקת… @@ -3704,7 +3704,7 @@ Output: Resize partition %1 @title - + שינוי גודל המחיצה %1 @@ -3745,13 +3745,13 @@ Output: Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> @info - + שינוי גודל קבוצת כרכים בשם <strong>%1</strong> מ־<strong>%2</strong> ל־<strong>%3</strong> Resizing volume group named %1 from %2 to %3… @status - + גודל קבוצת הכרכים בשם %1 משתנה מ־%2 ל־%3… @@ -3773,13 +3773,13 @@ Output: Scanning storage devices… @status - + התקני האחסון נסרקים… Partitioning… @status - + מתבצעת חלוקה למחיצות… @@ -3798,7 +3798,7 @@ Output: Setting hostname %1… @status - + שם המארח %1 מוגדר… @@ -3864,7 +3864,7 @@ Output: Set flags on partition %1 @title - + הגדרת דגלונים על המחיצה %1 @@ -3876,13 +3876,13 @@ Output: Set flags on new partition @title - + הגדרת דגלונים על מחיצה חדשה Clear flags on partition <strong>%1</strong> @info - + מחיקת דגלונים על המחיצה <strong>%1</strong> @@ -3894,13 +3894,13 @@ Output: Clear flags on new partition @info - + מחיקת דגלונים על מחיצה חדשה Set flags on partition <strong>%1</strong> to <strong>%2</strong> @info - + הגדרת הדגלונים על המחיצה <strong>%1</strong> לכדי <strong>%2</strong> @@ -3967,7 +3967,7 @@ Output: Setting password for user %1… @status - + סיסמה מוגדרת למשתמש %1… @@ -3984,17 +3984,17 @@ Output: Cannot disable root account. לא ניתן להשבית את חשבון המנהל root. - - - Cannot set password for user %1. - לא ניתן להגדיר למשתמש %1 סיסמה. - usermod terminated with error code %1. פקודת שינוי מאפייני המשתמש, usermod, נכשלה עם קוד יציאה %1. + + + Cannot set password for user %1. + לא ניתן להגדיר למשתמש %1 סיסמה. + SetTimezoneJob @@ -4042,7 +4042,7 @@ Output: Preparing groups… @status - + קבוצות בהכנה…
@@ -4062,7 +4062,7 @@ Output: Configuring <pre>sudo</pre> users… @status - + משתמשי <pre>sudo</pre> מוגדרים… @@ -4081,13 +4081,14 @@ Output: Running shell processes… @status - + תהליכים מעטפת מופעלים… SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4132,7 +4133,7 @@ Output: Sending installation feedback… @status - + משוב ההתקנה נשלח… @@ -4156,7 +4157,7 @@ Output: Configuring KDE user feedback… @status - + משוב משתמשים של KDE מוגדר… @@ -4186,7 +4187,7 @@ Output: Configuring machine feedback… @status - + משוב משתמש של המכונה מוגדר… @@ -4258,7 +4259,7 @@ Output: Unmounting file systems… @status - + עיגון מערכות הקבצים מנותק… @@ -4432,7 +4433,7 @@ Output: %1 Support @action - + תמיכה ב־%1 @@ -4906,11 +4907,21 @@ Output: What is your name? מה שמך?
+ + + Your full name + שמך המלא + What name do you want to use to log in? איזה שם ברצונך שישמש אותך לכניסה? + + + Login name + שם כניסה למערכת + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4931,11 +4942,21 @@ Output: What is the name of this computer? מהו השם של המחשב הזה? + + + Computer name + שם המחשב + This name will be used if you make the computer visible to others on a network. השם הזה יהיה בשימוש אם המחשב הזה יהיה גלוי לשאר הרשת. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + מותר להשתמש באותיות, ספרות, קווים תחתונים ומינוסים, שני תווים ומעלה. + localhost is not allowed as hostname. @@ -4951,61 +4972,16 @@ Output: Password סיסמה + + + Repeat password + לחזור על הסיסמה + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. יש להקליד את אותה הסיסמה פעמיים כדי שניתן יהיה לבדוק שגיאות הקלדה. סיסמה טובה אמורה להכיל שילוב של אותיות, מספרים וסימני פיסוק, להיות באורך של שמונה תווים לפחות ויש להחליף אותה במרווחי זמן קבועים. - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - אימות איכות הסיסמאות - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - כשתיבה זו מסומנת, בדיקת אורך סיסמה מתבצעת ולא תהיה לך אפשרות להשתמש בסיסמה חלשה. - - - - Log in automatically without asking for the password - להיכנס אוטומטית מבלי לבקש סיסמה - - - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - מותר להשתמש באותיות, ספרות, קווים תחתונים ומינוסים, שני תווים ומעלה. - - - - Repeat password - - Reuse user password as root password @@ -5021,11 +4997,36 @@ Output: Choose a root password to keep your account safe. נא לבחור סיסמה למשתמש העל (root) כדי להגן על חשבונך. + + + Root password + סיסמת משתמש על (root) + + + + Repeat root password + לחזור על סיסמת על + Enter the same password twice, so that it can be checked for typing errors. נא להקליד את הסיסמה פעמיים כדי לאפשר זיהוי של שגיאות הקלדה. + + + Log in automatically without asking for the password + להיכנס אוטומטית מבלי לבקש סיסמה + + + + Validate passwords quality + אימות איכות הסיסמאות + + + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + כשתיבה זו מסומנת, בדיקת אורך סיסמה מתבצעת ולא תהיה לך אפשרות להשתמש בסיסמה חלשה. + usersq-qt6 @@ -5039,11 +5040,21 @@ Output: What is your name? מה שמך?
+ + + Your full name + שמך המלא + What name do you want to use to log in? איזה שם ברצונך שישמש אותך לכניסה? + + + Login name + שם כניסה למערכת + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5064,20 +5075,10 @@ Output: What is the name of this computer? מהו השם של המחשב הזה? - - - Your full name - - - - - Login name - - Computer name - + שם המחשב @@ -5107,17 +5108,7 @@ Output: Repeat password - - - - - Root password - - - - - Repeat root password - + לחזור על הסיסמה @@ -5139,6 +5130,16 @@ Output: Choose a root password to keep your account safe. נא לבחור סיסמה למשתמש העל (root) כדי להגן על חשבונך. + + + Root password + סיסמת משתמש על (root) + + + + Repeat root password + לחזור על סיסמת על + Enter the same password twice, so that it can be checked for typing errors. @@ -5177,12 +5178,12 @@ Output: Known Issues - + תקלות מוכרות Release Notes - + הערות מהדורה @@ -5207,12 +5208,12 @@ Output: Known Issues - + תקלות מוכרות Release Notes - + הערות מהדורה diff --git a/lang/calamares_hi.ts b/lang/calamares_hi.ts index 29de8f37ce..5cb43c46e8 100644 --- a/lang/calamares_hi.ts +++ b/lang/calamares_hi.ts @@ -125,31 +125,21 @@ Interface: अंतरफलक : + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. ब्रांड डायरेक्टरी से शैली पत्र पुनः लोड करने हेतु। - - - Uploads the session log to the configured pastebin. - सत्र लॉग फाइल को विन्यस्त पेस्टबिन साइट पर अपलोड करने हेतु। - - - - Send Session Log - सत्र लॉग फाइल भेजें - Reload Stylesheet शैली पत्रक पुनः लोड करें - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree विजेट ट्री + + + Uploads the session log to the configured pastebin. + सत्र लॉग फाइल को विन्यस्त पेस्टबिन साइट पर अपलोड करने हेतु। + + + + Send Session Log + सत्र लॉग फाइल भेजें + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n सेकंड) + (%n सेकंड) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + अपलोड विफल रहा। इंटरनेट पर पेस्ट नहीं हो सका। + + + + Install log posted to + +%1 + +Link copied to clipboard + यहाँ इंस्टॉल की लॉग फ़ाइल पेस्ट की गई + +%1 + +लिंक को क्लिपबोर्ड पर कॉपी किया गया + + + + Install Log Paste URL + इंस्टॉल प्रक्रिया की लॉग फ़ाइल पेस्ट करें + &Yes @@ -407,7 +430,7 @@ बंद करें (&C) - + Setup Failed @title सेटअप विफल @@ -437,13 +460,13 @@ %1 इंस्टॉल नहीं किया जा सका। Calamares सभी विन्यस्त मॉड्यूल लोड करने में विफल रहा। यह आपके लिनक्स वितरण द्वारा Calamares के उपयोग से संबंधित एक समस्या है। - + <br/>The following modules could not be loaded: @info <br/>निम्नलिखित मॉड्यूल लोड नहीं हो सकें : - + Continue with Setup? @title @@ -461,133 +484,110 @@ %2 सेटअप करने हेतु %1 सेटअप प्रोग्राम आपकी डिस्क में बदलाव करने वाला है।<br/><strong>आप इन बदलावों को पूर्ववत नहीं कर पाएंगे।</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %2 इंस्टॉल करने के लिए %1 इंस्टॉलर आपकी डिस्क में बदलाव करने वाला है।<br/><strong>आप इन बदलावों को पूर्ववत नहीं कर पाएंगे।</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button इंस्टॉल करें (&I) - + Setup is complete. Close the setup program. @tooltip सेटअप पूर्ण हुआ। सेटअप प्रोग्राम बंद कर दें। - + The installation is complete. Close the installer. @tooltip इंस्टॉल पूर्ण हुआ।अब इंस्टॉलर को बंद करें। - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button आगे (&N) - + &Back @button वापस (&B) - + &Done @button हो गया (&D) - + &Cancel @button रद्द करें (&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - इंस्टॉल प्रक्रिया की लॉग फ़ाइल पेस्ट करें - - - - The upload was unsuccessful. No web-paste was done. - अपलोड विफल रहा। इंटरनेट पर पेस्ट नहीं हो सका। - - - - Install log posted to - -%1 - -Link copied to clipboard - यहाँ इंस्टॉल की लॉग फ़ाइल पेस्ट की गई - -%1 - -लिंक को क्लिपबोर्ड पर कॉपी किया गया - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. क्या आप वाकई वर्तमान सेटअप प्रक्रिया रद्द करना चाहते हैं? सेटअप प्रोग्राम बंद हो जाएगा व सभी बदलाव नष्ट। - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. क्या आप वाकई वर्तमान इंस्टॉल प्रक्रिया रद्द करना चाहते हैं? @@ -597,25 +597,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error अपवाद का प्रकार अज्ञात है - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>मैनुअल विभाजन</strong><br/> स्वयं विभाजन बनाएँ या उनका आकार बदलें। - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>छोटा करने के लिए विभाजन चुनें, फिर नीचे bar से उसका आकर सेट करें</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>छोटा करने के लिए विभाजन चुनें, फिर नीचे bar से उसका आकर सेट करें</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ The installer will quit and all changes will be lost. @label स्वैप फाइल बनाएं + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>मैनुअल विभाजन</strong><br/> स्वयं विभाजन बनाएँ या उनका आकार बदलें। + Bootloader location: @@ -840,44 +840,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 को माउंट से हटाना सफल। - + Successfully disabled swap %1. %1 स्वैप निष्क्रिय करना सफल। - + Successfully cleared swap %1. %1 स्वैप रिक्त करना सफल। - + Successfully closed mapper device %1. प्रतिचित्रण उपकरण %1 बंद करना सफल। - + Successfully disabled volume group %1. वॉल्यूम समूह %1 निष्क्रिय करना सफल। - + Clear mounts for partitioning operations on %1 @title %1 पर विभाजन कार्य हेतु माउंट हटाएँ - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1 के लिए सभी माउंट हटा दिए गए @@ -913,129 +913,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - नेटवर्क इंस्टॉल। (निष्क्रिय : गलत विन्यास) - - - - Network Installation. (Disabled: Received invalid groups data) - नेटवर्क इंस्टॉल (निष्क्रिय है : प्राप्त किया गया समूह डाटा अमान्य है) - - - - Network Installation. (Disabled: Internal error) - नेटवर्क इंस्टॉल। (निष्क्रिय : आंतरिक त्रुटि) - - - - Network Installation. (Disabled: No package list) - नेटवर्क इंस्टॉल। (निष्क्रिय : पैकेज सूची अनुपलब्ध) - - - - Package selection - पैकेज चयन - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - नेटवर्क इंस्टॉल। (निष्क्रिय है : पैकेज सूची प्राप्त करने में असमर्थ, अपना नेटवर्क कनेक्शन जाँचें) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + सेटअप विफल - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + इंस्टॉल विफल - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - यह कंप्यूटर %1 सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। + + The setup of %1 did not complete successfully. + @info + %1 का सेटअप सफलतापूर्वक पूर्ण नहीं हुआ। - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - यह कंप्यूटर %1 इंस्टॉल करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। + + The installation of %1 did not complete successfully. + @info + %1 का इंस्टॉल सफलतापूर्वक पूर्ण नहीं हुआ। - - This program will ask you some questions and set up %2 on your computer. - यह प्रोग्राम प्रश्नावली के माध्यम से आपके कंप्यूटर पर %2 को सेट करेगा। + + Setup Complete + @title + सेटअप पूर्ण - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>%1 हेतु Calamares सेटअप में आपका स्वागत है</h1> + + Installation Complete + @title + इंस्टॉल पूर्ण - - <h1>Welcome to %1 setup</h1> - <h1>%1 सेटअप में आपका स्वागत है</h1> + + The setup of %1 is complete. + @info + %1 का सेटअप पूर्ण हुआ। - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1 हेतु Calamares इंस्टॉलर में आपका स्वागत है</h1> + + The installation of %1 is complete. + @info + %1 का इंस्टॉल पूर्ण हुआ। - - <h1>Welcome to the %1 installer</h1> - <h1>%1 इंस्टॉलर में आपका स्वागत है</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - उपयोक्ता नाम बहुत लंबा है। + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - उपयोक्ता नाम के रूप में '%1' का उपयोग अस्वीकार्य है। + + Set timezone to %1/%2 + @action + समय क्षेत्र %1%2 पर सेट करें - - Your username must start with a lowercase letter or underscore. - उपयोक्ता नाम का आरंभ केवल लोअरकेस अक्षर या अंडरस्कोर(-) से ही करें। + + The system language will be set to %1. + @info + सिस्टम भाषा %1 सेट की जाएगी। - - Only lowercase letters, numbers, underscore and hyphen are allowed. - केवल लोअरकेस अक्षर, अंक, अंडरस्कोर(_) व हाइफ़न(-) ही स्वीकार्य हैं। + + The numbers and dates locale will be set to %1. + @info + संख्या व दिनांक स्थानिकी %1 सेट की जाएगी। - - Your hostname is too short. - होस्ट नाम बहुत छोटा है। + + Network Installation. (Disabled: Incorrect configuration) + नेटवर्क इंस्टॉल। (निष्क्रिय : गलत विन्यास) - - Your hostname is too long. - होस्ट नाम बहुत लंबा है। + + Network Installation. (Disabled: Received invalid groups data) + नेटवर्क इंस्टॉल (निष्क्रिय है : प्राप्त किया गया समूह डाटा अमान्य है) - - '%1' is not allowed as hostname. - होस्ट नाम के रूप में '%1' का उपयोग अस्वीकार्य है। + + Network Installation. (Disabled: Internal error) + नेटवर्क इंस्टॉल। (निष्क्रिय : आंतरिक त्रुटि) - - Only letters, numbers, underscore and hyphen are allowed. - केवल अक्षर, अंक, अंडरस्कोर(_) व हाइफ़न(-) ही स्वीकार्य हैं। + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + नेटवर्क इंस्टॉल। (निष्क्रिय है : पैकेज सूची प्राप्त करने में असमर्थ, अपना नेटवर्क कनेक्शन जाँचें) - - Your passwords do not match! - आपके कूटशब्द मेल नहीं खाते! + + Network Installation. (Disabled: No package list) + नेटवर्क इंस्टॉल। (निष्क्रिय : पैकेज सूची अनुपलब्ध) - - OK! - ठीक है! + + Package selection + पैकेज चयन @@ -1063,98 +1046,115 @@ The installer will quit and all changes will be lost. कोई नहीं - - Summary - @label - सारांश + + Summary + @label + सारांश + + + + This is an overview of what will happen once you start the setup procedure. + यह एक अवलोकन है कि सेटअप प्रक्रिया आरंभ होने के उपरांत क्या होगा। + + + + This is an overview of what will happen once you start the install procedure. + यह अवलोकन है कि इंस्टॉल शुरू होने के बाद क्या होगा। + + + + Your username is too long. + उपयोक्ता नाम बहुत लंबा है। + + + + Your username must start with a lowercase letter or underscore. + उपयोक्ता नाम का आरंभ केवल लोअरकेस अक्षर या अंडरस्कोर(-) से ही करें। + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + केवल लोअरकेस अक्षर, अंक, अंडरस्कोर(_) व हाइफ़न(-) ही स्वीकार्य हैं। + + + + '%1' is not allowed as username. + उपयोक्ता नाम के रूप में '%1' का उपयोग अस्वीकार्य है। - - This is an overview of what will happen once you start the setup procedure. - यह एक अवलोकन है कि सेटअप प्रक्रिया आरंभ होने के उपरांत क्या होगा। + + Your hostname is too short. + होस्ट नाम बहुत छोटा है। - - This is an overview of what will happen once you start the install procedure. - यह अवलोकन है कि इंस्टॉल शुरू होने के बाद क्या होगा। + + Your hostname is too long. + होस्ट नाम बहुत लंबा है। - - Setup Failed - @title - सेटअप विफल + + '%1' is not allowed as hostname. + होस्ट नाम के रूप में '%1' का उपयोग अस्वीकार्य है। - - Installation Failed - @title - इंस्टॉल विफल + + Only letters, numbers, underscore and hyphen are allowed. + केवल अक्षर, अंक, अंडरस्कोर(_) व हाइफ़न(-) ही स्वीकार्य हैं। - - The setup of %1 did not complete successfully. - @info - %1 का सेटअप सफलतापूर्वक पूर्ण नहीं हुआ। + + Your passwords do not match! + आपके कूटशब्द मेल नहीं खाते! - - The installation of %1 did not complete successfully. - @info - %1 का इंस्टॉल सफलतापूर्वक पूर्ण नहीं हुआ। + + OK! + ठीक है! - - Setup Complete - @title - सेटअप पूर्ण + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - इंस्टॉल पूर्ण + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - %1 का सेटअप पूर्ण हुआ। + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + यह कंप्यूटर %1 सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। - - The installation of %1 is complete. - @info - %1 का इंस्टॉल पूर्ण हुआ। + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + यह कंप्यूटर %1 इंस्टॉल करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + यह प्रोग्राम प्रश्नावली के माध्यम से आपके कंप्यूटर पर %2 को सेट करेगा। - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 हेतु Calamares सेटअप में आपका स्वागत है</h1> - - Set timezone to %1/%2 - @action - समय क्षेत्र %1%2 पर सेट करें + + <h1>Welcome to %1 setup</h1> + <h1>%1 सेटअप में आपका स्वागत है</h1> - - The system language will be set to %1. - @info - सिस्टम भाषा %1 सेट की जाएगी। + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 हेतु Calamares इंस्टॉलर में आपका स्वागत है</h1> - - The numbers and dates locale will be set to %1. - @info - संख्या व दिनांक स्थानिकी %1 सेट की जाएगी। + + <h1>Welcome to the %1 installer</h1> + <h1>%1 इंस्टॉलर में आपका स्वागत है</h1> @@ -1479,9 +1479,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - इस डिवाइस में <strong>%1</strong> विभाजन तालिका है। + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>यह विभाजन तालिका केवल <strong>BIOS</strong>वातावरण से शुरू होने वाले पुराने सिस्टम के लिए ही सुझाई जाती है। बाकी सब के लिए GPT ही सबसे उपयुक्त है।<br><br><strong>चेतावनी:</strong> MBR विभाजन तालिका MS-DOS के समय की एक पुरानी तकनीक है।<br> इसमें केवल 4 <em>मुख्य</em> विभाजन बनाये जा सकते हैं, इनमें से एक <em>विस्तृत</em> हो सकता है व इसके अंदर भी कई <em>तार्किक</em> विभाजन हो सकते हैं। + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br><strong>EFI</strong>वातावरण से शुरू होने वाले आधुनिक सिस्टम के लिए यही विभाजन तालिका सुझाई जाती है। @@ -1494,14 +1499,9 @@ The installer will quit and all changes will be lost. इंस्टॉलर को चयनित डिवाइस पर <strong>कोई विभाजन तालिका नहीं मिली</strong>।<br><br> डिवाइस पर विभाजन तालिका नहीं है या फिर जो है वो ख़राब है या उसका प्रकार अज्ञात है। <br>इंस्टॉलर एक नई विभाजन तालिका, स्वतः व मैनुअल दोनों तरह से बना सकता है। - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br><strong>EFI</strong>वातावरण से शुरू होने वाले आधुनिक सिस्टम के लिए यही विभाजन तालिका सुझाई जाती है। - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>यह विभाजन तालिका केवल <strong>BIOS</strong>वातावरण से शुरू होने वाले पुराने सिस्टम के लिए ही सुझाई जाती है। बाकी सब के लिए GPT ही सबसे उपयुक्त है।<br><br><strong>चेतावनी:</strong> MBR विभाजन तालिका MS-DOS के समय की एक पुरानी तकनीक है।<br> इसमें केवल 4 <em>मुख्य</em> विभाजन बनाये जा सकते हैं, इनमें से एक <em>विस्तृत</em> हो सकता है व इसके अंदर भी कई <em>तार्किक</em> विभाजन हो सकते हैं। + + This device has a <strong>%1</strong> partition table. + इस डिवाइस में <strong>%1</strong> विभाजन तालिका है। @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit बंद करें @@ -2451,6 +2451,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment डेस्कटॉप + + + Applications + अनुप्रयोग + Communication @@ -2499,11 +2504,6 @@ The installer will quit and all changes will be lost. label for netinstall module साधन - - - Applications - अनुप्रयोग - NotesQmlViewStep @@ -2676,11 +2676,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form इस कूटशब्द में किसी रूप में वर्जित शब्द है + + + The password contains fewer than %n digits + + कूटशब्द में %n से कम अंक हैं + कूटशब्द में %n से कम अंक हैं + + The password contains too few digits इस कूटशब्द में काफ़ी कम अंक हैं + + + The password contains fewer than %n uppercase letters + + कूटशब्द में %n से कम अपरकेस अक्षर हैं + कूटशब्द में %n से कम अपरकेस अक्षर हैं + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters इस कूटशब्द में काफ़ी कम lowercase अक्षर हैं - - - The password contains too few non-alphanumeric characters - इस कूटशब्द में काफ़ी कम अक्षरांक हैं - - - - The password is too short - कूटशब्द बहुत छोटा है - - - - The password does not contain enough character classes - इस कूटशब्द में नाकाफ़ी अक्षर classes हैं - - - - The password contains too many same characters consecutively - कूटशब्द में काफ़ी ज्यादा समान अक्षर लगातार हैं - - - - The password contains too many characters of the same class consecutively - कूटशब्द में काफ़ी ज्यादा एक ही class के अक्षर लगातार हैं - - - - The password contains fewer than %n digits - - कूटशब्द में %n से कम अंक हैं - कूटशब्द में %n से कम अंक हैं - - - - - The password contains fewer than %n uppercase letters - - कूटशब्द में %n से कम अपरकेस अक्षर हैं - कूटशब्द में %n से कम अपरकेस अक्षर हैं - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ The installer will quit and all changes will be lost. कूटशब्द में %n से कम ऐसे अक्षर हैं जो अक्षरांक नहीं हैं + + + The password contains too few non-alphanumeric characters + इस कूटशब्द में काफ़ी कम अक्षरांक हैं + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ The installer will quit and all changes will be lost. कूटशब्द %n अक्षरों से लघु है + + + The password is too short + कूटशब्द बहुत छोटा है + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ The installer will quit and all changes will be lost. कूटशब्द में %n से कम अक्षर वर्ग हैं + + + The password does not contain enough character classes + इस कूटशब्द में नाकाफ़ी अक्षर classes हैं + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ The installer will quit and all changes will be lost. कूटशब्द में %n से अधिक समान अक्षर निरंतर प्रयुक्त हैं + + + The password contains too many same characters consecutively + कूटशब्द में काफ़ी ज्यादा समान अक्षर लगातार हैं + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. कूटशब्द में %n से अधिक समान अक्षर वर्ग निरंतर प्रयुक्त हैं + + + The password contains too many characters of the same class consecutively + कूटशब्द में काफ़ी ज्यादा एक ही class के अक्षर लगातार हैं + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + विभाजन + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ The installer will quit and all changes will be lost. किसी विभाजन में कोई परिवर्तन नहीं होगा। - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - कोई EFI सिस्टम विभाजन विन्यस्त नहीं है - - - - EFI system partition configured incorrectly - EFI सिस्टम विभाजन उचित रूप से विन्यस्त नहीं है + + Current: + @label + मौजूदा : + + + + After: + @label + बाद में: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1 आरंभ करने हेतु EFI सिस्टम विभाजन आवश्यक है। <br/><br/> EFI सिस्टम विभाजन विन्यस्त करने हेतु, वापस जाएँ व एक उपयुक्त फाइल सिस्टम चुनें या बनाएँ। + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. फाइल सिस्टम का प्रकार FAT32 होना आवश्यक है। + + + The filesystem must have flag <strong>%1</strong> set. + फाइल सिस्टम पर <strong>%1</strong> फ्लैग सेट होना आवश्यक है। + @@ -3270,38 +3279,29 @@ The installer will quit and all changes will be lost. फाइल सिस्टम का आकार कम-से-कम %1 एमबी होना आवश्यक है। - - The filesystem must have flag <strong>%1</strong> set. - फाइल सिस्टम पर <strong>%1</strong> फ्लैग सेट होना आवश्यक है। - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - विभाजन + + You can continue without setting up an EFI system partition but your system may fail to start. + आप बिना EFI सिस्टम विभाजन सेट करें भी प्रक्रिया जारी रख सकते हैं परन्तु सम्भवतः ऐसा करने से आपका सिस्टम आरंभ नहीं होगा। - - Current: - @label - मौजूदा : + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - बाद में: + + No EFI system partition configured + कोई EFI सिस्टम विभाजन विन्यस्त नहीं है - - You can continue without setting up an EFI system partition but your system may fail to start. - आप बिना EFI सिस्टम विभाजन सेट करें भी प्रक्रिया जारी रख सकते हैं परन्तु सम्भवतः ऐसा करने से आपका सिस्टम आरंभ नहीं होगा। + + EFI system partition configured incorrectly + EFI सिस्टम विभाजन उचित रूप से विन्यस्त नहीं है @@ -3398,14 +3398,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. कमांड से कोई आउटपुट नहीं मिला। - + Output: @@ -3414,52 +3414,52 @@ Output: - + External command crashed. बाह्य कमांड क्रैश हो गई। - + Command <i>%1</i> crashed. कमांड <i>%1</i> क्रैश हो गई। - + External command failed to start. बाह्य​ कमांड शुरू होने में विफल। - + Command <i>%1</i> failed to start. कमांड <i>%1</i> शुरू होने में विफल। - + Internal error when starting command. कमांड शुरू करते समय आंतरिक त्रुटि। - + Bad parameters for process job call. प्रक्रिया कार्य कॉल के लिए गलत मापदंड। - + External command failed to finish. बाहरी कमांड समाप्त करने में विफल। - + Command <i>%1</i> failed to finish in %2 seconds. कमांड <i>%1</i> %2 सेकंड में समाप्त होने में विफल। - + External command finished with errors. बाहरी कमांड त्रुटि के साथ समाप्त। - + Command <i>%1</i> finished with exit code %2. कमांड <i>%1</i> exit कोड %2 के साथ समाप्त। @@ -3471,6 +3471,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + अज्ञात + + + + extended + @partition info + विस्तृत + + + + unformatted + @partition info + फॉर्मेट नहीं हो रखा है + + + + swap + @partition info + स्वैप + @@ -3502,30 +3526,6 @@ Output: (no mount point) (कोई माउंट पॉइंट नहीं) - - - unknown - @partition info - अज्ञात - - - - extended - @partition info - विस्तृत - - - - unformatted - @partition info - फॉर्मेट नहीं हो रखा है - - - - swap - @partition info - स्वैप - Unpartitioned space or unknown partition table @@ -3962,17 +3962,17 @@ Output: Cannot disable root account. रुट अकाउंट निष्क्रिय नहीं किया जा सकता । - - - Cannot set password for user %1. - उपयोक्ता %1 के लिए पासवर्ड सेट नहीं किया जा सकता। - usermod terminated with error code %1. usermod त्रुटि कोड %1 के साथ समाप्त। + + + Cannot set password for user %1. + उपयोक्ता %1 के लिए पासवर्ड सेट नहीं किया जा सकता। + SetTimezoneJob @@ -4065,7 +4065,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4880,11 +4881,21 @@ Output: What is your name? आपका नाम क्या है? + + + Your full name + + What name do you want to use to log in? लॉग इन के लिए आप किस नाम का उपयोग करना चाहते हैं? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4905,11 +4916,21 @@ Output: What is the name of this computer? इस कंप्यूटर का नाम ? + + + Computer name + + This name will be used if you make the computer visible to others on a network. यदि आपका कंप्यूटर किसी नेटवर्क पर दृश्यमान होता है, तो यह नाम उपयोग किया जाएगा। + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + केवल अक्षर, अंक, अंडरस्कोर व हाइफ़न ही स्वीकार्य हैं, परन्तु केवल दो अक्षर ही ऐसे हो सकते हैं। + localhost is not allowed as hostname. @@ -4925,11 +4946,31 @@ Output: Password कूटशब्द + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. एक ही कूटशब्द दो बार दर्ज़ करें, ताकि उसे टाइप त्रुटि हेतु जाँचा जा सके। एक अच्छे कूटशब्द में अक्षर, अंक व विराम चिन्हों का मेल होता है, उसमें कम-से-कम आठ अक्षर होने चाहिए, और उसे नियमित अंतराल पर बदलते रहना चाहिए। + + + Reuse user password as root password + रुट कूटशब्द हेतु भी उपयोक्ता कूटशब्द उपयोग करें + + + + Use the same password for the administrator account. + प्रबंधक अकाउंट के लिए भी यही कूटशब्द उपयोग करें। + + + + Choose a root password to keep your account safe. + अकाउंट सुरक्षा हेतु रुट कूटशब्द चुनें। + Root password @@ -4941,14 +4982,9 @@ Output: - - Validate passwords quality - कूटशब्द गुणवत्ता प्रमाणीकरण - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - यह बॉक्स टिक करने के परिणाम स्वरुप कूटशब्द-क्षमता की जाँच होगी व आप कमज़ोर कूटशब्द उपयोग नहीं कर पाएंगे। + + Enter the same password twice, so that it can be checked for typing errors. + समान कूटशब्द दो बार दर्ज करें, ताकि टाइपिंग त्रुटि हेतु जाँच की जा सकें। @@ -4956,49 +4992,14 @@ Output: कूटशब्द बिना पूछे ही स्वतः लॉग इन करें - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - केवल अक्षर, अंक, अंडरस्कोर व हाइफ़न ही स्वीकार्य हैं, परन्तु केवल दो अक्षर ही ऐसे हो सकते हैं। - - - - Repeat password - - - - - Reuse user password as root password - रुट कूटशब्द हेतु भी उपयोक्ता कूटशब्द उपयोग करें - - - - Use the same password for the administrator account. - प्रबंधक अकाउंट के लिए भी यही कूटशब्द उपयोग करें। - - - - Choose a root password to keep your account safe. - अकाउंट सुरक्षा हेतु रुट कूटशब्द चुनें। + + Validate passwords quality + कूटशब्द गुणवत्ता प्रमाणीकरण - - Enter the same password twice, so that it can be checked for typing errors. - समान कूटशब्द दो बार दर्ज करें, ताकि टाइपिंग त्रुटि हेतु जाँच की जा सकें। + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + यह बॉक्स टिक करने के परिणाम स्वरुप कूटशब्द-क्षमता की जाँच होगी व आप कमज़ोर कूटशब्द उपयोग नहीं कर पाएंगे। @@ -5013,11 +5014,21 @@ Output: What is your name? आपका नाम क्या है? + + + Your full name + + What name do you want to use to log in? लॉग इन के लिए आप किस नाम का उपयोग करना चाहते हैं? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5038,16 +5049,6 @@ Output: What is the name of this computer? इस कंप्यूटर का नाम ? - - - Your full name - - - - - Login name - - Computer name @@ -5083,16 +5084,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5113,6 +5104,16 @@ Output: Choose a root password to keep your account safe. अकाउंट सुरक्षा हेतु रुट कूटशब्द चुनें। + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_hr.ts b/lang/calamares_hr.ts index 904b67b33c..b65188687d 100644 --- a/lang/calamares_hr.ts +++ b/lang/calamares_hr.ts @@ -125,31 +125,21 @@ Interface: Sučelje: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Ruši Calamares, tako da ga dr. Konqui može pogledati. + Reloads the stylesheet from the branding directory. Ponovno učitava tablicu stilova iz branding direktorija - - - Uploads the session log to the configured pastebin. - Učitaj zapisnik sesije u konfigurirani pastebin. - - - - Send Session Log - Učitaj zapisnik sesije - Reload Stylesheet Ponovno učitaj stilsku tablicu - - - Crashes Calamares, so that Dr. Konqi can look at it. - Ruši Calamares, tako da ga dr. Konqui može pogledati. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Stablo widgeta + + + Uploads the session log to the configured pastebin. + Učitaj zapisnik sesije u konfigurirani pastebin. + + + + Send Session Log + Učitaj zapisnik sesije + Debug Information @@ -379,9 +379,9 @@ (%n second(s)) @status - (%n sekunda) - (%n sekunde) - (%n sekunde) + (%n sekunda(e)) + (%n sekunda(e)) + (%n sekunda(e)) @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Objava dnevnika instaliranja na web nije uspjela. + + + + Install log posted to + +%1 + +Link copied to clipboard + Instaliraj zapisnik objavljen na + +%1 + +Veza je kopirana u međuspremnik + + + + Install Log Paste URL + URL za objavu dnevnika instaliranja + &Yes @@ -409,7 +432,7 @@ &Zatvori - + Setup Failed @title Instalacija nije uspjela @@ -439,13 +462,13 @@ %1 se ne može se instalirati. Calamares nije mogao učitati sve konfigurirane module. Ovo je problem s načinom na koji se Calamares koristi u distribuciji. - + <br/>The following modules could not be loaded: @info <br/>Sljedeći moduli se nisu mogli učitati: - + Continue with Setup? @title Nastaviti s postavljanjem? @@ -463,133 +486,110 @@ Instalacijski program %1 će izvršiti promjene na vašem disku kako bi postavio %2. <br/><strong>Ne možete poništiti te promjene.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 instalacijski program će napraviti promjene na disku kako bi instalirao %2.<br/><strong>Nećete moći vratiti te promjene.</strong> - + &Set Up Now @button &Postaviti odmah - + &Install Now @button &Instaliraj odmah - + Go &Back @button Idi &natrag - + &Set Up @button &Postaviti - + &Install @button &Instaliraj - + Setup is complete. Close the setup program. @tooltip Instalacija je završena. Zatvorite instalacijski program. - + The installation is complete. Close the installer. @tooltip Instalacija je završena. Zatvorite instalacijski program. - + Cancel the setup process without changing the system. @tooltip Odustanite od postavljanja bez promjena na sustavu. - + Cancel the installation process without changing the system. @tooltip Odustanite od instalacije bez promjena na sustavu. - + &Next @button &Sljedeće - + &Back @button &Natrag - + &Done @button &Gotovo - + &Cancel @button &Odustani - + Cancel Setup? @title Prekinuti postavljanje? - + Cancel Installation? @title Prekinuti instalaciju? - - Install Log Paste URL - URL za objavu dnevnika instaliranja - - - - The upload was unsuccessful. No web-paste was done. - Objava dnevnika instaliranja na web nije uspjela. - - - - Install log posted to - -%1 - -Link copied to clipboard - Instaliraj zapisnik objavljen na - -%1 - -Veza je kopirana u međuspremnik - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Stvarno želite prekinuti instalacijski proces? Instalacijski program će izaći i sve promjene će biti izgubljene. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Stvarno želite prekinuti instalacijski proces? @@ -599,25 +599,25 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. CalamaresPython::Helper - + Unknown exception type @error Nepoznati tip iznimke - + Unparseable Python error @error unparseable Python greška - + Unparseable Python traceback @error unparseable Python traceback - + Unfetchable Python error @error Nedohvatljiva Python greška @@ -674,16 +674,6 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ručno particioniranje</strong><br/>Možete sami stvoriti ili promijeniti veličine particija. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Odaberite particiju za smanjivanje, te povlačenjem donjeg pokazivača odaberite promjenu veličine</strong> - Select storage de&vice: @@ -709,7 +699,12 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Reuse %1 as home partition for %2 @label - Koristi %1 kao home particiju za %2.{1 ?} {2?} + Koristi %1 kao home particiju za %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Odaberite particiju za smanjivanje, te povlačenjem donjeg pokazivača odaberite promjenu veličine</strong> @@ -832,6 +827,11 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.@label Swap datoteka + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ručno particioniranje</strong><br/>Možete sami stvoriti ili promijeniti veličine particija. + Bootloader location: @@ -842,44 +842,44 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. ClearMountsJob - + Successfully unmounted %1. Uspješno demontiran %1. - + Successfully disabled swap %1. Uspješno onemogućen swap %1. - + Successfully cleared swap %1. Uspješno obrisan swap %1. - + Successfully closed mapper device %1. Uspješno zatvoren device mapper %1. - + Successfully disabled volume group %1. Volume grupa %1 je uspješno onemogućena. - + Clear mounts for partitioning operations on %1 @title Ukloni montiranja za operacije s particijama na %1 - + Clearing mounts for partitioning operations on %1… @status - Uklanjanje montiranja za operacije s particijama na %1. {1…?} + Uklanjanje montiranja za operacije s particijama na %1... - + Cleared all mounts for %1 Uklonjena sva montiranja za %1 @@ -915,129 +915,112 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Config - - Network Installation. (Disabled: Incorrect configuration) - Mrežna instalacija. (Onemogućeno: Neispravna konfiguracija) - - - - Network Installation. (Disabled: Received invalid groups data) - Mrežna instalacija. (Onemogućeno: Primanje nevažećih podataka o grupama) - - - - Network Installation. (Disabled: Internal error) - Mrežna instalacija. (Onemogućeno: Interna pogreška) - - - - Network Installation. (Disabled: No package list) - Mrežna instalacija. (Onemogućeno: nedostaje lista paketa) - - - - Package selection - Odabir paketa - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Mrežna instalacija. (Onemogućeno: Ne mogu dohvatiti listu paketa, provjerite da li ste spojeni na mrežu) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1.<br/>Instalacija se ne može nastaviti. + + Setup Failed + @title + Instalacija nije uspjela - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1. <br/>Instalacija se ne može nastaviti. + + Installation Failed + @title + Instalacija nije uspjela - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. + + The setup of %1 did not complete successfully. + @info + Postavljanje %1 nije uspješno završilo. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. + + The installation of %1 did not complete successfully. + @info + Instalacija %1 nije uspješno završila. - - This program will ask you some questions and set up %2 on your computer. - Ovaj program će vam postaviti neka pitanja i instalirati %2 na vaše računalo. + + Setup Complete + @title + Instalacija je završena - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Dobrodošli u Calamares instalacijski program za %1</h1> + + Installation Complete + @title + Instalacija je završena - - <h1>Welcome to %1 setup</h1> - <h1>Dobrodošli u %1 instalacijski program</h1> + + The setup of %1 is complete. + @info + Instalacija %1 je završena. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Dobrodošli u Calamares instalacijski program za %1</h1> + + The installation of %1 is complete. + @info + Instalacija %1 je završena. - - <h1>Welcome to the %1 installer</h1> - <h1>Dobrodošli u %1 instalacijski program</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Model tipkovnice je postavljen na %1<br/>. - - Your username is too long. - Vaše korisničko ime je predugačko. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Raspored tipkovnice postavljen je na %1/%2. - - '%1' is not allowed as username. - '%1' nije dopušteno kao korisničko ime. + + Set timezone to %1/%2 + @action + Postavi vremesku zonu na %1%2 - - Your username must start with a lowercase letter or underscore. - Vaše korisničko ime mora započeti malim slovom ili donjom crtom. + + The system language will be set to %1. + @info + Jezik sustava će se postaviti na %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Dopuštena su samo mala slova, brojevi, donja crta i crtica. + + The numbers and dates locale will be set to %1. + @info + Regionalne postavke brojeva i datuma će se postaviti na %1. - - Your hostname is too short. - Ime računala je kratko. + + Network Installation. (Disabled: Incorrect configuration) + Mrežna instalacija. (Onemogućeno: Neispravna konfiguracija) - - Your hostname is too long. - Ime računala je predugačko. + + Network Installation. (Disabled: Received invalid groups data) + Mrežna instalacija. (Onemogućeno: Primanje nevažećih podataka o grupama) - - '%1' is not allowed as hostname. - '%1' nije dopušteno kao ime računala. + + Network Installation. (Disabled: Internal error) + Mrežna instalacija. (Onemogućeno: Interna pogreška) - - Only letters, numbers, underscore and hyphen are allowed. - Dopuštena su samo slova, brojevi, donja crta i crtica. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Mrežna instalacija. (Onemogućeno: Ne mogu dohvatiti listu paketa, provjerite da li ste spojeni na mrežu) - - Your passwords do not match! - Lozinke se ne podudaraju! + + Network Installation. (Disabled: No package list) + Mrežna instalacija. (Onemogućeno: nedostaje lista paketa) - - OK! - OK! + + Package selection + Odabir paketa @@ -1071,92 +1054,109 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Sažetak - - This is an overview of what will happen once you start the setup procedure. - Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. + + This is an overview of what will happen once you start the setup procedure. + Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. + + + + This is an overview of what will happen once you start the install procedure. + Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. + + + + Your username is too long. + Vaše korisničko ime je predugačko. + + + + Your username must start with a lowercase letter or underscore. + Vaše korisničko ime mora započeti malim slovom ili donjom crtom. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Dopuštena su samo mala slova, brojevi, donja crta i crtica. + + + + '%1' is not allowed as username. + '%1' nije dopušteno kao korisničko ime. - - This is an overview of what will happen once you start the install procedure. - Ovo je prikaz događaja koji će uslijediti jednom kad počne instalacijska procedura. + + Your hostname is too short. + Ime računala je kratko. - - Setup Failed - @title - Instalacija nije uspjela + + Your hostname is too long. + Ime računala je predugačko. - - Installation Failed - @title - Instalacija nije uspjela + + '%1' is not allowed as hostname. + '%1' nije dopušteno kao ime računala. - - The setup of %1 did not complete successfully. - @info - Postavljanje %1 nije uspješno završilo. + + Only letters, numbers, underscore and hyphen are allowed. + Dopuštena su samo slova, brojevi, donja crta i crtica. - - The installation of %1 did not complete successfully. - @info - Instalacija %1 nije uspješno završila. + + Your passwords do not match! + Lozinke se ne podudaraju! - - Setup Complete - @title - Instalacija je završena + + OK! + OK! - - Installation Complete - @title - Instalacija je završena + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1.<br/>Instalacija se ne može nastaviti. - - The setup of %1 is complete. - @info - Instalacija %1 je završena. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1. <br/>Instalacija se ne može nastaviti. - - The installation of %1 is complete. - @info - Instalacija %1 je završena. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Model tipkovnice je postavljen na %1<br/>. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Raspored tipkovnice postavljen je na %1/%2. + + This program will ask you some questions and set up %2 on your computer. + Ovaj program će vam postaviti neka pitanja i instalirati %2 na vaše računalo. - - Set timezone to %1/%2 - @action - Postavi vremesku zonu na %1%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Dobrodošli u Calamares instalacijski program za %1</h1> - - The system language will be set to %1. - @info - Jezik sustava će se postaviti na %1. + + <h1>Welcome to %1 setup</h1> + <h1>Dobrodošli u %1 instalacijski program</h1> - - The numbers and dates locale will be set to %1. - @info - Regionalne postavke brojeva i datuma će se postaviti na %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Dobrodošli u Calamares instalacijski program za %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Dobrodošli u %1 instalacijski program</h1> @@ -1273,7 +1273,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Create new %1MiB partition on %3 (%2) with entries %4 @title - Stvori novu %1MiB particiju na %3 (%2) s unosima %4. {1M?} {3 ?} {2)?} {4?} + Stvori novu %1MiB particiju na %3 (%2) s unosima %4 @@ -1310,7 +1310,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Creating new %1 partition on %2… @status - Stvaranje nove %1 particije na %2. {1 ?} {2…?} + Stvaranje nove %1 particije na %2... @@ -1354,7 +1354,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Creating new %1 partition table on %2… @status - Stvaranje nove %1 particijske tablice na %2. {1 ?} {2…?} + Stvaranje nove %1 particijske tablice na %2... @@ -1422,7 +1422,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Creating new volume group named %1… @status - Stvaranje nove volume grupe pod nazivom %1. {1…?} + Stvaranje nove volume grupe pod nazivom %1... @@ -1464,7 +1464,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Deleting partition %1… @status - Brisanje particije %1. {1…?} + Brisanje particije %1... @@ -1481,9 +1481,14 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Ovaj uređaj ima <strong>%1</strong> particijsku tablicu. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ovaj oblik particijske tablice je preporučen samo za starije sustave počevši od <strong>BIOS</strong> boot okruženja. GPT je preporučen u većini ostalih slučaja. <br><br><strong>Upozorenje:</strong> MBR particijska tablica je zastarjela iz doba MS-DOS standarda.<br>Samo 4 <em>primarne</em> particije se mogu kreirati i od tih 4, jedna može biti <em>proširena</em> particija, koja može sadržavati mnogo <em>logičkih</em> particija. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>To je preporučeni tip particijske tablice za moderne sustave koji se koristi za <strong> EFI </strong> boot okruženje. @@ -1496,14 +1501,9 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Instalacijski program <strong>ne može detektirati particijsku tablicu</strong> na odabranom disku.<br><br>Uređaj ili nema particijsku tablicu ili je particijska tablica oštečena ili nepoznatog tipa.<br>Instalacijski program može stvoriti novu particijsku tablicu, ili automatski, ili kroz ručno particioniranje. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>To je preporučeni tip particijske tablice za moderne sustave koji se koristi za <strong> EFI </strong> boot okruženje. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ovaj oblik particijske tablice je preporučen samo za starije sustave počevši od <strong>BIOS</strong> boot okruženja. GPT je preporučen u većini ostalih slučaja. <br><br><strong>Upozorenje:</strong> MBR particijska tablica je zastarjela iz doba MS-DOS standarda.<br>Samo 4 <em>primarne</em> particije se mogu kreirati i od tih 4, jedna može biti <em>proširena</em> particija, koja može sadržavati mnogo <em>logičkih</em> particija. + + This device has a <strong>%1</strong> partition table. + Ovaj uređaj ima <strong>%1</strong> particijsku tablicu. @@ -1708,7 +1708,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> %3. {2 ?} {1<?} {3?} + Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong> %3 @@ -1732,7 +1732,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} + Postavljanje %3 particije <strong>%1</strong> s točkom montiranja <strong>%2</strong> %4... @@ -1815,7 +1815,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Formatiraj particiju %1 (datotečni sustav: %2, veličina: %3 MiB) na %4. {1 ?} {2,?} {3 ?} {4?} + Formatiraj particiju %1 (datotečni sustav: %2, veličina: %3 MiB) na %4 @@ -1833,7 +1833,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. Formatting partition %1 with file system %2… @status - Formatiranje particije %1 sa datotečnim sustavom %2. {1 ?} {2…?} + Formatiranje particije %1 sa datotečnim sustavom %2... @@ -2279,7 +2279,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. LocaleTests - + Quit izađi @@ -2453,6 +2453,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. label for netinstall module, choose desktop environment Radna površina + + + Applications + Aplikacije + Communication @@ -2501,11 +2506,6 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. label for netinstall module Alati - - - Applications - Aplikacije - NotesQmlViewStep @@ -2678,11 +2678,29 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. The password contains forbidden words in some form Lozinka u nekoj formi sadrži zabranjene rijeći + + + The password contains fewer than %n digits + + Lozinka sadrži manje od %n znaka + Lozinka sadrži manje od %n znakova + Lozinka sadrži manje od %n znakova + + The password contains too few digits Lozinka sadrži premalo brojeva + + + The password contains fewer than %n uppercase letters + + Lozinka sadrži manje od %n velikog slova + Lozinka sadrži manje od %n velikih slova + Lozinka sadrži manje od %n velikih slova + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. The password contains too few lowercase letters Lozinka sadrži premalo malih slova - - - The password contains too few non-alphanumeric characters - Lozinka sadrži premalo ne-alfanumeričkih znakova - - - - The password is too short - Lozinka je prekratka - - - - The password does not contain enough character classes - Lozinka ne sadrži dovoljno razreda znakova - - - - The password contains too many same characters consecutively - Lozinka sadrži previše uzastopnih znakova - - - - The password contains too many characters of the same class consecutively - Lozinka sadrži previše uzastopnih znakova iz istog razreda - - - - The password contains fewer than %n digits - - Lozinka sadrži manje od %n znaka - Lozinka sadrži manje od %n znakova - Lozinka sadrži manje od %n znakova - - - - - The password contains fewer than %n uppercase letters - - Lozinka sadrži manje od %n velikog slova - Lozinka sadrži manje od %n velikih slova - Lozinka sadrži manje od %n velikih slova - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Lozinka sadrži manje od %n ne-alfanumeričkih znakova + + + The password contains too few non-alphanumeric characters + Lozinka sadrži premalo ne-alfanumeričkih znakova + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Lozinka je kraća od %n znakova + + + The password is too short + Lozinka je prekratka + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Lozinka sadrži manje od %n razreda znakova + + + The password does not contain enough character classes + Lozinka ne sadrži dovoljno razreda znakova + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Lozinka sadrži više od %n uzastopnih znakova + + + The password contains too many same characters consecutively + Lozinka sadrži previše uzastopnih znakova + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Lozinka sadrži više od %n uzastopnih znakova iz istog razreda + + + The password contains too many characters of the same class consecutively + Lozinka sadrži previše uzastopnih znakova iz istog razreda + The password contains monotonic sequence longer than %n characters @@ -3219,6 +3219,18 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. PartitionViewStep + + + Gathering system information… + @status + Skupljanje informacija o sustavu... + + + + Partitions + @label + Particije + Unsafe partition actions are enabled. @@ -3235,35 +3247,27 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Nijedna particija neće biti promijenjena. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Za pokretanje %1 potrebna je EFI sistemska particija.<br/><br/>EFI sistemska particija ne zadovoljava preporuke. Preporuča se vratiti se i odabrati ili stvoriti odgovarajući datotečni sustav. - - - - The minimum recommended size for the filesystem is %1 MiB. - Minimalna preporučena veličina za datotečni sustav je %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Možete nastaviti s ovom konfiguracijom EFI sistemskom particijom, ali se vaš sustav možda neće uspjeti pokrenuti. - - - - No EFI system partition configured - EFI particija nije konfigurirana + + Current: + @label + Trenutni: - - EFI system partition configured incorrectly - EFI particija nije ispravno konfigurirana + + After: + @label + Poslije: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Za pokretanje %1 potrebna je EFI particija. <br/><br/>Za konfiguriranje EFI sistemske particije, vratite se i odaberite ili kreirajte odgovarajući datotečni sustav. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Za pokretanje %1 potrebna je EFI sistemska particija.<br/><br/>EFI sistemska particija ne zadovoljava preporuke. Preporuča se vratiti se i odabrati ili stvoriti odgovarajući datotečni sustav. + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. The filesystem must have type FAT32. Datotečni sustav mora biti FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Datotečni sustav mora imati postavljenu oznaku <strong>%1</strong>. + @@ -3281,38 +3290,29 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. Datotečni sustav mora biti veličine od najmanje %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - Datotečni sustav mora imati postavljenu oznaku <strong>%1</strong>. - - - - Gathering system information… - @status - Skupljanje informacija o sustavu... + + The minimum recommended size for the filesystem is %1 MiB. + Minimalna preporučena veličina za datotečni sustav je %1 MiB. - - Partitions - @label - Particije + + You can continue without setting up an EFI system partition but your system may fail to start. + Možete nastaviti bez postavljanja EFI particije, ali vaš se sustav možda neće pokrenuti. - - Current: - @label - Trenutni: + + You can continue with this EFI system partition configuration but your system may fail to start. + Možete nastaviti s ovom konfiguracijom EFI sistemskom particijom, ali se vaš sustav možda neće uspjeti pokrenuti. - - After: - @label - Poslije: + + No EFI system partition configured + EFI particija nije konfigurirana - - You can continue without setting up an EFI system partition but your system may fail to start. - Možete nastaviti bez postavljanja EFI particije, ali vaš se sustav možda neće pokrenuti. + + EFI system partition configured incorrectly + EFI particija nije ispravno konfigurirana @@ -3409,14 +3409,14 @@ te korištenjem tipki +/- ili skrolanjem miša za zumiranje. ProcessResult - + There was no output from the command. Nema izlazne informacije od naredbe. - + Output: @@ -3425,52 +3425,52 @@ Izlaz: - + External command crashed. Vanjska naredba je prekinula s radom. - + Command <i>%1</i> crashed. Naredba <i>%1</i> je prekinula s radom. - + External command failed to start. Vanjska naredba nije uspješno pokrenuta. - + Command <i>%1</i> failed to start. Naredba <i>%1</i> nije uspješno pokrenuta. - + Internal error when starting command. Unutrašnja greška pri pokretanju naredbe. - + Bad parameters for process job call. Krivi parametri za proces poziva posla. - + External command failed to finish. Vanjska naredba se nije uspjela izvršiti. - + Command <i>%1</i> failed to finish in %2 seconds. Naredba <i>%1</i> nije uspjela završiti za %2 sekundi. - + External command finished with errors. Vanjska naredba je završila sa pogreškama. - + Command <i>%1</i> finished with exit code %2. Naredba <i>%1</i> je završila sa izlaznim kodom %2. @@ -3482,6 +3482,30 @@ Izlaz: %1 (%2) %1 (%2) + + + unknown + @partition info + nepoznato + + + + extended + @partition info + prošireno + + + + unformatted + @partition info + nije formatirano + + + + swap + @partition info + swap + @@ -3513,30 +3537,6 @@ Izlaz: (no mount point) (nema točke montiranja) - - - unknown - @partition info - nepoznato - - - - extended - @partition info - prošireno - - - - unformatted - @partition info - nije formatirano - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3728,7 +3728,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Resize volume group named %1 from %2 to %3 @title - Promijeni veličinu volume grupi pod nazivom %1 sa %2 na %3. {1 ?} {2 ?} {3?} + Promijeni veličinu volume grupe pod nazivom %1 sa %2 na %3 @@ -3787,7 +3787,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Setting hostname %1… @status - Postavljanje imena računala %1. {1…?} + Postavljanje imena računala %1... @@ -3956,7 +3956,7 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Setting password for user %1… @status - Postavljanje lozinke za korisnika %1. {1…?} + Postavljanje lozinke za korisnika %1... @@ -3973,17 +3973,17 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene Cannot disable root account. Ne mogu onemogućiti root račun. - - - Cannot set password for user %1. - Ne mogu postaviti lozinku za korisnika %1. - usermod terminated with error code %1. usermod je prekinut s greškom %1. + + + Cannot set password for user %1. + Ne mogu postaviti lozinku za korisnika %1. + SetTimezoneJob @@ -4076,7 +4076,8 @@ Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4894,11 +4895,21 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is your name? Koje je tvoje ime? + + + Your full name + Vaše puno ime + What name do you want to use to log in? Koje ime želite koristiti za prijavu? + + + Login name + Korisničko ime + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4919,11 +4930,21 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is the name of this computer? Koje je ime ovog računala? + + + Computer name + Ime računala + This name will be used if you make the computer visible to others on a network. Ovo će se ime upotrebljavati ako računalo učinite vidljivim drugima na mreži. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Dopuštena su samo slova, brojevi, donja crta i crtica i to kao najmanje dva znaka + localhost is not allowed as hostname. @@ -4939,11 +4960,31 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Password Lozinka + + + Repeat password + Ponovite lozinku + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Dvaput unesite istu lozinku kako biste je mogli provjeriti ima li pogrešaka u tipkanju. Dobra lozinka sadržavat će mješavinu slova, brojeva i interpunkcije, treba imati najmanje osam znakova i treba je mijenjati u redovitim intervalima. + + + Reuse user password as root password + Upotrijebite lozinku korisnika kao root lozinku + + + + Use the same password for the administrator account. + Koristi istu lozinku za administratorski račun. + + + + Choose a root password to keep your account safe. + Odaberite root lozinku da biste zaštitili svoj račun. + Root password @@ -4955,14 +4996,9 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Ponovite root lozinku - - Validate passwords quality - Provjerite kvalitetu lozinki - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Kad je ovaj okvir potvrđen, bit će napravljena provjera jakosti lozinke te nećete moći koristiti slabu lozinku. + + Enter the same password twice, so that it can be checked for typing errors. + Dvaput unesite istu lozinku kako biste mogli provjeriti ima li pogrešaka u tipkanju. @@ -4970,49 +5006,14 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Automatska prijava bez traženja lozinke - - Your full name - Vaše puno ime - - - - Login name - Korisničko ime - - - - Computer name - Ime računala - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Dopuštena su samo slova, brojevi, donja crta i crtica i to kao najmanje dva znaka - - - - Repeat password - Ponovite lozinku - - - - Reuse user password as root password - Upotrijebite lozinku korisnika kao root lozinku - - - - Use the same password for the administrator account. - Koristi istu lozinku za administratorski račun. - - - - Choose a root password to keep your account safe. - Odaberite root lozinku da biste zaštitili svoj račun. + + Validate passwords quality + Provjerite kvalitetu lozinki - - Enter the same password twice, so that it can be checked for typing errors. - Dvaput unesite istu lozinku kako biste mogli provjeriti ima li pogrešaka u tipkanju. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Kad je ovaj okvir potvrđen, bit će napravljena provjera jakosti lozinke te nećete moći koristiti slabu lozinku. @@ -5027,11 +5028,21 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is your name? Koje je tvoje ime? + + + Your full name + Vaše puno ime + What name do you want to use to log in? Koje ime želite koristiti za prijavu? + + + Login name + Korisničko ime + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5052,16 +5063,6 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str What is the name of this computer? Koje je ime ovog računala? - - - Your full name - Vaše puno ime - - - - Login name - Korisničko ime - Computer name @@ -5097,16 +5098,6 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Repeat password Ponovite lozinku - - - Root password - Root lozinka - - - - Repeat root password - Ponovite root lozinku - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5127,6 +5118,16 @@ Postavke regije utječu na format brojeva i datuma. Trenutne postavke su <str Choose a root password to keep your account safe. Odaberite root lozinku da biste zaštitili svoj račun. + + + Root password + Root lozinka + + + + Repeat root password + Ponovite root lozinku + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_hu.ts b/lang/calamares_hu.ts index f4a81a34ea..87cb79e435 100644 --- a/lang/calamares_hu.ts +++ b/lang/calamares_hu.ts @@ -125,31 +125,21 @@ Interface: Interfész: + + + Crashes Calamares, so that Dr. Konqi can look at it. + A Calamares összeomlik, hogy Dr. Konqi meg tudja nézni a problémát. + Reloads the stylesheet from the branding directory. Újratölti a stíluslapot a branding könyvtárból. - - - Uploads the session log to the configured pastebin. - Feltölti a munkamenet naplóját a beállított pastebin-re. - - - - Send Session Log - Munkamenetnapló küldése - Reload Stylesheet Stílusok újratöltése - - - Crashes Calamares, so that Dr. Konqi can look at it. - A Calamares összeomlik, hogy Dr. Konqi meg tudja nézni a problémát. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Modul- fa + + + Uploads the session log to the configured pastebin. + Feltölti a munkamenet naplóját a beállított pastebin-re. + + + + Send Session Log + Munkamenetnapló küldése + Debug Information @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + A feltöltés sikertelen volt. Nem történt webes beillesztés. + + + + Install log posted to + +%1 + +Link copied to clipboard + Telepítési napló közzétéve itt: + +%1 + +Link a vágólapra másolva + + + + Install Log Paste URL + Telepítési napló beillesztési URL-je. + &Yes @@ -407,7 +430,7 @@ &Bezár - + Setup Failed @title Telepítési hiba @@ -437,13 +460,13 @@ A(z) %1 nem telepíthető. A Calamares nem tudta betölteni a konfigurált modulokat. Ez a probléma abból fakad, ahogy a disztribúció a Calamarest használja. - + <br/>The following modules could not be loaded: @info <br/>A következő modulok nem tölthetőek be: - + Continue with Setup? @title Folytatod a Beállítást? @@ -461,133 +484,110 @@ A(z) %1 beállító változtatásokat fog végrehajtani a lemezen a(z) %2 telepítéséhez. <br/><strong>Ezután már nem tudod visszavonni a változtatásokat.</strong>  - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version A(z) %1 telepítő változtatásokat fog végrehajtani a lemezen a(z) %2 telepítéséhez. <br/><strong>Ezután már nem tudod visszavonni a változtatásokat.</strong> - + &Set Up Now @button &Beállítás Most - + &Install Now @button &Telepítés Most - + Go &Back @button Menj &Vissza - + &Set Up @button &Beállítás - + &Install @button &Telepítés - + Setup is complete. Close the setup program. @tooltip A telepítés sikerült. Zárd be a telepítőt. - + The installation is complete. Close the installer. @tooltip A telepítés befejeződött, Bezárhatod a telepítőt. - + Cancel the setup process without changing the system. @tooltip A beállítási folyamat megszakíása a rendszer módosítása nélkül. - + Cancel the installation process without changing the system. @tooltip A telepítési folyamat megszakíása a rendszer módosítása nélkül. - + &Next @button &Következő - + &Back @button &Vissza - + &Done @button &Befejez - + &Cancel @button &Mégse - + Cancel Setup? @title Megszakítod a Beállítást? - + Cancel Installation? @title Megszakítod a Telepítést? - - Install Log Paste URL - Telepítési napló beillesztési URL-je. - - - - The upload was unsuccessful. No web-paste was done. - A feltöltés sikertelen volt. Nem történt webes beillesztés. - - - - Install log posted to - -%1 - -Link copied to clipboard - Telepítési napló közzétéve itt: - -%1 - -Link a vágólapra másolva - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Valóban megszakítod a telepítési eljárást? A telepítő ki fog lépni és minden változtatás elveszik. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Biztos, hogy abba szeretnéd hagyni a telepítést? @@ -597,25 +597,25 @@ Minden változtatás elvész, ha kilépsz a telepítőből. CalamaresPython::Helper - + Unknown exception type @error Ismeretlen kivétel típus - + Unparseable Python error @error Nem elemezhető Python hiba - + Unparseable Python traceback @error Nem elemezhető Python visszakövetés - + Unfetchable Python error @error Nem lekérhető Python hiba @@ -672,16 +672,6 @@ Minden változtatás elvész, ha kilépsz a telepítőből. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuális partícionálás</strong><br/>Létrehozhatsz, vagy átméretezhetsz partíciókat. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Válaszd ki a partíciót amit zsugorítani akarsz és egérrel méretezd át.</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Reuse %1 as home partition for %2 @label - A(z) %1 partíció újrahasznosítása a(z) %2-n mint home partíció. {1 ?} {2?} + %1 partíció újrahasználata mint home partíció a %2 -n + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Válaszd ki a partíciót amit zsugorítani akarsz és egérrel méretezd át.</strong> @@ -830,6 +825,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. @label Cserehely fájlba + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuális partícionálás</strong><br/>Létrehozhatsz, vagy átméretezhetsz partíciókat. + Bootloader location: @@ -840,44 +840,44 @@ Minden változtatás elvész, ha kilépsz a telepítőből. ClearMountsJob - + Successfully unmounted %1. %1 sikeresen leválasztva. - + Successfully disabled swap %1. %1 cserehely sikeresen letiltva. - + Successfully cleared swap %1. %1 cserehely sikeresen megtisztítva. - + Successfully closed mapper device %1. %1 leképezőeszköz sikeresen bezárva. - + Successfully disabled volume group %1. %1 kötetcsoport sikeresen letiltva. - + Clear mounts for partitioning operations on %1 @title A(z) %1 csatolásainak törlése a partícionálási művelethez - + Clearing mounts for partitioning operations on %1… @status - A(z) %1 csatolásainak törlése a partícionálási művelethez. {1…?} + %1 csatolásának törlése a partícionálási műveletekhez... - + Cleared all mounts for %1 %1 minden csatolása törölve @@ -913,129 +913,112 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Config - - Network Installation. (Disabled: Incorrect configuration) - Hálózati telepítés. (Letiltva: hibás konfiguráció) - - - - Network Installation. (Disabled: Received invalid groups data) - Hálózati Telepítés. (Letiltva: Hibás adat csoportok fogadva) - - - - Network Installation. (Disabled: Internal error) - Hálózati telepítés. (Letiltva: belső hiba) - - - - Network Installation. (Disabled: No package list) - Hálózati telepítés. (Letiltva: nincs csomaglista) - - - - Package selection - Csomag választása - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Hálózati telepítés. (Kikapcsolva: A csomagokat nem lehet letölteni, ellenőrizd a hálózati kapcsolatot) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Ez a számítógép nem felel meg a(z) %1 beállításához szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. + + Setup Failed + @title + Telepítési hiba - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Ez a számítógép nem felel meg a(z) %1 telepítéséhez szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. + + Installation Failed + @title + Telepítés nem sikerült - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Ez a számítógép nem felel meg néhány követelménynek a %1 telepítéséhez. <br/>A telepítés folytatható de előfordulhat néhány képesség nem lesz elérhető. + + The setup of %1 did not complete successfully. + @info + A(z) %1 beállítása nem fejeződött be sikeresen. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/>Telepítés folytatható de néhány tulajdonság valószínűleg nem lesz elérhető. + + The installation of %1 did not complete successfully. + @info + A(z) %1 telepítése nem fejeződött be sikeresen. - - This program will ask you some questions and set up %2 on your computer. - Ez a program fel fog tenni néhány kérdést és %2 -t telepíti a számítógépre. + + Setup Complete + @title + Telepítés Sikerült - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Üdvözli önt a(z) %1 Calamares beállító programja</h1> + + Installation Complete + @title + A telepítés befejeződött. - - <h1>Welcome to %1 setup</h1> - Üdvözlünk a(z) %1 beállító programban</h1> + + The setup of %1 is complete. + @info + A telepítésből %1 van kész. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Üdvözlünk a(z) %1 Calamares telepítőjében</h1> + + The installation of %1 is complete. + @info + A(z) %1 telepítése elkészült. - - <h1>Welcome to the %1 installer</h1> - <h1>Üdvözlünk a(z) %1 telepítőben</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + A billentyűzet modellje %1-ra lett beállítva<br/>. - - Your username is too long. - A felhasználónév túl hosszú. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + A billentyűzetkiosztás %1/%2-ra lett beállítva. - - '%1' is not allowed as username. - '%1' nem engedélyezett felhasználónévként. + + Set timezone to %1/%2 + @action + Időzóna beállítása %1/%2 - - Your username must start with a lowercase letter or underscore. - Felhasználónevednek kisbetűvel, vagy aláhúzásjellel kell kezdődnie. + + The system language will be set to %1. + @info + A rendszer területi beállítása %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Csak kisbetűk, számok, aláhúzás és kötőjel megengedett. + + The numbers and dates locale will be set to %1. + @info + A számok és dátumok területi beállítása %1. - - Your hostname is too short. - A hálózati név túl rövid. + + Network Installation. (Disabled: Incorrect configuration) + Hálózati telepítés. (Letiltva: hibás konfiguráció) - - Your hostname is too long. - A hálózati név túl hosszú. + + Network Installation. (Disabled: Received invalid groups data) + Hálózati Telepítés. (Letiltva: Hibás adat csoportok fogadva) - - '%1' is not allowed as hostname. - '%1' nem engedélyezett állomásnévként. + + Network Installation. (Disabled: Internal error) + Hálózati telepítés. (Letiltva: belső hiba) - - Only letters, numbers, underscore and hyphen are allowed. - Csak betűk, számok, aláhúzás és kötőjel megengedett. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Hálózati telepítés. (Kikapcsolva: A csomagokat nem lehet letölteni, ellenőrizd a hálózati kapcsolatot) - - Your passwords do not match! - A két jelszó nem egyezik! + + Network Installation. (Disabled: No package list) + Hálózati telepítés. (Letiltva: nincs csomaglista) - - OK! - OK! + + Package selection + Csomag választása @@ -1063,98 +1046,115 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Semmi - - Summary - @label - Összefoglalás + + Summary + @label + Összefoglalás + + + + This is an overview of what will happen once you start the setup procedure. + Összefoglaló arról mi fog történni a telepítés során. + + + + This is an overview of what will happen once you start the install procedure. + Ez áttekintése annak, hogy mi fog történni, ha megkezded a telepítést. + + + + Your username is too long. + A felhasználónév túl hosszú. + + + + Your username must start with a lowercase letter or underscore. + Felhasználónevednek kisbetűvel, vagy aláhúzásjellel kell kezdődnie. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Csak kisbetűk, számok, aláhúzás és kötőjel megengedett. + + + + '%1' is not allowed as username. + '%1' nem engedélyezett felhasználónévként. - - This is an overview of what will happen once you start the setup procedure. - Összefoglaló arról mi fog történni a telepítés során. + + Your hostname is too short. + A hálózati név túl rövid. - - This is an overview of what will happen once you start the install procedure. - Ez áttekintése annak, hogy mi fog történni, ha megkezded a telepítést. + + Your hostname is too long. + A hálózati név túl hosszú. - - Setup Failed - @title - Telepítési hiba + + '%1' is not allowed as hostname. + '%1' nem engedélyezett állomásnévként. - - Installation Failed - @title - Telepítés nem sikerült + + Only letters, numbers, underscore and hyphen are allowed. + Csak betűk, számok, aláhúzás és kötőjel megengedett. - - The setup of %1 did not complete successfully. - @info - A(z) %1 beállítása nem fejeződött be sikeresen. + + Your passwords do not match! + A két jelszó nem egyezik! - - The installation of %1 did not complete successfully. - @info - A(z) %1 telepítése nem fejeződött be sikeresen. + + OK! + OK! - - Setup Complete - @title - Telepítés Sikerült + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Ez a számítógép nem felel meg a(z) %1 beállításához szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. - - Installation Complete - @title - A telepítés befejeződött. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Ez a számítógép nem felel meg a(z) %1 telepítéséhez szükséges minimális követelményeknek. <br/>A telepítés nem folytatódhat. - - The setup of %1 is complete. - @info - A telepítésből %1 van kész. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Ez a számítógép nem felel meg néhány követelménynek a %1 telepítéséhez. <br/>A telepítés folytatható de előfordulhat néhány képesség nem lesz elérhető. - - The installation of %1 is complete. - @info - A(z) %1 telepítése elkészült. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/>Telepítés folytatható de néhány tulajdonság valószínűleg nem lesz elérhető. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - A billentyűzet modellje %1-ra lett beállítva<br/>. + + This program will ask you some questions and set up %2 on your computer. + Ez a program fel fog tenni néhány kérdést és %2 -t telepíti a számítógépre. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - A billentyűzetkiosztás %1/%2-ra lett beállítva. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Üdvözli önt a(z) %1 Calamares beállító programja</h1> - - Set timezone to %1/%2 - @action - Időzóna beállítása %1/%2 + + <h1>Welcome to %1 setup</h1> + Üdvözlünk a(z) %1 beállító programban</h1> - - The system language will be set to %1. - @info - A rendszer területi beállítása %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Üdvözlünk a(z) %1 Calamares telepítőjében</h1> - - The numbers and dates locale will be set to %1. - @info - A számok és dátumok területi beállítása %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Üdvözlünk a(z) %1 telepítőben</h1> @@ -1271,7 +1271,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Create new %1MiB partition on %3 (%2) with entries %4 @title - Az új %1MiB méretű partíció létrehozása a(z) %3-on (%2) %4 bejegyzéssel. {1M?} {3 ?} {2)?} {4?} + Új %1MiB-os partíció létrehozása a %3-on (%2) %4 bejegyzéssel @@ -1308,7 +1308,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Creating new %1 partition on %2… @status - Az új %1 partíció létrehozása a következőn: %2. {1 ?} {2…?} + Új %1 partíció létrehozása a következőn: %2... @@ -1352,7 +1352,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Creating new %1 partition table on %2… @status - Az új %1 partíciós tábla létrehozása a következőn: %2. {1 ?} {2…?} + Új %1 partíciós tábla létrehozása a következőn: %2... @@ -1420,7 +1420,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Creating new volume group named %1… @status - Az új %1 nevű kötetcsoport létrehozása. {1…?} + Új kötetcsoport létrehozása a következőn: %1... @@ -1462,7 +1462,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Deleting partition %1… @status - A(z) %1 partíció törlése. {1…?} + %1 partíció törlése... @@ -1479,9 +1479,14 @@ Minden változtatás elvész, ha kilépsz a telepítőből. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Az ezköz tartalmaz egy <strong>%1</strong> partíciós táblát. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ez a partíciós tábla típus régebbi rendszerekhez javasolt amik <strong>BIOS</strong> indító környezetből indulnak. Legtöbb esetben azonban GPT használata javasolt. <br><strong>Figyelem:</strong> az MSDOS partíciós tábla egy régi sztenderd lényeges korlátozásokkal. <br>Maximum 4 <em>elsődleges</em> partíció hozható létre és abból a 4-ből egy lehet <em>kiterjesztett</em> partíció. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Ez az ajánlott partíciós tábla típus modern rendszerekhez ami <strong>EFI</strong> indító környezettel indul. @@ -1494,14 +1499,9 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A telepítő <strong>nem talált partíciós táblát</strong> a választott tárolóeszközön.<br><br> Az eszköz nem tartalmaz partíciós táblát vagy sérült vagy ismeretlen típusú.<br> A telepítő létre tud hozni újat automatikusan vagy te magad kézi partícionálással. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Ez az ajánlott partíciós tábla típus modern rendszerekhez ami <strong>EFI</strong> indító környezettel indul. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ez a partíciós tábla típus régebbi rendszerekhez javasolt amik <strong>BIOS</strong> indító környezetből indulnak. Legtöbb esetben azonban GPT használata javasolt. <br><strong>Figyelem:</strong> az MSDOS partíciós tábla egy régi sztenderd lényeges korlátozásokkal. <br>Maximum 4 <em>elsődleges</em> partíció hozható létre és abból a 4-ből egy lehet <em>kiterjesztett</em> partíció. + + This device has a <strong>%1</strong> partition table. + Az ezköz tartalmaz egy <strong>%1</strong> partíciós táblát. @@ -1706,7 +1706,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Az <strong>új</strong> %2 partíció beállítása <strong>%1</strong> csatolási ponttal %3. {2 ?} {1<?} {3?} + <strong>Új</strong> %2 partíció beállítása a(z) <strong>%1</strong>-n %3 csatolási ponttal @@ -1730,7 +1730,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - A(z) %3 partíció <strong>%1</strong> beállítása a(z) <strong>%2</strong> csatolási ponttal %4. {3 ?} {1<?} {2<?} {4…?} + A(z) %3 partíció <strong>%1</strong> beállítása a(z) <strong>%2</strong>-n %4 csatolási ponttal... @@ -1813,7 +1813,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - A(z) %1 partíció formázása (fájlrendszer: %2, méret: %3 MiB) itt %4. {1 ?} {2,?} {3 ?} {4?} + %1 partíció formázása (fájlrendszer: %2, méret: %3 MiB) itt %4 @@ -1831,7 +1831,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. Formatting partition %1 with file system %2… @status - A(z) %1 partíció formázása %2 fájlrendszerrel. {1 ?} {2…?} + A(z) %1 partíció formázása %2 fájlrendszerrel... @@ -2277,7 +2277,7 @@ Minden változtatás elvész, ha kilépsz a telepítőből. LocaleTests - + Quit Kilépés @@ -2451,6 +2451,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. label for netinstall module, choose desktop environment Asztal + + + Applications + Alkalmazások + Communication @@ -2499,11 +2504,6 @@ Minden változtatás elvész, ha kilépsz a telepítőből. label for netinstall module Segédprogramok - - - Applications - Alkalmazások - NotesQmlViewStep @@ -2676,11 +2676,27 @@ Minden változtatás elvész, ha kilépsz a telepítőből. The password contains forbidden words in some form A jelszó tiltott szavakat tartalmaz valamilyen formában + + + The password contains fewer than %n digits + + A jelszó kevesebb mint %n számjegyből áll + A jelszó kevesebb mint %n számjegyből áll + + The password contains too few digits A jelszó túl kevés számjegyet tartalmaz + + + The password contains fewer than %n uppercase letters + + A jelszó kevesebb mint %n nagybetűt tartalmaz + A jelszó kevesebb mint %n nagybetűt tartalmaz + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Minden változtatás elvész, ha kilépsz a telepítőből. The password contains too few lowercase letters A jelszó túl kevés kisbetűt tartalmaz - - - The password contains too few non-alphanumeric characters - A jelszó túl kevés nem alfanumerikus karaktert tartalmaz - - - - The password is too short - A jelszó túl rövid - - - - The password does not contain enough character classes - A jelszó nem tartalmaz elég karakterosztályt - - - - The password contains too many same characters consecutively - A jelszó túl sok egyező karaktert tartalmaz egymás után - - - - The password contains too many characters of the same class consecutively - A jelszó túl sok karaktert tartalmaz ugyanabból a karakterosztályból egymás után - - - - The password contains fewer than %n digits - - A jelszó kevesebb mint %n számjegyből áll - A jelszó kevesebb mint %n számjegyből áll - - - - - The password contains fewer than %n uppercase letters - - A jelszó kevesebb mint %n nagybetűt tartalmaz - A jelszó kevesebb mint %n nagybetűt tartalmaz - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A jelszó kevesebb, mint %n nem alfanumerikus karaktert tartalmaz + + + The password contains too few non-alphanumeric characters + A jelszó túl kevés nem alfanumerikus karaktert tartalmaz + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A jelszó rövidebb, mint %n karakter + + + The password is too short + A jelszó túl rövid + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A jelszó kevesebb mint %n karakterosztályt tartalmaz + + + The password does not contain enough character classes + A jelszó nem tartalmaz elég karakterosztályt + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A jelszó több mint %n azonos karaktert tartalmaz egymás után + + + The password contains too many same characters consecutively + A jelszó túl sok egyező karaktert tartalmaz egymás után + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A jelszó egymás után több mint %n karaktert tartalmaz ugyanabból az osztályból + + + The password contains too many characters of the same class consecutively + A jelszó túl sok karaktert tartalmaz ugyanabból a karakterosztályból egymás után + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ Minden változtatás elvész, ha kilépsz a telepítőből. PartitionViewStep + + + Gathering system information… + @status + Információk gyűjtése a rendszerről... + + + + Partitions + @label + Partíciók + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A partíciók nem lesznek megváltoztatva. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - EFI rendszerpartíció szükséges a(z) %1 indításához.<br/><br/>Az EFI rendszerpartíció nem felel meg az ajánlásoknak. Javasoljuk, hogy menj vissza, és válassz ki, vagy hozz létre egy megfelelő fájlrendszert. - - - - The minimum recommended size for the filesystem is %1 MiB. - A fájlrendszer minimális ajánlott mérete %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Folytathatod ezzel az EFI rendszerpartíció konfigurációval, de előfordulhat, hogy a rendszer nem fog elindúlni. - - - - No EFI system partition configured - Nincs EFI rendszer partíció beállítva + + Current: + @label + Aktuális: - - EFI system partition configured incorrectly - Az EFI rendszerpartíció helytelenül van konfigurálva + + After: + @label + Utána: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. EFI rendszerpartíció szükséges a(z) %1 indításához.<br/><br/>EFI rendszerpartíció beállításához lépj vissza, és válassz ki, vagy hozz létre egy megfelelő fájlrendszert. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + EFI rendszerpartíció szükséges a(z) %1 indításához.<br/><br/>Az EFI rendszerpartíció nem felel meg az ajánlásoknak. Javasoljuk, hogy menj vissza, és válassz ki, vagy hozz létre egy megfelelő fájlrendszert. + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ Minden változtatás elvész, ha kilépsz a telepítőből. The filesystem must have type FAT32. A fájlrendszernek FAT32 típusúnak kell lennie. + + + The filesystem must have flag <strong>%1</strong> set. + A fájlrendszernek %1 jelzővel kell rendelkeznie. + @@ -3270,38 +3279,29 @@ Minden változtatás elvész, ha kilépsz a telepítőből. A fájlrendszernek legalább %1 MiB méretűnek kell lennie. - - The filesystem must have flag <strong>%1</strong> set. - A fájlrendszernek %1 jelzővel kell rendelkeznie. - - - - Gathering system information… - @status - Információk gyűjtése a rendszerről... + + The minimum recommended size for the filesystem is %1 MiB. + A fájlrendszer minimális ajánlott mérete %1 MiB. - - Partitions - @label - Partíciók + + You can continue without setting up an EFI system partition but your system may fail to start. + Folytathatod az EFI rendszerpartíció beállítása nélkül is, de előfordulhat, hogy a rendszer nem fog elindúlni. - - Current: - @label - Aktuális: + + You can continue with this EFI system partition configuration but your system may fail to start. + Folytathatod ezzel az EFI rendszerpartíció konfigurációval, de előfordulhat, hogy a rendszer nem fog elindúlni. - - After: - @label - Utána: + + No EFI system partition configured + Nincs EFI rendszer partíció beállítva - - You can continue without setting up an EFI system partition but your system may fail to start. - Folytathatod az EFI rendszerpartíció beállítása nélkül is, de előfordulhat, hogy a rendszer nem fog elindúlni. + + EFI system partition configured incorrectly + Az EFI rendszerpartíció helytelenül van konfigurálva @@ -3398,14 +3398,14 @@ Minden változtatás elvész, ha kilépsz a telepítőből. ProcessResult - + There was no output from the command. A parancsnak nem volt kimenete. - + Output: @@ -3414,52 +3414,52 @@ Kimenet: - + External command crashed. Külső parancs összeomlott. - + Command <i>%1</i> crashed. Parancs <i>%1</i> összeomlott. - + External command failed to start. A külső parancsot nem sikerült elindítani. - + Command <i>%1</i> failed to start. A(z) <i>%1</i> parancsot nem sikerült elindítani. - + Internal error when starting command. Belső hiba a parancs végrehajtásakor. - + Bad parameters for process job call. Hibás paraméterek a folyamat hívásához. - + External command failed to finish. Külső parancs nem fejeződött be. - + Command <i>%1</i> failed to finish in %2 seconds. A(z) <i>%1</i> parancsot nem sikerült befejezni %2 másodperc alatt. - + External command finished with errors. A külső parancs hibával fejeződött be. - + Command <i>%1</i> finished with exit code %2. A(z) <i>%1</i> parancs hibakóddal lépett ki: %2. @@ -3471,6 +3471,30 @@ Kimenet: %1 (%2) %1 (%2) + + + unknown + @partition info + ismeretlen + + + + extended + @partition info + kiterjesztett + + + + unformatted + @partition info + formázatlan + + + + swap + @partition info + Swap + @@ -3502,30 +3526,6 @@ Kimenet: (no mount point) (nincs csatolási pont) - - - unknown - @partition info - ismeretlen - - - - extended - @partition info - kiterjesztett - - - - unformatted - @partition info - formázatlan - - - - swap - @partition info - Swap - Unpartitioned space or unknown partition table @@ -3717,7 +3717,7 @@ Kimenet: Resize volume group named %1 from %2 to %3 @title - A(z) %1 nevű kötetcsoport átméretezése %2 méretűről, %3 méretűre. {1 ?} {2 ?} {3?} + A(z) %1 kötet átméretezése ekkoráról: %2, ekkorára: %3 @@ -3776,7 +3776,7 @@ Kimenet: Setting hostname %1… @status - Számítógép nevének beállítása %1. {1…?} + Hálózat nevének beállítása %1-re(-ra)... @@ -3945,7 +3945,7 @@ Kimenet: Setting password for user %1… @status - %1 nevű felhasználó jelszavának beállítása. {1…?} + %1 felhasználói jelszavának beállítása... @@ -3962,17 +3962,17 @@ Kimenet: Cannot disable root account. A root account- ot nem lehet inaktiválni. - - - Cannot set password for user %1. - Nem lehet a %1 felhasználó jelszavát beállítani. - usermod terminated with error code %1. usermod megszakítva %1 hibakóddal. + + + Cannot set password for user %1. + Nem lehet a %1 felhasználó jelszavát beállítani. + SetTimezoneJob @@ -4065,7 +4065,8 @@ Kimenet: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4885,11 +4886,21 @@ Calamares hiba %1. What is your name? Mi a neved? + + + Your full name + A teljes neved + What name do you want to use to log in? Milyen felhasználónévvel szeretnél bejelentkezni? + + + Login name + Bejelentkezési név + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,11 +4921,21 @@ Calamares hiba %1. What is the name of this computer? Mi legyen a számítógép neve? + + + Computer name + Számítógép neve + This name will be used if you make the computer visible to others on a network. Ezt a nevet használja a rendszer, ha a számítógépet láthatóvá teszi mások számára a hálózaton. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Csak betűk, számok, aláhúzás és kötőjel engedélyezett, minimum két karakter. + localhost is not allowed as hostname. @@ -4930,11 +4951,31 @@ Calamares hiba %1. Password Jelszó + + + Repeat password + Jelszó megerősítése + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Írj be kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. A jó jelszó betűk, számok és írásjelek keverékét tartalmazza, legalább nyolc karakter hosszúságúnak kell lennie, és rendszeres időközönként módosítani kell. + + + Reuse user password as root password + Felhasználói jelszó újrafelhasználása root jelszóként + + + + Use the same password for the administrator account. + Ugyanaz a jelszó használata az adminisztrátor felhasználóhoz. + + + + Choose a root password to keep your account safe. + Válassz root jelszót, hogy fiókod biztonságban legyen. + Root password @@ -4946,14 +4987,9 @@ Calamares hiba %1. Root jelszó megerősítése - - Validate passwords quality - A jelszavak minőségének ellenőrzése - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Ha ez a négyzet be van jelölve, a jelszó erősségének ellenőrzése megtörténik, és nem fogsz tudni gyenge jelszót használni. + + Enter the same password twice, so that it can be checked for typing errors. + Add meg kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. @@ -4961,49 +4997,14 @@ Calamares hiba %1. Automatikus bejelentkezés a jelszó megkérdezése nélkül - - Your full name - A teljes neved - - - - Login name - Bejelentkezési név - - - - Computer name - Számítógép neve - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Csak betűk, számok, aláhúzás és kötőjel engedélyezett, minimum két karakter. - - - - Repeat password - Jelszó megerősítése - - - - Reuse user password as root password - Felhasználói jelszó újrafelhasználása root jelszóként - - - - Use the same password for the administrator account. - Ugyanaz a jelszó használata az adminisztrátor felhasználóhoz. - - - - Choose a root password to keep your account safe. - Válassz root jelszót, hogy fiókod biztonságban legyen. + + Validate passwords quality + A jelszavak minőségének ellenőrzése - - Enter the same password twice, so that it can be checked for typing errors. - Add meg kétszer ugyanazt a jelszót, hogy ellenőrizni lehessen a gépelési hibákat. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Ha ez a négyzet be van jelölve, a jelszó erősségének ellenőrzése megtörténik, és nem fogsz tudni gyenge jelszót használni. @@ -5018,11 +5019,21 @@ Calamares hiba %1. What is your name? Mi a neved? + + + Your full name + A teljes neved + What name do you want to use to log in? Milyen felhasználónévvel szeretnél bejelentkezni? + + + Login name + Bejelentkezési név + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5043,16 +5054,6 @@ Calamares hiba %1. What is the name of this computer? Mi legyen a számítógép neve? - - - Your full name - A teljes neved - - - - Login name - Bejelentkezési név - Computer name @@ -5088,16 +5089,6 @@ Calamares hiba %1. Repeat password Jelszó megerősítése - - - Root password - Root jelszó - - - - Repeat root password - Root jelszó megerősítése - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5118,6 +5109,16 @@ Calamares hiba %1. Choose a root password to keep your account safe. Válassz root jelszót, hogy fiókod biztonságban legyen. + + + Root password + Root jelszó + + + + Repeat root password + Root jelszó megerősítése + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_id.ts b/lang/calamares_id.ts index 9ae401456d..d8eb03a9f2 100644 --- a/lang/calamares_id.ts +++ b/lang/calamares_id.ts @@ -126,30 +126,20 @@ Antarmuka: - - Reloads the stylesheet from the branding directory. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Uploads the session log to the configured pastebin. - Unggah catatan sesi ke pastebin yang telah dikonfigurasi. - - - - Send Session Log - Kirim Catatan Sesi + + Reloads the stylesheet from the branding directory. + Reload Stylesheet Muat ulang Lembar gaya - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + Unggah catatan sesi ke pastebin yang telah dikonfigurasi. + + + + Send Session Log + Kirim Catatan Sesi + Debug Information @@ -376,8 +376,8 @@ (%n second(s)) @status - - + + (%n detik()) @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ &Tutup - + Setup Failed @title Pengaturan Gagal @@ -435,13 +454,13 @@ %1 tidak dapat terinstal. Calamares tidak dapat memuat seluruh modul konfigurasi. Terdapat masalah dengan Calamares karena sedang digunakan oleh distribusi. - + <br/>The following modules could not be loaded: @info <br/>Modul berikut tidak dapat dimuat. - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Installer %1 akan membuat perubahan ke disk Anda untuk memasang %2.<br/><strong>Anda tidak dapat membatalkan perubahan tersebut.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instal - + Setup is complete. Close the setup program. @tooltip Setup selesai. Tutup program setup. - + The installation is complete. Close the installer. @tooltip Instalasi sudah lengkap. Tutup installer. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Berikutnya - + &Back @button &Kembali - + &Done @button &Selesai - + &Cancel @button &Batal - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Apakah Anda benar-benar ingin membatalkan proses instalasi ini? @@ -590,25 +590,25 @@ Instalasi akan ditutup dan semua perubahan akan hilang. CalamaresPython::Helper - + Unknown exception type @error Tipe pengecualian tidak dikenal - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -665,16 +665,6 @@ Instalasi akan ditutup dan semua perubahan akan hilang. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Pemartisian manual</strong><br/>Anda bisa membuat atau mengubah ukuran partisi. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Pilih sebuah partisi untuk diiris, kemudian seret bilah di bawah untuk mengubah ukuran</strong> - Select storage de&vice: @@ -702,6 +692,11 @@ Instalasi akan ditutup dan semua perubahan akan hilang. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Pilih sebuah partisi untuk diiris, kemudian seret bilah di bawah untuk mengubah ukuran</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -823,6 +818,11 @@ Instalasi akan ditutup dan semua perubahan akan hilang. @label Swap ke file + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Pemartisian manual</strong><br/>Anda bisa membuat atau mengubah ukuran partisi. + Bootloader location: @@ -833,44 +833,44 @@ Instalasi akan ditutup dan semua perubahan akan hilang. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Lepaskan semua kaitan untuk operasi pemartisian pada %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Semua kaitan dilepas untuk %1 @@ -906,130 +906,112 @@ Instalasi akan ditutup dan semua perubahan akan hilang. Config - - Network Installation. (Disabled: Incorrect configuration) - Pemasangan jaringan. (Dimatikan: Konfigurasi yang tidak sesuai) + + Setup Failed + @title + Pengaturan Gagal - - Network Installation. (Disabled: Received invalid groups data) - Instalasi jaringan. (Menonaktifkan: Penerimaan kelompok data yang tidak sah) + + Installation Failed + @title + Instalasi Gagal - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Pemilihan paket - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalasi Jaringan. (Dinonfungsikan: Tak mampu menarik daftar paket, periksa sambungan jaringanmu) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Instalasi Lengkap - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Komputer ini tidak memenuhi beberapa syarat yang dianjurkan untuk memasang %1. -Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - - - - This program will ask you some questions and set up %2 on your computer. - Program ini akan mengajukan beberapa pertanyaan dan menyetel %2 pada komputer Anda. - - - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Selamat datang ke program Calamares untuk %1</h1> - - - - <h1>Welcome to %1 setup</h1> - + + The installation of %1 is complete. + @info + Instalasi %1 telah lengkap. - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the %1 installer</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - Your username is too long. - Nama pengguna Anda terlalu panjang. - - - - '%1' is not allowed as username. - '%1' tidak diperbolehkan sebagai nama pengguna. + + Set timezone to %1/%2 + @action + Setel zona waktu ke %1/%2 - - Your username must start with a lowercase letter or underscore. - Nama penggunamu harus diawali dengan huruf kecil atau garis bawah. + + The system language will be set to %1. + @info + Bahasa sistem akan disetel ke %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - + + The numbers and dates locale will be set to %1. + @info + Nomor dan tanggal lokal akan disetel ke %1. - - Your hostname is too short. - Hostname Anda terlalu pendek. + + Network Installation. (Disabled: Incorrect configuration) + Pemasangan jaringan. (Dimatikan: Konfigurasi yang tidak sesuai) - - Your hostname is too long. - Hostname Anda terlalu panjang. + + Network Installation. (Disabled: Received invalid groups data) + Instalasi jaringan. (Menonaktifkan: Penerimaan kelompok data yang tidak sah) - - '%1' is not allowed as hostname. - '%1' tidak diperbolehkan sebagai hostname. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Hanya huruf, angka, garis bawah, dan tanda penghubung yang diperbolehkan. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalasi Jaringan. (Dinonfungsikan: Tak mampu menarik daftar paket, periksa sambungan jaringanmu) - - Your passwords do not match! - Sandi Anda tidak sama! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Pemilihan paket @@ -1073,82 +1055,100 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.Berikut adalah tinjauan mengenai yang akan terjadi setelah Anda memulai prosedur instalasi. - - Setup Failed - @title - Pengaturan Gagal + + Your username is too long. + Nama pengguna Anda terlalu panjang. - - Installation Failed - @title - Instalasi Gagal + + Your username must start with a lowercase letter or underscore. + Nama penggunamu harus diawali dengan huruf kecil atau garis bawah. - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + '%1' tidak diperbolehkan sebagai nama pengguna. - - Setup Complete - @title - + + Your hostname is too short. + Hostname Anda terlalu pendek. - - Installation Complete - @title - Instalasi Lengkap + + Your hostname is too long. + Hostname Anda terlalu panjang. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. + '%1' tidak diperbolehkan sebagai hostname. + + + + Only letters, numbers, underscore and hyphen are allowed. + Hanya huruf, angka, garis bawah, dan tanda penghubung yang diperbolehkan. + + + + Your passwords do not match! + Sandi Anda tidak sama! + + + + OK! - - The installation of %1 is complete. - @info - Instalasi %1 telah lengkap. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Setel zona waktu ke %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Komputer ini tidak memenuhi beberapa syarat yang dianjurkan untuk memasang %1. +Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - - The system language will be set to %1. - @info - Bahasa sistem akan disetel ke %1. + + This program will ask you some questions and set up %2 on your computer. + Program ini akan mengajukan beberapa pertanyaan dan menyetel %2 pada komputer Anda. - - The numbers and dates locale will be set to %1. - @info - Nomor dan tanggal lokal akan disetel ke %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Selamat datang ke program Calamares untuk %1</h1> + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1473,9 +1473,14 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Perangkai in memiliki sebuah tabel partisi <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Tipe tabel partisi ini adalah hanya baik pada sistem kuno yang mulai dari sebuah lingkungan boot <strong>BIOS</strong>. GPT adalah yang dianjurkan dalam beberapa kasus lainnya.<br><br><strong>Peringatan:</strong> tabel partisi MBR adalah sebuah standar era MS-DOS usang.<br>Hanya 4 partisi <em>primary</em> yang mungkin dapat diciptakan, dan yang 4, salah satu yang bisa dijadikan sebuah partisi <em>extended</em>, yang mana terdapat berisi beberapa partisi <em>logical</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Ini adalah tipe tabel partisi yang dianjurkan untuk sistem modern yang dimulai dengan <strong>EFI</strong> boot environment. @@ -1488,14 +1493,9 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.Installer <strong>tidak bisa mendeteksi tabel partisi apapun</strong> pada media penyimpanan terpilih.<br><br>Mungkin media ini tidak memiliki tabel partisi, atau tabel partisi yang ada telah korup atau tipenya tidak dikenal.<br>Installer dapat membuatkan partisi baru untuk Anda, baik secara otomatis atau melalui laman pemartisian manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Ini adalah tipe tabel partisi yang dianjurkan untuk sistem modern yang dimulai dengan <strong>EFI</strong> boot environment. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Tipe tabel partisi ini adalah hanya baik pada sistem kuno yang mulai dari sebuah lingkungan boot <strong>BIOS</strong>. GPT adalah yang dianjurkan dalam beberapa kasus lainnya.<br><br><strong>Peringatan:</strong> tabel partisi MBR adalah sebuah standar era MS-DOS usang.<br>Hanya 4 partisi <em>primary</em> yang mungkin dapat diciptakan, dan yang 4, salah satu yang bisa dijadikan sebuah partisi <em>extended</em>, yang mana terdapat berisi beberapa partisi <em>logical</em>. + + This device has a <strong>%1</strong> partition table. + Perangkai in memiliki sebuah tabel partisi <strong>%1</strong>. @@ -2271,7 +2271,7 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.label for netinstall module, choose desktop environment Desktop + + + Applications + Aplikasi + Communication @@ -2489,11 +2494,6 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.label for netinstall module - - - Applications - Aplikasi - NotesQmlViewStep @@ -2666,11 +2666,25 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.The password contains forbidden words in some form Password mengandung kata yang dilarang pada beberapa bagian form + + + The password contains fewer than %n digits + + + + The password contains too few digits Kata sandi terkandung terlalu sedikit digit + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2688,45 +2702,6 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.The password contains too few lowercase letters Kata sandi terkandung terlalu sedikit huruf kecil - - - The password contains too few non-alphanumeric characters - Kata sandi terkandung terlalu sedikit non-alfanumerik - - - - The password is too short - Password terlalu pendek - - - - The password does not contain enough character classes - Kata sandi tidak terkandung kelas karakter yang cukup - - - - The password contains too many same characters consecutively - Kata sandi terkandung terlalu banyak karakter berurutan yang sama - - - - The password contains too many characters of the same class consecutively - Kata sandi terkandung terlalu banyak karakter dari kelas berurutan yang sama - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2734,6 +2709,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + + The password contains too few non-alphanumeric characters + Kata sandi terkandung terlalu sedikit non-alfanumerik + The password is shorter than %n characters @@ -2741,6 +2721,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + + The password is too short + Password terlalu pendek + The password is a rotated version of the previous one @@ -2753,6 +2738,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + + The password does not contain enough character classes + Kata sandi tidak terkandung kelas karakter yang cukup + The password contains more than %n same characters consecutively @@ -2760,6 +2750,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + + The password contains too many same characters consecutively + Kata sandi terkandung terlalu banyak karakter berurutan yang sama + The password contains more than %n characters of the same class consecutively @@ -2767,6 +2762,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + + The password contains too many characters of the same class consecutively + Kata sandi terkandung terlalu banyak karakter dari kelas berurutan yang sama + The password contains monotonic sequence longer than %n characters @@ -3190,48 +3190,52 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. - + + Partitions + @label + Partisi - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Saat ini: - - No EFI system partition configured - Tiada partisi sistem EFI terkonfigurasi + + After: + @label + Sesudah: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3244,6 +3248,11 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3251,37 +3260,28 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partisi - - - - Current: - @label - Saat ini: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Sesudah: + + No EFI system partition configured + Tiada partisi sistem EFI terkonfigurasi - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3379,14 +3379,14 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. ProcessResult - + There was no output from the command. Tidak ada keluaran dari perintah. - + Output: @@ -3395,52 +3395,52 @@ Keluaran: - + External command crashed. Perintah eksternal rusak. - + Command <i>%1</i> crashed. Perintah <i>%1</i> mogok. - + External command failed to start. Perintah eksternal gagal dimulai - + Command <i>%1</i> failed to start. Perintah <i>%1</i> gagal dimulai. - + Internal error when starting command. Terjadi kesalahan internal saat menjalankan perintah. - + Bad parameters for process job call. Parameter buruk untuk memproses panggilan tugas, - + External command failed to finish. Perintah eksternal gagal diselesaikan . - + Command <i>%1</i> failed to finish in %2 seconds. Perintah <i>%1</i> gagal untuk diselesaikan dalam %2 detik. - + External command finished with errors. Perintah eksternal diselesaikan dengan kesalahan . - + Command <i>%1</i> finished with exit code %2. Perintah <i>%1</i> diselesaikan dengan kode keluar %2. @@ -3452,6 +3452,30 @@ Keluaran: %1 (%2) %1 (%2) + + + unknown + @partition info + tidak diketahui: + + + + extended + @partition info + extended + + + + unformatted + @partition info + tidak terformat: + + + + swap + @partition info + swap + @@ -3483,30 +3507,6 @@ Keluaran: (no mount point) - - - unknown - @partition info - tidak diketahui: - - - - extended - @partition info - extended - - - - unformatted - @partition info - tidak terformat: - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3940,17 +3940,17 @@ Keluaran: Cannot disable root account. Tak bisa menonfungsikan akun root. - - - Cannot set password for user %1. - Tidak dapat menyetel sandi untuk pengguna %1. - usermod terminated with error code %1. usermod dihentikan dengan kode kesalahan %1. + + + Cannot set password for user %1. + Tidak dapat menyetel sandi untuk pengguna %1. + SetTimezoneJob @@ -4043,7 +4043,8 @@ Keluaran: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4830,11 +4831,21 @@ Keluaran: What is your name? Siapa nama Anda? + + + Your full name + + What name do you want to use to log in? Nama apa yang ingin Anda gunakan untuk log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4855,11 +4866,21 @@ Keluaran: What is the name of this computer? Apakah nama dari komputer ini? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Hanya huruf, angka, garis bawah, dan tanda hubung yang diperbolehkan, minimal dua karakter. + localhost is not allowed as hostname. @@ -4876,79 +4897,59 @@ Keluaran: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password + + Repeat password - - Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Validate passwords quality - Validasi kualitas kata sandi - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Ketikan kotak ini dicentang, pengecekan kekuatan kata sandi akan dilakukan dan anda tidak akan dapat menggunakan kata sandi yang lemah. + + Reuse user password as root password + Gunakan kata sandi pengguna sebagai kata sandi root - - Log in automatically without asking for the password - Masuk ke dalam sesi secara otomatis tanpa menanyakan kata sandi + + Use the same password for the administrator account. + Gunakan sandi yang sama untuk akun administrator. - - Your full name + + Choose a root password to keep your account safe. - - Login name + + Root password - - Computer name + + Repeat root password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Hanya huruf, angka, garis bawah, dan tanda hubung yang diperbolehkan, minimal dua karakter. - - - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. - - Reuse user password as root password - Gunakan kata sandi pengguna sebagai kata sandi root - - - - Use the same password for the administrator account. - Gunakan sandi yang sama untuk akun administrator. + + Log in automatically without asking for the password + Masuk ke dalam sesi secara otomatis tanpa menanyakan kata sandi - - Choose a root password to keep your account safe. - + + Validate passwords quality + Validasi kualitas kata sandi - - Enter the same password twice, so that it can be checked for typing errors. - + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Ketikan kotak ini dicentang, pengecekan kekuatan kata sandi akan dilakukan dan anda tidak akan dapat menggunakan kata sandi yang lemah. @@ -4963,11 +4964,21 @@ Keluaran: What is your name? Siapa nama Anda? + + + Your full name + + What name do you want to use to log in? Nama apa yang ingin Anda gunakan untuk log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4988,16 +4999,6 @@ Keluaran: What is the name of this computer? Apakah nama dari komputer ini? - - - Your full name - - - - - Login name - - Computer name @@ -5033,16 +5034,6 @@ Keluaran: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5063,6 +5054,16 @@ Keluaran: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ie.ts b/lang/calamares_ie.ts index 7c322008f2..7021b61d08 100644 --- a/lang/calamares_ie.ts +++ b/lang/calamares_ie.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ C&luder - + Setup Failed @title Configuration ne successat @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Installar - + Setup is complete. Close the setup program. @tooltip Configuration es completat. Ples cluder li configurator. - + The installation is complete. Close the installer. @tooltip Installation es completat. Ples cluder li installator. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button Ad ava&n - + &Back @button &Retro - + &Done @button &Finir - + &Cancel @button A&nullar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Ínconosset tip de exception - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label Swap in un file + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,129 +907,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - + + Setup Failed + @title + Configuration ne successat - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + Installation ne successat - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - Selection de paccages - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Complete + @title + Configuration es completat - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Installation es completat - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + + The setup of %1 is complete. + @info + Li configuration de %1 es completat. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + + The installation of %1 is complete. + @info + Li installation de %1 es completat. - - This program will ask you some questions and set up %2 on your computer. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Benevenit al configurator Calamares por %1</h1> - - - - <h1>Welcome to %1 setup</h1> - <h1>Benevenit al configurator de %1</h1> - - - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Benevenit al installator Calamares por %1</h1> - - - - <h1>Welcome to the %1 installer</h1> - <h1>Benevenit al installator de %1</h1> - - - - Your username is too long. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - '%1' is not allowed as username. - + + Set timezone to %1/%2 + @action + Assignar li zone horari: %1/%2 - - Your username must start with a lowercase letter or underscore. + + The system language will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + The numbers and dates locale will be set to %1. + @info - - Your hostname is too short. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too long. + + Network Installation. (Disabled: Received invalid groups data) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! + + Network Installation. (Disabled: No package list) - - OK! - + + Package selection + Selection de paccages @@ -1073,83 +1056,100 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title - Configuration ne successat + + Your username is too long. + - - Installation Failed - @title - Installation ne successat + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title - Configuration es completat + + Your hostname is too short. + - - Installation Complete - @title - Installation es completat + + Your hostname is too long. + - - The setup of %1 is complete. - @info - Li configuration de %1 es completat. + + '%1' is not allowed as hostname. + - - The installation of %1 is complete. - @info - Li installation de %1 es completat. + + Only letters, numbers, underscore and hyphen are allowed. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + OK! - - Set timezone to %1/%2 - @action - Assignar li zone horari: %1/%2 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - The system language will be set to %1. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Benevenit al configurator Calamares por %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Benevenit al configurator de %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Benevenit al installator Calamares por %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Benevenit al installator de %1</h1> + ContextualProcessJob @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + Applicationes + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module Utensiles - - - Applications - Applicationes - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3195,9 +3195,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partitiones + Unsafe partition actions are enabled. @@ -3214,33 +3226,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Actual: - - No EFI system partition configured - Null partition del sistema EFI es configurat + + After: + @label + Pos: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3253,6 +3257,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3260,37 +3269,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partitiones - - - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Pos: + + No EFI system partition configured + Null partition del sistema EFI es configurat - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + ínconosset + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - ínconosset - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_is.ts b/lang/calamares_is.ts index b4ee865972..5ba361ce4e 100644 --- a/lang/calamares_is.ts +++ b/lang/calamares_is.ts @@ -125,31 +125,21 @@ Interface: Viðmót: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Endurhleður stílblaðið úr vörumerkingarmöppunni. - - - Uploads the session log to the configured pastebin. - Sendir atvikaskrá setu í uppsett límklippusafn (pastebin). - - - - Send Session Log - Senda atvikaskrá setu - Reload Stylesheet Endurhlaða stílblað - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Greinar viðmótshluta + + + Uploads the session log to the configured pastebin. + Sendir atvikaskrá setu í uppsett límklippusafn (pastebin). + + + + Send Session Log + Senda atvikaskrá setu + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n sekúnda) + (%n sekúndur) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Innsendingin mistókst. Ekkert var límt inn á vefinn. + + + + Install log posted to + +%1 + +Link copied to clipboard + Atvikaskrá uppsetningarinnar send á + +%1 + +Tengill afritaður á klippispjald + + + + Install Log Paste URL + Slóð þar sem á að líma atvikaskrá uppsetningarinnar + &Yes @@ -407,7 +430,7 @@ &Loka - + Setup Failed @title Uppsetning mistókst @@ -437,13 +460,13 @@ Ekki er hægt að setja upp %1. Calamares tókst ekki að hlaða inn öllum stilltum einingum. Þetta er vandamál sem stafar af því hvernig Calamares er notað af viðkomandi dreifingu. - + <br/>The following modules could not be loaded: @info <br/>Ekki var hægt að hlaða inn eftirfarandi einingum: - + Continue with Setup? @title @@ -461,133 +484,110 @@ %1 uppsetningarforritið er í þann mund að gera breytingar á disknum til að geta sett upp %2.<br/><strong>Þú munt ekki geta afturkallað þessar breytingar.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 uppsetningarforritið er í þann mund að gera breytingar á disknum til að geta sett upp %2.<br/><strong>Þú munt ekki geta afturkallað þessar breytingar.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Setja upp - + Setup is complete. Close the setup program. @tooltip Uppsetningu er lokið. Lokaðu uppsetningarforritinu. - + The installation is complete. Close the installer. @tooltip Uppsetningu er lokið. Lokaðu uppsetningarforritinu. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Næst - + &Back @button &Til baka - + &Done @button &Búið - + &Cancel @button &Hætta við - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Slóð þar sem á að líma atvikaskrá uppsetningarinnar - - - - The upload was unsuccessful. No web-paste was done. - Innsendingin mistókst. Ekkert var límt inn á vefinn. - - - - Install log posted to - -%1 - -Link copied to clipboard - Atvikaskrá uppsetningarinnar send á - -%1 - -Tengill afritaður á klippispjald - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Viltu virkilega að hætta við núverandi uppsetningarferli? Uppsetningarforritið mun hætta og allar breytingar tapast. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Viltu virkilega að hætta við núverandi uppsetningarferli? @@ -597,25 +597,25 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CalamaresPython::Helper - + Unknown exception type @error Óþekkt tegund fráviks - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Handvirk disksneiðing</strong><br/>Þú getur búið til eða breytt stærð disksneiða sjálf/ur. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Veldu disksneið til að minnka, dragðu síðan botnstikuna til að breyta stærðinni</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Veldu disksneið til að minnka, dragðu síðan botnstikuna til að breyta stærðinni</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. @label Diskminni í skrá + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Handvirk disksneiðing</strong><br/>Þú getur búið til eða breytt stærð disksneiða sjálf/ur. + Bootloader location: @@ -840,44 +840,44 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ClearMountsJob - + Successfully unmounted %1. Tókst að aftengja %1. - + Successfully disabled swap %1. Tókst að gera swap-diskminni óvirkt %1. - + Successfully cleared swap %1. Tókst að hreinsa %1 swap-diskminni. - + Successfully closed mapper device %1. Tókst að loka tækjagreininum (mapper device) %1. - + Successfully disabled volume group %1. Tókst að gera %1 sýndardisk óvirkan. - + Clear mounts for partitioning operations on %1 @title Hreinsa tengipunkta fyrir disksneiðingaraðgerðir á %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Hreinsaði alla tengipunkta fyrir %1 @@ -913,129 +913,112 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Config - - Network Installation. (Disabled: Incorrect configuration) - Netuppsetning. (Óvirk: Rangar stillingar) - - - - Network Installation. (Disabled: Received invalid groups data) - Netuppsetning. (Óvirk: Tók við ógildum gögnum hóps) - - - - Network Installation. (Disabled: Internal error) - Netuppsetning. (Óvirk: Innri villa) - - - - Network Installation. (Disabled: No package list) - Netuppsetning. (Óvirk: Enginn pakkalisti) - - - - Package selection - Val pakka - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Netuppsetning. (Óvirk: Tókst ekki að sækja pakkalista, athugaðu netsambandið þitt) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Uppsetning mistókst - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Uppsetning mistókst - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu á %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirkir. + + The setup of %1 did not complete successfully. + @info + Uppsetning á %1 tókst ekki alveg. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu á %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirkir. + + The installation of %1 did not complete successfully. + @info + Uppsetning á %1 tókst ekki alveg. - - This program will ask you some questions and set up %2 on your computer. - Þetta forrit mun spyrja þig nokkurra spurninga og setja upp %2 á tölvunni þinni. + + Setup Complete + @title + Uppsetningu lokið - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Velkomin í Calamares-uppsetningarforritið fyrir %1</h1> + + Installation Complete + @title + Uppsetningu lokið - - <h1>Welcome to %1 setup</h1> - <h1>Velkomin í uppsetningu á %1</h1> + + The setup of %1 is complete. + @info + Uppsetningu á %1 er lokið. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Velkomin í Calamares-uppsetningarforritið fyrir %1</h1> + + The installation of %1 is complete. + @info + Uppsetningu á %1 er lokið. - - <h1>Welcome to the %1 installer</h1> - <h1>Velkomin í %1-uppsetningarforritið</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Notandanafnið þitt er of langt. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' er ekki leyfilegt sem notandanafn. + + Set timezone to %1/%2 + @action + Setja tímabelti á %1/%2 - - Your username must start with a lowercase letter or underscore. - Notandanafn verður að byrja á litlum staf eða undirstriki. + + The system language will be set to %1. + @info + Tungumál kerfisins verður sett sem %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Má einungis innihalda lágstafa bókstafi, tölustafi, undirstrik og bandstrik. + + The numbers and dates locale will be set to %1. + @info + Staðfærsla talna og dagsetninga verður stillt á %1. - - Your hostname is too short. - Notandanafnið þitt er of stutt. + + Network Installation. (Disabled: Incorrect configuration) + Netuppsetning. (Óvirk: Rangar stillingar) - - Your hostname is too long. - Notandanafnið þitt er of langt. + + Network Installation. (Disabled: Received invalid groups data) + Netuppsetning. (Óvirk: Tók við ógildum gögnum hóps) - - '%1' is not allowed as hostname. - '%1' er ekki leyfilegt sem nafn tölvu. + + Network Installation. (Disabled: Internal error) + Netuppsetning. (Óvirk: Innri villa) - - Only letters, numbers, underscore and hyphen are allowed. - Má einungis innihalda bókstafi, tölustafi, undirstrik og bandstrik. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Netuppsetning. (Óvirk: Tókst ekki að sækja pakkalista, athugaðu netsambandið þitt) - - Your passwords do not match! - Lykilorðin þín stemma ekki! + + Network Installation. (Disabled: No package list) + Netuppsetning. (Óvirk: Enginn pakkalisti) - - OK! - Í lagi! + + Package selection + Val pakka @@ -1063,98 +1046,115 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Ekkert - - Summary - @label - Yfirlit + + Summary + @label + Yfirlit + + + + This is an overview of what will happen once you start the setup procedure. + Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. + + + + This is an overview of what will happen once you start the install procedure. + Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. + + + + Your username is too long. + Notandanafnið þitt er of langt. + + + + Your username must start with a lowercase letter or underscore. + Notandanafn verður að byrja á litlum staf eða undirstriki. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Má einungis innihalda lágstafa bókstafi, tölustafi, undirstrik og bandstrik. + + + + '%1' is not allowed as username. + '%1' er ekki leyfilegt sem notandanafn. - - This is an overview of what will happen once you start the setup procedure. - Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. + + Your hostname is too short. + Notandanafnið þitt er of stutt. - - This is an overview of what will happen once you start the install procedure. - Þetta er yfirlit yfir það sem mun gerast þegar þú byrjar uppsetningarferlið. + + Your hostname is too long. + Notandanafnið þitt er of langt. - - Setup Failed - @title - Uppsetning mistókst + + '%1' is not allowed as hostname. + '%1' er ekki leyfilegt sem nafn tölvu. - - Installation Failed - @title - Uppsetning mistókst + + Only letters, numbers, underscore and hyphen are allowed. + Má einungis innihalda bókstafi, tölustafi, undirstrik og bandstrik. - - The setup of %1 did not complete successfully. - @info - Uppsetning á %1 tókst ekki alveg. + + Your passwords do not match! + Lykilorðin þín stemma ekki! - - The installation of %1 did not complete successfully. - @info - Uppsetning á %1 tókst ekki alveg. + + OK! + Í lagi! - - Setup Complete - @title - Uppsetningu lokið + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - Uppsetningu lokið + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - Uppsetningu á %1 er lokið. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu á %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirkir. - - The installation of %1 is complete. - @info - Uppsetningu á %1 er lokið. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu á %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirkir. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Þetta forrit mun spyrja þig nokkurra spurninga og setja upp %2 á tölvunni þinni. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Velkomin í Calamares-uppsetningarforritið fyrir %1</h1> - - Set timezone to %1/%2 - @action - Setja tímabelti á %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Velkomin í uppsetningu á %1</h1> - - The system language will be set to %1. - @info - Tungumál kerfisins verður sett sem %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Velkomin í Calamares-uppsetningarforritið fyrir %1</h1> - - The numbers and dates locale will be set to %1. - @info - Staðfærsla talna og dagsetninga verður stillt á %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Velkomin í %1-uppsetningarforritið</h1> @@ -1479,9 +1479,14 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Þetta tæki er með <strong>%1</strong> disksneiðatöflu. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Þessi gerð disksneiðatöflu er ekki ráðlögð nema á eldri kerfum sem ræsast úr <strong>BIOS</strong> ræsiumhverfi. Mælt er með GPT í flestum öðrum tilfellum.<br><br><strong>Aðvörun:</strong> MBR-disksneiðatöflur eru úreltur staðall frá MS-DOS tímabilinu.<br>Aðeins er hægt að útbúa 4 <em>aðal-</em>disksneiðar , og af þessum 4 getur ein verið <em>viðaukin</em> disksneið, sem svo getur innihaldið margar <em>röklegar</em> disksneiðar. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Þetta er sú gerð disksneiðatöflu sem mælt er með fyrir nútímaleg kerfi sem ræst eru úr <strong>EFI</strong> ræsiumhverfi. @@ -1494,14 +1499,9 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Uppsetningarforritið <strong>nær ekki að greina neina disksneiðatöflu</strong> á valda geymslutækinu.<br><br>Tækið er annað hvort ekki með neina disksneiðatöflu, eða að disksneiðataflan sé skemmd eða af gerð sem ekki þekkist.<br>Þetta uppsetningarforrit getur útbúið nýja disksneiðatöflu fyrir þig, annað hvort sjálfvirkt, eða í gegnum handvirka disksneiðingu. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Þetta er sú gerð disksneiðatöflu sem mælt er með fyrir nútímaleg kerfi sem ræst eru úr <strong>EFI</strong> ræsiumhverfi. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Þessi gerð disksneiðatöflu er ekki ráðlögð nema á eldri kerfum sem ræsast úr <strong>BIOS</strong> ræsiumhverfi. Mælt er með GPT í flestum öðrum tilfellum.<br><br><strong>Aðvörun:</strong> MBR-disksneiðatöflur eru úreltur staðall frá MS-DOS tímabilinu.<br>Aðeins er hægt að útbúa 4 <em>aðal-</em>disksneiðar , og af þessum 4 getur ein verið <em>viðaukin</em> disksneið, sem svo getur innihaldið margar <em>röklegar</em> disksneiðar. + + This device has a <strong>%1</strong> partition table. + Þetta tæki er með <strong>%1</strong> disksneiðatöflu. @@ -2277,7 +2277,7 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. LocaleTests - + Quit Hætta @@ -2451,6 +2451,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. label for netinstall module, choose desktop environment Skjáborð + + + Applications + Forrit + Communication @@ -2499,11 +2504,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. label for netinstall module Nytjatól - - - Applications - Forrit - NotesQmlViewStep @@ -2676,11 +2676,27 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. The password contains forbidden words in some form Lykilorðið inniheldur bönnuð orð á einhverju formi + + + The password contains fewer than %n digits + + Lykilorðið inniheldur færri en %n tölustaf + Lykilorðið inniheldur færri en %n tölustafi + + The password contains too few digits Lykilorðið inniheldur of fáar tölur + + + The password contains fewer than %n uppercase letters + + Lykilorðið inniheldur færri en %n hástaf + Lykilorðið inniheldur færri en %n hástaf + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. The password contains too few lowercase letters Lykilorðið inniheldur of fáa lágstafi - - - The password contains too few non-alphanumeric characters - Lykilorðið inniheldur of fá staftákn sem ekki eru bókstafir eða tölur - - - - The password is too short - Lykilorðið er of stutt - - - - The password does not contain enough character classes - Lykilorðið inniheldur ekki nægilega marga stafaflokka - - - - The password contains too many same characters consecutively - Lykilorðið inniheldur of marga eins stafi í röð - - - - The password contains too many characters of the same class consecutively - Lykilorðið inniheldur of marga stafi úr sama flokki í röð - - - - The password contains fewer than %n digits - - Lykilorðið inniheldur færri en %n tölustaf - Lykilorðið inniheldur færri en %n tölustafi - - - - - The password contains fewer than %n uppercase letters - - Lykilorðið inniheldur færri en %n hástaf - Lykilorðið inniheldur færri en %n hástaf - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Lykilorðið inniheldur færri en %n staftákn sem ekki eru bókstafir eða tölur + + + The password contains too few non-alphanumeric characters + Lykilorðið inniheldur of fá staftákn sem ekki eru bókstafir eða tölur + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Lykilorðið er styttra en %n stafir + + + The password is too short + Lykilorðið er of stutt + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Lykilorðið inniheldur færri en %n stafaflokka + + + The password does not contain enough character classes + Lykilorðið inniheldur ekki nægilega marga stafaflokka + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Lykilorðið inniheldur fleiri en %n eins staftákn í röð + + + The password contains too many same characters consecutively + Lykilorðið inniheldur of marga eins stafi í röð + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Lykilorðið inniheldur fleiri en %n stafi úr sama flokki í röð + + + The password contains too many characters of the same class consecutively + Lykilorðið inniheldur of marga stafi úr sama flokki í röð + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Disksneiðar + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Engum disksneiðum verður breytt. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Engin EFI-kerfisdisksneið stillt - - - - EFI system partition configured incorrectly - EFI-kerfisdisksneið er rangt stillt + + Current: + @label + Fyrirliggjandi: + + + + After: + @label + Á eftir: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. EFI-kerfisdisksneið er nauðsynleg til að ræsa %1.<br/><br/>Til að setja upp EFI-kerfisdisksneið skaltu fara til baka og velja eða útbúa hentugt skráakerfi. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. The filesystem must have type FAT32. Skráakerfið verður að vera af tegundinni FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Skráakerfið verður að hafa flaggið <strong>%1</strong> stillt. + @@ -3270,38 +3279,29 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Skráakerfið verður að vera að minnsta kosti%1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - Skráakerfið verður að hafa flaggið <strong>%1</strong> stillt. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Disksneiðar + + You can continue without setting up an EFI system partition but your system may fail to start. + Þú getur haldið áfram án þess að setja upp EFI-kerfisdisksneið, en þá er ekki víst að kerfið þitt ræsist. - - Current: - @label - Fyrirliggjandi: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Á eftir: + + No EFI system partition configured + Engin EFI-kerfisdisksneið stillt - - You can continue without setting up an EFI system partition but your system may fail to start. - Þú getur haldið áfram án þess að setja upp EFI-kerfisdisksneið, en þá er ekki víst að kerfið þitt ræsist. + + EFI system partition configured incorrectly + EFI-kerfisdisksneið er rangt stillt @@ -3398,14 +3398,14 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ProcessResult - + There was no output from the command. Það kom ekkert frálag frá skipuninni. - + Output: @@ -3414,52 +3414,52 @@ Frálag: - + External command crashed. Utanaðkomandi skipun hrundi. - + Command <i>%1</i> crashed. Skipunin <i>%1</i> hrundi. - + External command failed to start. Utanaðkomandi skipun fór ekki í gang. - + Command <i>%1</i> failed to start. Utanaðkomandi skipunin <i>%1</i> fór ekki í gang. - + Internal error when starting command. Innri villa við að ræsa skipun. - + Bad parameters for process job call. Gölluð viðföng fyrir kall á verkferil. - + External command failed to finish. Utanaðkomandi skipun tókst ekki að ljúka. - + Command <i>%1</i> failed to finish in %2 seconds. Skipuninni <i>%1</i> tókst ekki að ljúka á %2 sekúndum. - + External command finished with errors. Utanaðkomandi skipun lauk með villum. - + Command <i>%1</i> finished with exit code %2. Utanaðkomandi skipuninni <i>%1</i> lauk með stöðvunarkóðanum %2. @@ -3471,6 +3471,30 @@ Frálag: %1 (%2) %1 (%2) + + + unknown + @partition info + óþekkt + + + + extended + @partition info + viðaukin + + + + unformatted + @partition info + ekki forsniðin + + + + swap + @partition info + swap-diskminni + @@ -3502,30 +3526,6 @@ Frálag: (no mount point) (enginn tengipunktur) - - - unknown - @partition info - óþekkt - - - - extended - @partition info - viðaukin - - - - unformatted - @partition info - ekki forsniðin - - - - swap - @partition info - swap-diskminni - Unpartitioned space or unknown partition table @@ -3962,17 +3962,17 @@ Frálag: Cannot disable root account. Ekki er hægt að aftengja aðgang kerfisstjóra. - - - Cannot set password for user %1. - Get ekki sett lykilorð fyrir notanda %1. - usermod terminated with error code %1. usermod endaði með villu kóðann %1. + + + Cannot set password for user %1. + Get ekki sett lykilorð fyrir notanda %1. + SetTimezoneJob @@ -4065,7 +4065,8 @@ Frálag: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4880,11 +4881,21 @@ Frálag: What is your name? Hvað heitir þú? + + + Your full name + + What name do you want to use to log in? Hvaða nafn vilt þú vilt nota til að skrá þig inn? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4905,11 +4916,21 @@ Frálag: What is the name of this computer? Hvert er heitið á þessari tölvu? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Þetta nafn verður notað ef þú gerir tölvuna sýnilega öðrum á netkerfum. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Má einungis innihalda bókstafi, tölustafi, undirstrik og bandstrik, að lágmarki tveir stafir. + localhost is not allowed as hostname. @@ -4925,11 +4946,31 @@ Frálag: Password Lykilorð + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Settu inn sama lykilorðið tvisvar, þannig að hægt sé að yfirfara innsláttarvillur. Gott lykilorð inniheldur blöndu af bókstöfum, tölustöfum og greinamerkjum, ætti að vera að minnsta kosti átta stafa langt og því ætti að breyta með reglulegu millibili. + + + Reuse user password as root password + Endurnýta lykilorð notandans sem lykilorð rótarnotanda + + + + Use the same password for the administrator account. + Nota sama lykilorð fyrir aðgang kerfisstjóra. + + + + Choose a root password to keep your account safe. + Veldu rótarlykilorð til að halda aðgangnum þínum öruggum. + Root password @@ -4941,14 +4982,9 @@ Frálag: - - Validate passwords quality - Sannreyna gæði lykilorða - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Þegar merkt er í þennan reit er athugaður styrkur lykilorða og þú munt ekki geta notað veikt lykilorð. + + Enter the same password twice, so that it can be checked for typing errors. + Settu inn sama lykilorð tvisvar, þannig að hægt sé að yfirfara innsláttarvillur. @@ -4956,49 +4992,14 @@ Frálag: Skrá inn sjálfkrafa án þess að biðja um lykilorð - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Má einungis innihalda bókstafi, tölustafi, undirstrik og bandstrik, að lágmarki tveir stafir. - - - - Repeat password - - - - - Reuse user password as root password - Endurnýta lykilorð notandans sem lykilorð rótarnotanda - - - - Use the same password for the administrator account. - Nota sama lykilorð fyrir aðgang kerfisstjóra. - - - - Choose a root password to keep your account safe. - Veldu rótarlykilorð til að halda aðgangnum þínum öruggum. + + Validate passwords quality + Sannreyna gæði lykilorða - - Enter the same password twice, so that it can be checked for typing errors. - Settu inn sama lykilorð tvisvar, þannig að hægt sé að yfirfara innsláttarvillur. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Þegar merkt er í þennan reit er athugaður styrkur lykilorða og þú munt ekki geta notað veikt lykilorð. @@ -5013,11 +5014,21 @@ Frálag: What is your name? Hvað heitir þú? + + + Your full name + + What name do you want to use to log in? Hvaða nafn viltu nota til að skrá þig inn? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5038,16 +5049,6 @@ Frálag: What is the name of this computer? Hvert er heitið á þessari tölvu? - - - Your full name - - - - - Login name - - Computer name @@ -5083,16 +5084,6 @@ Frálag: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5113,6 +5104,16 @@ Frálag: Choose a root password to keep your account safe. Veldu rótarlykilorð til að halda aðgangnum þínum öruggum. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_it_IT.ts b/lang/calamares_it_IT.ts index b47fa7e978..c3ead32226 100644 --- a/lang/calamares_it_IT.ts +++ b/lang/calamares_it_IT.ts @@ -125,31 +125,21 @@ Interface: Interfaccia: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Ricarica il foglio di stile dalla cartella del marchio. - - - Uploads the session log to the configured pastebin. - Carica i registri di sessione nel pastebin configurato. - - - - Send Session Log - Invia registro di sessione - Reload Stylesheet Ricarica il foglio di stile - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Albero dei Widget + + + Uploads the session log to the configured pastebin. + Carica i registri di sessione nel pastebin configurato. + + + + Send Session Log + Invia registro di sessione + Debug Information @@ -380,8 +380,8 @@ @status (%n secondo) - (%n secondi) - (%n secondi) + (%n secondo(i)) + (%n secondo(i)) @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Il caricamento è fallito. Non è stata fatta la copia sul web. + + + + Install log posted to + +%1 + +Link copied to clipboard + Registro di installazione inviato a + +%1 + +Link copiato negli appunti + + + + Install Log Paste URL + URL di copia del log d'installazione + &Yes @@ -409,7 +432,7 @@ &Chiudi - + Setup Failed @title Installazione non riuscita @@ -439,13 +462,13 @@ %1 non può essere installato. Calamares non ha potuto caricare tutti i moduli configurati. Questo è un problema del modo in cui Calamares viene utilizzato dalla distribuzione. - + <br/>The following modules could not be loaded: @info <br/>I seguenti moduli non possono essere caricati: - + Continue with Setup? @title @@ -463,132 +486,109 @@ Il programma d'installazione %1 sta per modificare il disco di per installare %2. Non sarà possibile annullare queste modifiche. - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Il programma d'installazione %1 sta per eseguire delle modifiche al tuo disco per poter installare %2.<br/><strong> Non sarà possibile annullare tali modifiche.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Installa - + Setup is complete. Close the setup program. @tooltip Installazione completata. Chiudere il programma d'installazione. - + The installation is complete. Close the installer. @tooltip L'installazione è terminata. Chiudere il programma d'installazione. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Avanti - + &Back @button &Indietro - + &Done @button &Fatto - + &Cancel @button &Annulla - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL di copia del log d'installazione - - - - The upload was unsuccessful. No web-paste was done. - Il caricamento è fallito. Non è stata fatta la copia sul web. - - - - Install log posted to - -%1 - -Link copied to clipboard - Registro di installazione inviato a - -%1 - -Link copiato negli appunti - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Si vuole annullare veramente il processo di installazione? Il programma d'installazione verrà terminato e tutti i cambiamenti saranno persi. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Si vuole davvero annullare l'installazione in corso? @@ -598,25 +598,25 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CalamaresPython::Helper - + Unknown exception type @error Tipo di eccezione sconosciuto - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -673,16 +673,6 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partizionamento manuale</strong><br/>Puoi creare o ridimensionare manualmente le partizioni. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selezionare una partizione da ridurre, trascina la barra inferiore per ridimensionare</strong> - Select storage de&vice: @@ -710,6 +700,11 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selezionare una partizione da ridurre, trascina la barra inferiore per ridimensionare</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -831,6 +826,11 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse @label Swap su file + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partizionamento manuale</strong><br/>Puoi creare o ridimensionare manualmente le partizioni. + Bootloader location: @@ -841,44 +841,44 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ClearMountsJob - + Successfully unmounted %1. %1 smontata correttamente. - + Successfully disabled swap %1. Swap %1 disabilitata correttamente. - + Successfully cleared swap %1. Swap %1 pulita correttamente. - + Successfully closed mapper device %1. Dispositivo mappatore %1 chiuso correttamente. - + Successfully disabled volume group %1. Gruppo di volumi %1 disabilitato correttamente. - + Clear mounts for partitioning operations on %1 @title Rimuovere i punti di mount per operazioni di partizionamento su %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Rimossi tutti i punti di mount per %1 @@ -914,129 +914,112 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Config - - Network Installation. (Disabled: Incorrect configuration) - Installazione di rete. (Disabilitato: Configurazione non valida) - - - - Network Installation. (Disabled: Received invalid groups data) - Installazione di rete. (Disabilitata: Ricevuti dati dei gruppi non validi) - - - - Network Installation. (Disabled: Internal error) - Installazione di rete (disabilitata: errore interno) - - - - Network Installation. (Disabled: No package list) - Installazione di rete (disabilitata: nessun elenco di pacchetti) - - - - Package selection - Selezione del pacchetto - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Installazione di rete. (Disabilitata: impossibile recuperare le liste dei pacchetti, controllare la connessione di rete) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Questo computer non soddisfa i requisiti minimi per l'installazione di %1.<br/>L'installazione non può continuare. + + Setup Failed + @title + Installazione non riuscita - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Questo computer non soddisfa i requisiti minimi per l'installazione di %1.<br/>L'installazione non può continuare. + + Installation Failed + @title + Installazione non riuscita - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Questo computer non soddisfa alcuni requisiti raccomandati per la configurazione di %1.<br/>La configurazione può continuare ma alcune funzionalità potrebbero essere disabilitate. + + The setup of %1 did not complete successfully. + @info + La configurazione di %1 non è stata completata correttamente. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Questo computer non soddisfa alcuni requisiti consigliati per l'installazione di %1.<br/>L'installazione può continuare ma alcune funzionalità potrebbero non essere disponibili. + + The installation of %1 did not complete successfully. + @info + L'installazione di %1 non è stata completata correttamente. - - This program will ask you some questions and set up %2 on your computer. - Questo programma chiederà alcune informazioni e configurerà %2 sul computer. + + Setup Complete + @title + Installazione completata - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Benvenuto nel programma di installazione Calamares di %1</h1> + + Installation Complete + @title + Installazione completata - - <h1>Welcome to %1 setup</h1> - <h1>Benvenuto nell'installazione di %1</h1> + + The setup of %1 is complete. + @info + L'installazione di %1 è completa. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Benvenuto nel programma di installazione Calamares di %1</h1> + + The installation of %1 is complete. + @info + L'installazione di %1 è completa. - - <h1>Welcome to the %1 installer</h1> - <h1>Benvenuto nel programma di installazione di %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Il nome utente è troppo lungo. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' non è consentito come nome utente. + + Set timezone to %1/%2 + @action + Impostare il fuso orario su %1%2 - - Your username must start with a lowercase letter or underscore. - Il nome utente deve iniziare con una lettera minuscola o con un trattino basso. + + The system language will be set to %1. + @info + La lingua di sistema sarà impostata a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Solo lettere minuscole, numeri, trattini e trattini bassi sono permessi. + + The numbers and dates locale will be set to %1. + @info + I numeri e le date locali saranno impostati a %1. - - Your hostname is too short. - Il nome host è troppo corto. + + Network Installation. (Disabled: Incorrect configuration) + Installazione di rete. (Disabilitato: Configurazione non valida) - - Your hostname is too long. - Il nome host è troppo lungo. + + Network Installation. (Disabled: Received invalid groups data) + Installazione di rete. (Disabilitata: Ricevuti dati dei gruppi non validi) - - '%1' is not allowed as hostname. - '%1' non è consentito come nome host. + + Network Installation. (Disabled: Internal error) + Installazione di rete (disabilitata: errore interno) - - Only letters, numbers, underscore and hyphen are allowed. - Solo lettere, numeri, trattini e trattini bassi sono permessi. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Installazione di rete. (Disabilitata: impossibile recuperare le liste dei pacchetti, controllare la connessione di rete) - - Your passwords do not match! - Le password non corrispondono! + + Network Installation. (Disabled: No package list) + Installazione di rete (disabilitata: nessun elenco di pacchetti) - - OK! - OK! + + Package selection + Selezione del pacchetto @@ -1070,92 +1053,109 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Riepilogo - - This is an overview of what will happen once you start the setup procedure. - Questa è una panoramica di quello che succederà una volta avviata la procedura di configurazione. + + This is an overview of what will happen once you start the setup procedure. + Questa è una panoramica di quello che succederà una volta avviata la procedura di configurazione. + + + + This is an overview of what will happen once you start the install procedure. + Una panoramica delle modifiche che saranno effettuate una volta avviata la procedura di installazione. + + + + Your username is too long. + Il nome utente è troppo lungo. + + + + Your username must start with a lowercase letter or underscore. + Il nome utente deve iniziare con una lettera minuscola o con un trattino basso. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Solo lettere minuscole, numeri, trattini e trattini bassi sono permessi. + + + + '%1' is not allowed as username. + '%1' non è consentito come nome utente. + + + + Your hostname is too short. + Il nome host è troppo corto. - - This is an overview of what will happen once you start the install procedure. - Una panoramica delle modifiche che saranno effettuate una volta avviata la procedura di installazione. + + Your hostname is too long. + Il nome host è troppo lungo. - - Setup Failed - @title - Installazione non riuscita + + '%1' is not allowed as hostname. + '%1' non è consentito come nome host. - - Installation Failed - @title - Installazione non riuscita + + Only letters, numbers, underscore and hyphen are allowed. + Solo lettere, numeri, trattini e trattini bassi sono permessi. - - The setup of %1 did not complete successfully. - @info - La configurazione di %1 non è stata completata correttamente. + + Your passwords do not match! + Le password non corrispondono! - - The installation of %1 did not complete successfully. - @info - L'installazione di %1 non è stata completata correttamente. + + OK! + OK! - - Setup Complete - @title - Installazione completata + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Questo computer non soddisfa i requisiti minimi per l'installazione di %1.<br/>L'installazione non può continuare. - - Installation Complete - @title - Installazione completata + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Questo computer non soddisfa i requisiti minimi per l'installazione di %1.<br/>L'installazione non può continuare. - - The setup of %1 is complete. - @info - L'installazione di %1 è completa. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Questo computer non soddisfa alcuni requisiti raccomandati per la configurazione di %1.<br/>La configurazione può continuare ma alcune funzionalità potrebbero essere disabilitate. - - The installation of %1 is complete. - @info - L'installazione di %1 è completa. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Questo computer non soddisfa alcuni requisiti consigliati per l'installazione di %1.<br/>L'installazione può continuare ma alcune funzionalità potrebbero non essere disponibili. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Questo programma chiederà alcune informazioni e configurerà %2 sul computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Benvenuto nel programma di installazione Calamares di %1</h1> - - Set timezone to %1/%2 - @action - Impostare il fuso orario su %1%2 + + <h1>Welcome to %1 setup</h1> + <h1>Benvenuto nell'installazione di %1</h1> - - The system language will be set to %1. - @info - La lingua di sistema sarà impostata a %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Benvenuto nel programma di installazione Calamares di %1</h1> - - The numbers and dates locale will be set to %1. - @info - I numeri e le date locali saranno impostati a %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Benvenuto nel programma di installazione di %1</h1> @@ -1480,9 +1480,14 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Questo dispositivo ha una tabella delle partizioni <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Questo tipo di tabella delle partizioni è consigliabile solo su sistemi più vecchi che si avviano da un ambiente di boot <strong>BIOS</strong>. GPT è raccomandato nella maggior parte degli altri casi.<br><br><strong>Attenzione:</strong> la tabella delle partizioni MBR è uno standar obsoleto dell'era MS-DOS.<br>Solo 4 partizioni <em>primarie</em> possono essere create e di queste 4 una può essere una partizione <em>estesa</em>, che può a sua volta contenere molte partizioni <em>logiche</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Questo è il tipo raccomandato di tabella delle partizioni per i sistemi moderni che si avviano da un ambiente di boot <strong>EFI</strong>. @@ -1495,14 +1500,9 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Il programma d'installazione <strong>non riesce a rilevare una tabella delle partizioni</strong> sul dispositivo di memoria selezionato.<br><br>Il dispositivo o non ha una tabella delle partizioni o questa è corrotta, oppure è di tipo sconosciuto.<br>Il programma può creare una nuova tabella delle partizioni, automaticamente o attraverso la sezione del partizionamento manuale. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Questo è il tipo raccomandato di tabella delle partizioni per i sistemi moderni che si avviano da un ambiente di boot <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Questo tipo di tabella delle partizioni è consigliabile solo su sistemi più vecchi che si avviano da un ambiente di boot <strong>BIOS</strong>. GPT è raccomandato nella maggior parte degli altri casi.<br><br><strong>Attenzione:</strong> la tabella delle partizioni MBR è uno standar obsoleto dell'era MS-DOS.<br>Solo 4 partizioni <em>primarie</em> possono essere create e di queste 4 una può essere una partizione <em>estesa</em>, che può a sua volta contenere molte partizioni <em>logiche</em>. + + This device has a <strong>%1</strong> partition table. + Questo dispositivo ha una tabella delle partizioni <strong>%1</strong>. @@ -2279,7 +2279,7 @@ Passphrase per la partizione esistente LocaleTests - + Quit Esci @@ -2449,6 +2449,11 @@ Passphrase per la partizione esistente label for netinstall module, choose desktop environment Ambiente desktop + + + Applications + Applicazioni + Communication @@ -2497,11 +2502,6 @@ Passphrase per la partizione esistente label for netinstall module Utilità - - - Applications - Applicazioni - NotesQmlViewStep @@ -2674,11 +2674,29 @@ Passphrase per la partizione esistente The password contains forbidden words in some form La password contiene parole vietate in alcuni campi + + + The password contains fewer than %n digits + + La password contiene meno di %n cifra + La password contiene meno di %n cifre + La password contiene meno di %n cifre + + The password contains too few digits La password contiene poche cifre + + + The password contains fewer than %n uppercase letters + + La password contiene meno di %n lettera maiuscola + La password contiene meno di %n lettere maiuscole + La password contiene meno di %n lettere maiuscole + + The password contains too few uppercase letters @@ -2698,49 +2716,6 @@ Passphrase per la partizione esistente The password contains too few lowercase letters La password contiene poche lettere minuscole - - - The password contains too few non-alphanumeric characters - La password contiene pochi caratteri non alfanumerici - - - - The password is too short - La password è troppo corta - - - - The password does not contain enough character classes - La password non contiene classi di caratteri sufficienti - - - - The password contains too many same characters consecutively - La password contiene troppi caratteri uguali consecutivi - - - - The password contains too many characters of the same class consecutively - La password contiene molti caratteri consecutivi della stessa classe - - - - The password contains fewer than %n digits - - La password contiene meno di %n cifra - La password contiene meno di %n cifre - La password contiene meno di %n cifre - - - - - The password contains fewer than %n uppercase letters - - La password contiene meno di %n lettera maiuscola - La password contiene meno di %n lettere maiuscole - La password contiene meno di %n lettere maiuscole - - The password contains fewer than %n non-alphanumeric characters @@ -2750,6 +2725,11 @@ Passphrase per la partizione esistente La password contiene meno di %n caratteri non alfanumerici + + + The password contains too few non-alphanumeric characters + La password contiene pochi caratteri non alfanumerici + The password is shorter than %n characters @@ -2759,6 +2739,11 @@ Passphrase per la partizione esistente La password è più corta di %n caratteri + + + The password is too short + La password è troppo corta + The password is a rotated version of the previous one @@ -2773,6 +2758,11 @@ Passphrase per la partizione esistente La password contiene meno di %n classi di caratteri + + + The password does not contain enough character classes + La password non contiene classi di caratteri sufficienti + The password contains more than %n same characters consecutively @@ -2782,6 +2772,11 @@ Passphrase per la partizione esistente La password contiene più di %n stessi caratteri consecutivi + + + The password contains too many same characters consecutively + La password contiene troppi caratteri uguali consecutivi + The password contains more than %n characters of the same class consecutively @@ -2791,6 +2786,11 @@ Passphrase per la partizione esistente La password contiene più di %n caratteri della stessa classe consecutivamente + + + The password contains too many characters of the same class consecutively + La password contiene molti caratteri consecutivi della stessa classe + The password contains monotonic sequence longer than %n characters @@ -3215,6 +3215,18 @@ Passphrase per la partizione esistente PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partizioni + Unsafe partition actions are enabled. @@ -3231,35 +3243,27 @@ Passphrase per la partizione esistente Nessuna partizione verrà modificata. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Nessuna partizione EFI di sistema è configurata - - - - EFI system partition configured incorrectly - Partizione di sistema EFI configurata in modo errato + + Current: + @label + Corrente: + + + + After: + @label + Dopo: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. È necessaria una partizione di sistema EFI per avviare %1.<br/><br/> Per configurare una partizione di sistema EFI, vai indietro e seleziona o crea un file system adatto. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3270,6 +3274,11 @@ Passphrase per la partizione esistente The filesystem must have type FAT32. Il file system deve essere di tipo FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Il file system deve avere impostato il flag <strong>%1</strong>. + @@ -3277,38 +3286,29 @@ Passphrase per la partizione esistente Il file system deve essere di almeno %1 MiB di dimensione. - - The filesystem must have flag <strong>%1</strong> set. - Il file system deve avere impostato il flag <strong>%1</strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Partizioni + + You can continue without setting up an EFI system partition but your system may fail to start. + Puoi continuare senza impostare una partizione di sistema EFI ma il tuo sistema potrebbe non avviarsi. - - Current: - @label - Corrente: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Dopo: + + No EFI system partition configured + Nessuna partizione EFI di sistema è configurata - - You can continue without setting up an EFI system partition but your system may fail to start. - Puoi continuare senza impostare una partizione di sistema EFI ma il tuo sistema potrebbe non avviarsi. + + EFI system partition configured incorrectly + Partizione di sistema EFI configurata in modo errato @@ -3405,13 +3405,13 @@ Passphrase per la partizione esistente ProcessResult - + There was no output from the command. Non c'era output dal comando. - + Output: @@ -3420,53 +3420,53 @@ Output: - + External command crashed. Il comando esterno si è arrestato. - + Command <i>%1</i> crashed. Il comando <i>%1</i> si è arrestato. - + External command failed to start. Il comando esterno non si è avviato. - + Command <i>%1</i> failed to start. Il comando %1 non si è avviato. - + Internal error when starting command. Errore interno all'avvio del comando. - + Bad parameters for process job call. Parametri errati per elaborare la chiamata al job. - + External command failed to finish. Il comando esterno non è stato portato a termine. - + Command <i>%1</i> failed to finish in %2 seconds. Il comando <i>%1</i> non è stato portato a termine in %2 secondi. - + External command finished with errors. Il comando esterno è terminato con errori. - + Command <i>%1</i> finished with exit code %2. Il comando <i>%1</i> è terminato con codice di uscita %2. @@ -3478,6 +3478,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + sconosciuto + + + + extended + @partition info + estesa + + + + unformatted + @partition info + non formattata + + + + swap + @partition info + swap + @@ -3509,30 +3533,6 @@ Output: (no mount point) (nessun punto di montaggio) - - - unknown - @partition info - sconosciuto - - - - extended - @partition info - estesa - - - - unformatted - @partition info - non formattata - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3968,17 +3968,17 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab Cannot disable root account. Impossibile disabilitare l'account di root. - - - Cannot set password for user %1. - Impossibile impostare la password per l'utente %1. - usermod terminated with error code %1. usermod si è chiuso con codice di errore %1. + + + Cannot set password for user %1. + Impossibile impostare la password per l'utente %1. + SetTimezoneJob @@ -4071,7 +4071,8 @@ L'installazione può continuare, ma alcune funzionalità potrebbero essere disab SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4890,11 +4891,21 @@ Ozione di Default. What is your name? Qual è il tuo nome? + + + Your full name + + What name do you want to use to log in? Quale nome usare per l'autenticazione? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4915,11 +4926,21 @@ Ozione di Default. What is the name of this computer? Qual è il nome di questo computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Questo nome verrà utilizzato se rendi il computer visibile agli altri su una rete. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Sono permesse solo lettere, numeri, trattini e trattini bassi. + localhost is not allowed as hostname. @@ -4935,11 +4956,31 @@ Ozione di Default. Password Password + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Immettere la stessa password due volte, in modo che possa essere verificata la presenza di errori di battitura. Una buona password che conterrà una combinazione di lettere, numeri e segni di punteggiatura, dovrebbe essere lunga almeno otto caratteri e dovrebbe essere cambiata a intervalli regolari. + + + Reuse user password as root password + Riutilizza la password utente come password di root + + + + Use the same password for the administrator account. + Usare la stessa password per l'account amministratore. + + + + Choose a root password to keep your account safe. + Scegli una password di root per tenere il tuo account al sicuro. + Root password @@ -4951,14 +4992,9 @@ Ozione di Default. - - Validate passwords quality - Convalida la qualità delle password - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quando questa casella è selezionata, la robustezza della password viene verificata e non sarà possibile utilizzare password deboli. + + Enter the same password twice, so that it can be checked for typing errors. + Immettere la stessa password due volte, in modo che possa essere verificata la presenza di errori di battitura. @@ -4966,49 +5002,14 @@ Ozione di Default. Accedi automaticamente senza chiedere la password - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Sono permesse solo lettere, numeri, trattini e trattini bassi. - - - - Repeat password - - - - - Reuse user password as root password - Riutilizza la password utente come password di root - - - - Use the same password for the administrator account. - Usare la stessa password per l'account amministratore. - - - - Choose a root password to keep your account safe. - Scegli una password di root per tenere il tuo account al sicuro. + + Validate passwords quality + Convalida la qualità delle password - - Enter the same password twice, so that it can be checked for typing errors. - Immettere la stessa password due volte, in modo che possa essere verificata la presenza di errori di battitura. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quando questa casella è selezionata, la robustezza della password viene verificata e non sarà possibile utilizzare password deboli. @@ -5023,11 +5024,21 @@ Ozione di Default. What is your name? Qual è il tuo nome? + + + Your full name + + What name do you want to use to log in? Quale nome usare per l'autenticazione? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5048,16 +5059,6 @@ Ozione di Default. What is the name of this computer? Qual è il nome di questo computer? - - - Your full name - - - - - Login name - - Computer name @@ -5093,16 +5094,6 @@ Ozione di Default. Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5123,6 +5114,16 @@ Ozione di Default. Choose a root password to keep your account safe. Scegli una password di root per tenere il tuo account al sicuro. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ja-Hira.ts b/lang/calamares_ja-Hira.ts index dd68a53fb3..37062a312d 100644 --- a/lang/calamares_ja-Hira.ts +++ b/lang/calamares_ja-Hira.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ - + Setup Failed @title @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -589,25 +589,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -664,16 +664,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -701,6 +691,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -822,6 +817,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -832,44 +832,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -905,247 +905,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1471,8 +1471,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1486,13 +1491,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2269,7 +2269,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2439,6 +2439,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2487,11 +2492,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2664,11 +2664,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2686,45 +2700,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2732,6 +2707,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2739,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2751,6 +2736,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2758,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2765,6 +2760,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3188,48 +3188,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,43 +3247,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3377,65 +3377,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3447,6 +3447,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3478,30 +3502,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3935,17 +3935,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4038,7 +4038,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4825,11 +4826,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4850,11 +4861,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4871,78 +4892,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4958,11 +4959,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4983,16 +4994,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5028,16 +5029,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5058,6 +5049,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ja.ts b/lang/calamares_ja.ts index 5de79da172..e846205c47 100644 --- a/lang/calamares_ja.ts +++ b/lang/calamares_ja.ts @@ -125,31 +125,21 @@ Interface: インターフェース: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Calamares がクラッシュしたので、Dr. Konqi に見てもらう。 + Reloads the stylesheet from the branding directory. ブランディングディレクトリからスタイルシートをリロードする。 - - - Uploads the session log to the configured pastebin. - 設定されたペーストビンにセッションログをアップロードする。 - - - - Send Session Log - セッションログを送信 - Reload Stylesheet スタイルシートを再読み込む - - - Crashes Calamares, so that Dr. Konqi can look at it. - Calamares がクラッシュしたので、Dr. Konqi に見てもらう。 - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree ウィジェットツリー + + + Uploads the session log to the configured pastebin. + 設定されたペーストビンにセッションログをアップロードする。 + + + + Send Session Log + セッションログを送信 + Debug Information @@ -377,7 +377,7 @@ (%n second(s)) @status - (%n 秒) + (%n 秒(s)) @@ -389,6 +389,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + アップロードは失敗しました。 ウェブへの貼り付けは行われませんでした。 + + + + Install log posted to + +%1 + +Link copied to clipboard + インストールログをこちらに送信しました + +%1 + +クリップボードにリンクをコピーしました + + + + Install Log Paste URL + インストールログを貼り付けるURL + &Yes @@ -405,7 +428,7 @@ 閉じる (&C) - + Setup Failed @title セットアップに失敗しました。 @@ -435,13 +458,13 @@ %1 をインストールできません。Calamares はすべてのモジュールをロードすることをできませんでした。これは、Calamares のこのディストリビューションでの使用法による問題です。 - + <br/>The following modules could not be loaded: @info <br/>以下のモジュールがロードできませんでした。: - + Continue with Setup? @title セットアップを続行しますか? @@ -459,133 +482,110 @@ %1 のセットアッププログラムは %2 のセットアップのためディスクの内容を変更します。<br/><strong>これらの変更は取り消しできません。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 インストーラーは %2 をインストールするためディスクの内容を変更しようとしています。<br/><strong>これらの変更は取り消せません。</strong> - + &Set Up Now @button 今すぐセットアップ(&S) - + &Install Now @button 今すぐインストール(&I) - + Go &Back @button 戻る(&B) - + &Set Up @button セットアップ(&S) - + &Install @button インストール (&I) - + Setup is complete. Close the setup program. @tooltip セットアップが完了しました。プログラムを閉じます。 - + The installation is complete. Close the installer. @tooltip インストールが完了しました。インストーラーを閉じます。 - + Cancel the setup process without changing the system. @tooltip システムを変更せずにセットアッププロセスをキャンセルします。 - + Cancel the installation process without changing the system. @tooltip システムを変更せずにインストールプロセスをキャンセルします。 - + &Next @button 次へ (&N) - + &Back @button 戻る (&B) - + &Done @button 実行 (&D) - + &Cancel @button 中止 (&C) - + Cancel Setup? @title セットアップをキャンセルしますか? - + Cancel Installation? @title インストールをキャンセルしますか? - - Install Log Paste URL - インストールログを貼り付けるURL - - - - The upload was unsuccessful. No web-paste was done. - アップロードは失敗しました。 ウェブへの貼り付けは行われませんでした。 - - - - Install log posted to - -%1 - -Link copied to clipboard - インストールログをこちらに送信しました - -%1 - -クリップボードにリンクをコピーしました - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 本当に現在のセットアップのプロセスを中止しますか? すべての変更が取り消されます。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 本当に現在の作業を中止しますか? @@ -595,25 +595,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error 不明な例外型 - + Unparseable Python error @error 解析できない Python エラー - + Unparseable Python traceback @error 解析できない Python トレースバック - + Unfetchable Python error @error フェッチできない Python エラー @@ -670,16 +670,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手動パーティション</strong><br/>パーティションを自分で作成またはサイズ変更することができます。 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>縮小するパーティションを選択し、下のバーをドラッグしてサイズを変更して下さい</strong> - Select storage de&vice: @@ -705,7 +695,12 @@ The installer will quit and all changes will be lost. Reuse %1 as home partition for %2 @label - %1 を %2 のホーム パーティションとして再利用する。{1 ?} {2?} + %1 を %2 のホームパーティションとして再利用する + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>縮小するパーティションを選択し、下のバーをドラッグしてサイズを変更して下さい</strong> @@ -828,6 +823,11 @@ The installer will quit and all changes will be lost. @label ファイルにスワップ + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手動パーティション</strong><br/>パーティションを自分で作成またはサイズ変更することができます。 + Bootloader location: @@ -838,44 +838,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 を正常にアンマウントしました。 - + Successfully disabled swap %1. スワップ %1 を正常に無効にしました。 - + Successfully cleared swap %1. スワップ %1 を正常にクリアしました。 - + Successfully closed mapper device %1. マッパーデバイス %1 を正常に閉じました。 - + Successfully disabled volume group %1. ボリュームグループ %1 を正常に無効にしました。 - + Clear mounts for partitioning operations on %1 @title %1 のパーティション操作のため、マウントを解除する - + Clearing mounts for partitioning operations on %1… @status - %1 のパーティション操作のためにマウントをクリアしています。{1…?} + %1 でのパーティション操作のためのマウントをクリア… - + Cleared all mounts for %1 %1 のすべてのマウントを解除しました @@ -911,129 +911,113 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - ネットワークインストール。(無効: 不正な設定) - - - - Network Installation. (Disabled: Received invalid groups data) - ネットワークインストール (不可: 無効なグループデータを受け取りました) - - - - Network Installation. (Disabled: Internal error) - ネットワークインストール(無効: 内部エラー) - - - - Network Installation. (Disabled: No package list) - ネットワークインストール(無効: パッケージリストなし) - - - - Package selection - パッケージの選択 - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - ネットワークインストール。(無効: パッケージリストを取得できません。ネットワーク接続を確認してください。) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - このコンピュータは、%1 をセットアップするための最小要件を満たしていません。<br/>セットアップを続行できません。 + + Setup Failed + @title + セットアップに失敗しました。 - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - このコンピュータは、%1 をインストールするための最小要件を満たしていません。<br/>インストールを続行できません。 + + Installation Failed + @title + インストールに失敗 - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - このコンピューターは、 %1 をセットアップするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 + + The setup of %1 did not complete successfully. + @info + %1 のセットアップは正常に完了しませんでした。 - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - このコンピューターは、 %1 をインストールするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 + + The installation of %1 did not complete successfully. + @info + %1 のインストールは正常に完了しませんでした。 - - This program will ask you some questions and set up %2 on your computer. - このプログラムはあなたにいくつか質問をして、コンピューターに %2 を設定します。 + + Setup Complete + @title + セットアップが完了しました - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>%1 のCalamaresセットアッププログラムへようこそ</h1> + + Installation Complete + @title + インストールが完了 + - - <h1>Welcome to %1 setup</h1> - <h1>%1 のセットアップへようこそ</h1> + + The setup of %1 is complete. + @info + %1 のセットアップが完了しました。 - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1 のCalamaresインストーラーへようこそ</h1> + + The installation of %1 is complete. + @info + %1 のインストールは完了です。 - - <h1>Welcome to the %1 installer</h1> - <h1>%1 インストーラーへようこそ</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + キーボードのモデルは %1<br/> に設定されました。 - - Your username is too long. - ユーザー名が長すぎます。 + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + キーボードレイアウトは %1/%2 に設定されました。 - - '%1' is not allowed as username. - '%1' はユーザー名として許可されていません。 + + Set timezone to %1/%2 + @action + タイムゾーンを %1/%2 に設定 - - Your username must start with a lowercase letter or underscore. - ユーザー名はアルファベットの小文字または _ で始めてください。 + + The system language will be set to %1. + @info + システムの言語を %1 に設定する。 - - Only lowercase letters, numbers, underscore and hyphen are allowed. - 使用できるのはアルファベットの小文字と数字と _ と - だけです。 + + The numbers and dates locale will be set to %1. + @info + 数値と日付のロケールを %1 に設定する。 - - Your hostname is too short. - ホスト名が短すぎます。 + + Network Installation. (Disabled: Incorrect configuration) + ネットワークインストール。(無効: 不正な設定) - - Your hostname is too long. - ホスト名が長過ぎます。 + + Network Installation. (Disabled: Received invalid groups data) + ネットワークインストール (不可: 無効なグループデータを受け取りました) - - '%1' is not allowed as hostname. - '%1' はホスト名として許可されていません。 + + Network Installation. (Disabled: Internal error) + ネットワークインストール(無効: 内部エラー) - - Only letters, numbers, underscore and hyphen are allowed. - 使用できるのはアルファベットと数字と _ と - だけです。 + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + ネットワークインストール。(無効: パッケージリストを取得できません。ネットワーク接続を確認してください。) - - Your passwords do not match! - パスワードが一致していません! + + Network Installation. (Disabled: No package list) + ネットワークインストール(無効: パッケージリストなし) - - OK! - OK! + + Package selection + パッケージの選択 @@ -1061,99 +1045,115 @@ The installer will quit and all changes will be lost. なし - - Summary - @label - 要約 + + Summary + @label + 要約 + + + + This is an overview of what will happen once you start the setup procedure. + これは、セットアップ開始後に行うことの概要です。 + + + + This is an overview of what will happen once you start the install procedure. + これは、インストール開始後に行うことの概要です。 + + + + Your username is too long. + ユーザー名が長すぎます。 + + + + Your username must start with a lowercase letter or underscore. + ユーザー名はアルファベットの小文字または _ で始めてください。 + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + 使用できるのはアルファベットの小文字と数字と _ と - だけです。 - - This is an overview of what will happen once you start the setup procedure. - これは、セットアップ開始後に行うことの概要です。 + + '%1' is not allowed as username. + '%1' はユーザー名として許可されていません。 - - This is an overview of what will happen once you start the install procedure. - これは、インストール開始後に行うことの概要です。 + + Your hostname is too short. + ホスト名が短すぎます。 - - Setup Failed - @title - セットアップに失敗しました。 + + Your hostname is too long. + ホスト名が長過ぎます。 - - Installation Failed - @title - インストールに失敗 + + '%1' is not allowed as hostname. + '%1' はホスト名として許可されていません。 - - The setup of %1 did not complete successfully. - @info - %1 のセットアップは正常に完了しませんでした。 + + Only letters, numbers, underscore and hyphen are allowed. + 使用できるのはアルファベットと数字と _ と - だけです。 - - The installation of %1 did not complete successfully. - @info - %1 のインストールは正常に完了しませんでした。 + + Your passwords do not match! + パスワードが一致していません! - - Setup Complete - @title - セットアップが完了しました + + OK! + OK! - - Installation Complete - @title - インストールが完了 - + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + このコンピュータは、%1 をセットアップするための最小要件を満たしていません。<br/>セットアップを続行できません。 - - The setup of %1 is complete. - @info - %1 のセットアップが完了しました。 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + このコンピュータは、%1 をインストールするための最小要件を満たしていません。<br/>インストールを続行できません。 - - The installation of %1 is complete. - @info - %1 のインストールは完了です。 + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + このコンピューターは、 %1 をセットアップするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - キーボードのモデルは %1<br/> に設定されました。 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + このコンピューターは、 %1 をインストールするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - キーボードレイアウトは %1/%2 に設定されました。 + + This program will ask you some questions and set up %2 on your computer. + このプログラムはあなたにいくつか質問をして、コンピューターに %2 を設定します。 - - Set timezone to %1/%2 - @action - タイムゾーンを %1/%2 に設定 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 のCalamaresセットアッププログラムへようこそ</h1> - - The system language will be set to %1. - @info - システムの言語を %1 に設定する。 + + <h1>Welcome to %1 setup</h1> + <h1>%1 のセットアップへようこそ</h1> - - The numbers and dates locale will be set to %1. - @info - 数値と日付のロケールを %1 に設定する。 + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 のCalamaresインストーラーへようこそ</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>%1 インストーラーへようこそ</h1> @@ -1270,7 +1270,7 @@ The installer will quit and all changes will be lost. Create new %1MiB partition on %3 (%2) with entries %4 @title - %3 (%2) にエントリー %4 の新しい %1MiB パーティションを作成する。{1M?} {3 ?} {2)?} {4?} + %3 (%2) にエントリ %4 を持つ新しい %1MiB パーティションを作成 @@ -1307,7 +1307,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition on %2… @status - %2 に新しい %1 パーティションを作成しています。{1 ?} {2…?} + %2 に新しい %1 パーティションを作成… @@ -1351,7 +1351,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition table on %2… @status - %2 に新しい %1 パーティションテーブルを作成しています。{1 ?} {2…?} + 新しい %1 パーティションテーブルを %2 に作成… @@ -1419,7 +1419,7 @@ The installer will quit and all changes will be lost. Creating new volume group named %1… @status - 新しいボリュームグループ %1 を作成しています。{1…?} + 新しいボリュームグループ %1 を作成… @@ -1461,7 +1461,7 @@ The installer will quit and all changes will be lost. Deleting partition %1… @status - パーティション %1 を削除しています。{1…?} + パーティション %1 を削除… @@ -1478,9 +1478,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - このデバイスのパーティションテーブルは <strong>%1</strong> です。 + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>このパーティションテーブルの種類は<strong>BIOS</strong> ブート環境から起動する古いシステムにおいてのみ推奨されます。他のほとんどの場合ではGPTが推奨されます。<br><br><strong>警告:</strong> MBR パーティションテーブルは時代遅れのMS-DOS時代の標準です。<br>作成できる<em>プライマリ</em>パーティションは4つだけです。そのうち1つは<em>拡張</em>パーティションになることができ、そこには多くの<em>論理</em>パーティションを含むことができます。 + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>これは <strong>EFI</strong> ブート環境から起動する現在のシステムで推奨されるパーティションテーブルの種類です。 @@ -1493,14 +1498,9 @@ The installer will quit and all changes will be lost. インストーラーが、選択したストレージデバイス上の<strong>パーティションテーブルを検出できません。</strong><br><br>デバイスのパーティションテーブルが存在しないか、破損しているか、タイプが不明です。<br>このインストーラーは、自動的に、または手動パーティショニングページを介して、新しいパーティションテーブルを作成できます。 - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>これは <strong>EFI</strong> ブート環境から起動する現在のシステムで推奨されるパーティションテーブルの種類です。 - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>このパーティションテーブルの種類は<strong>BIOS</strong> ブート環境から起動する古いシステムにおいてのみ推奨されます。他のほとんどの場合ではGPTが推奨されます。<br><br><strong>警告:</strong> MBR パーティションテーブルは時代遅れのMS-DOS時代の標準です。<br>作成できる<em>プライマリ</em>パーティションは4つだけです。そのうち1つは<em>拡張</em>パーティションになることができ、そこには多くの<em>論理</em>パーティションを含むことができます。 + + This device has a <strong>%1</strong> partition table. + このデバイスのパーティションテーブルは <strong>%1</strong> です。 @@ -1705,7 +1705,7 @@ The installer will quit and all changes will be lost. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - マウントポイント <strong>%1</strong>%3 で、<strong>新しい</strong> %2 パーティションをセットアップ。{2 ?} {1<?} {3?} + マウントポイント <strong>%1</strong>%3 で<strong>新しい</strong> %2 パーティションをセットアップ @@ -1729,7 +1729,7 @@ The installer will quit and all changes will be lost. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - %3 パーティション <strong>%1</strong> をマウントポイント <strong>%2</strong>%4 でセットアップ。{3 ?} {1<?} {2<?} {4…?} + %3 パーティション <strong>%1</strong> をマウントポイント <strong>%2</strong>%4 でセットアップ… @@ -1812,7 +1812,7 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - %4 のパーティション %1 (ファイルシステム: %2、サイズ: %3 MiB) をフォーマット。{1 ?} {2,?} {3 ?} {4?} + パーティション %1(ファイルシステム: %2、サイズ: %3 MiB)を %4 にフォーマット @@ -1830,7 +1830,7 @@ The installer will quit and all changes will be lost. Formatting partition %1 with file system %2… @status - パーティション %1 をファイルシステム %2 でフォーマットしています。{1 ?} {2…?} + パーティション %1 をファイルシステム %2 でフォーマット… @@ -2276,7 +2276,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit 終了 @@ -2452,6 +2452,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment デスクトップ + + + Applications + アプリケーション + Communication @@ -2500,11 +2505,6 @@ The installer will quit and all changes will be lost. label for netinstall module ユーティリティー - - - Applications - アプリケーション - NotesQmlViewStep @@ -2677,11 +2677,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form パスワードに禁止されている単語が含まれています + + + The password contains fewer than %n digits + + パスワードに含まれる数字の桁数が %n 未満です + + The password contains too few digits パスワードに含まれる数字の数が少なすぎます + + + The password contains fewer than %n uppercase letters + + パスワードに含まれる大文字が %n 未満です + + The password contains too few uppercase letters @@ -2699,45 +2713,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters パスワードに含まれる小文字の数が少なすぎます - - - The password contains too few non-alphanumeric characters - パスワードに含まれる非アルファベット文字の数が少なすぎます - - - - The password is too short - パスワードが短すぎます - - - - The password does not contain enough character classes - パスワードには十分な文字クラスが含まれていません - - - - The password contains too many same characters consecutively - パスワードで同じ文字を続けすぎています - - - - The password contains too many characters of the same class consecutively - パスワードで同じ文字クラスの文字を続けすぎています - - - - The password contains fewer than %n digits - - パスワードに含まれる数字の桁数が %n 未満です - - - - - The password contains fewer than %n uppercase letters - - パスワードに含まれる大文字が %n 未満です - - The password contains fewer than %n non-alphanumeric characters @@ -2745,6 +2720,11 @@ The installer will quit and all changes will be lost. パスワードに含まれる英数字以外の文字が %n 未満です + + + The password contains too few non-alphanumeric characters + パスワードに含まれる非アルファベット文字の数が少なすぎます + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ The installer will quit and all changes will be lost. パスワードに含まれる文字が %n 未満です + + + The password is too short + パスワードが短すぎます + The password is a rotated version of the previous one @@ -2764,6 +2749,11 @@ The installer will quit and all changes will be lost. パスワードに含まれる文字の種類が %n 未満です + + + The password does not contain enough character classes + パスワードには十分な文字クラスが含まれていません + The password contains more than %n same characters consecutively @@ -2771,6 +2761,11 @@ The installer will quit and all changes will be lost. パスワードに同じ文字が %n 以上連続して含まれています + + + The password contains too many same characters consecutively + パスワードで同じ文字を続けすぎています + The password contains more than %n characters of the same class consecutively @@ -2778,6 +2773,11 @@ The installer will quit and all changes will be lost. パスワードに同じ種類の文字が %n 以上連続して含まれています + + + The password contains too many characters of the same class consecutively + パスワードで同じ文字クラスの文字を続けすぎています + The password contains monotonic sequence longer than %n characters @@ -3200,6 +3200,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + システム情報を収集しています… + + + + Partitions + @label + パーティション + Unsafe partition actions are enabled. @@ -3216,35 +3228,27 @@ The installer will quit and all changes will be lost. パーティションは変更されません。 - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - %1 を起動するには EFI システムパーティションが必要です。<br/><br/>EFI システムパーティションは推奨基準を満たしていません。戻って、適切なファイルシステムを選択または作成することをお勧めします。 - - - - The minimum recommended size for the filesystem is %1 MiB. - ファイルシステムの推奨最小サイズは %1 MiB です。 - - - - You can continue with this EFI system partition configuration but your system may fail to start. - この EFI システムパーティション設定で続行できますが、システムが起動に失敗する可能性があります。 - - - - No EFI system partition configured - EFI システムパーティションが設定されていません + + Current: + @label + 現在: - - EFI system partition configured incorrectly - EFI システムパーティションが正しく設定されていません + + After: + @label + 変更後: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1 を起動するには EFI システムパーティションが必要です。<br/><br/>EFI システムパーティションを設定するには、戻って適切なファイルシステムを選択または作成してください。 + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + %1 を起動するには EFI システムパーティションが必要です。<br/><br/>EFI システムパーティションは推奨基準を満たしていません。戻って、適切なファイルシステムを選択または作成することをお勧めします。 + The filesystem must be mounted on <strong>%1</strong>. @@ -3255,6 +3259,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. ファイルシステムのタイプは FAT32 にする必要があります。 + + + The filesystem must have flag <strong>%1</strong> set. + ファイルシステムにはフラグ <strong>%1</strong> を設定する必要があります。 + @@ -3262,38 +3271,29 @@ The installer will quit and all changes will be lost. ファイルシステムのサイズは最低でも %1 MiB である必要があります。 - - The filesystem must have flag <strong>%1</strong> set. - ファイルシステムにはフラグ <strong>%1</strong> を設定する必要があります。 - - - - Gathering system information… - @status - システム情報を収集しています… + + The minimum recommended size for the filesystem is %1 MiB. + ファイルシステムの推奨最小サイズは %1 MiB です。 - - Partitions - @label - パーティション + + You can continue without setting up an EFI system partition but your system may fail to start. + EFI システムパーティションを設定しなくても続行できますが、システムが起動しない場合があります。 - - Current: - @label - 現在: + + You can continue with this EFI system partition configuration but your system may fail to start. + この EFI システムパーティション設定で続行できますが、システムが起動に失敗する可能性があります。 - - After: - @label - 変更後: + + No EFI system partition configured + EFI システムパーティションが設定されていません - - You can continue without setting up an EFI system partition but your system may fail to start. - EFI システムパーティションを設定しなくても続行できますが、システムが起動しない場合があります。 + + EFI system partition configured incorrectly + EFI システムパーティションが正しく設定されていません @@ -3390,14 +3390,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. コマンドから出力するものがありませんでした。 - + Output: @@ -3406,52 +3406,52 @@ Output: - + External command crashed. 外部コマンドがクラッシュしました。 - + Command <i>%1</i> crashed. コマンド <i>%1</i> がクラッシュしました。 - + External command failed to start. 外部コマンドの起動に失敗しました。 - + Command <i>%1</i> failed to start. コマンド <i>%1</i> の起動に失敗しました。 - + Internal error when starting command. コマンドが起動する際に内部エラーが発生しました。 - + Bad parameters for process job call. ジョブ呼び出しにおける不正なパラメータ - + External command failed to finish. 外部コマンドの終了に失敗しました。 - + Command <i>%1</i> failed to finish in %2 seconds. コマンド<i>%1</i> %2 秒以内に終了することに失敗しました。 - + External command finished with errors. 外部のコマンドがエラーで停止しました。 - + Command <i>%1</i> finished with exit code %2. コマンド <i>%1</i> が終了コード %2 で終了しました。. @@ -3463,6 +3463,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + 不明 + + + + extended + @partition info + 拡張 + + + + unformatted + @partition info + 未フォーマット + + + + swap + @partition info + スワップ + @@ -3494,30 +3518,6 @@ Output: (no mount point) (マウントポイントなし) - - - unknown - @partition info - 不明 - - - - extended - @partition info - 拡張 - - - - unformatted - @partition info - 未フォーマット - - - - swap - @partition info - スワップ - Unpartitioned space or unknown partition table @@ -3709,7 +3709,7 @@ Output: Resize volume group named %1 from %2 to %3 @title - ボリュームグループ %1 のサイズを %2 から %3 に変更。{1 ?} {2 ?} {3?} + ボリュームグループ %1 のサイズを %2 から %3 に変更 @@ -3768,7 +3768,7 @@ Output: Setting hostname %1… @status - ホスト名 %1 を設定しています。{1…?} + ホスト名 %1 を設定… @@ -3937,7 +3937,7 @@ Output: Setting password for user %1… @status - ユーザー %1 のパスワードを設定しています。{1…?} + ユーザー %1 のパスワードを設定… @@ -3954,17 +3954,17 @@ Output: Cannot disable root account. rootアカウントを使用することができません。 - - - Cannot set password for user %1. - ユーザ %1 のパスワードは設定できませんでした。 - usermod terminated with error code %1. エラーコード %1 によりusermodが停止しました。 + + + Cannot set password for user %1. + ユーザ %1 のパスワードは設定できませんでした。 + SetTimezoneJob @@ -4057,7 +4057,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4876,11 +4877,21 @@ Output: What is your name? あなたの名前は何ですか? + + + Your full name + あなたのフルネーム + What name do you want to use to log in? ログイン時に使用する名前は何ですか? + + + Login name + ログイン名 + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4901,11 +4912,21 @@ Output: What is the name of this computer? このコンピューターの名前は何ですか? + + + Computer name + コンピューター名 + This name will be used if you make the computer visible to others on a network. この名前は、コンピューターをネットワーク上の他のユーザーに表示する場合に使用されます。 + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + 使用できるのはアルファベットと数字と _ と - で、2文字以上必要です。 + localhost is not allowed as hostname. @@ -4921,11 +4942,31 @@ Output: Password パスワード + + + Repeat password + パスワードを再入力 + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 同じパスワードを2回入力して、入力エラーをチェックできるようにします。適切なパスワードは文字、数字、句読点が混在する8文字以上のもので、定期的に変更する必要があります。 + + + Reuse user password as root password + rootパスワードとしてユーザーパスワードを再利用する + + + + Use the same password for the administrator account. + 管理者アカウントと同じパスワードを使用する。 + + + + Choose a root password to keep your account safe. + アカウントを安全に保つために、rootパスワードを選択してください。 + Root password @@ -4937,14 +4978,9 @@ Output: root パスワードを再入力 - - Validate passwords quality - パスワードの品質を検証する - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - このボックスをオンにするとパスワードの強度チェックが行われ、弱いパスワードを使用できなくなります。 + + Enter the same password twice, so that it can be checked for typing errors. + 同じパスワードを2回入力して、入力エラーをチェックできるようにします。 @@ -4952,49 +4988,14 @@ Output: パスワードを要求せずに自動的にログインする - - Your full name - あなたのフルネーム - - - - Login name - ログイン名 - - - - Computer name - コンピューター名 - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - 使用できるのはアルファベットと数字と _ と - で、2文字以上必要です。 - - - - Repeat password - パスワードを再入力 - - - - Reuse user password as root password - rootパスワードとしてユーザーパスワードを再利用する - - - - Use the same password for the administrator account. - 管理者アカウントと同じパスワードを使用する。 - - - - Choose a root password to keep your account safe. - アカウントを安全に保つために、rootパスワードを選択してください。 + + Validate passwords quality + パスワードの品質を検証する - - Enter the same password twice, so that it can be checked for typing errors. - 同じパスワードを2回入力して、入力エラーをチェックできるようにします。 + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + このボックスをオンにするとパスワードの強度チェックが行われ、弱いパスワードを使用できなくなります。 @@ -5009,11 +5010,21 @@ Output: What is your name? あなたの名前は何ですか? + + + Your full name + あなたのフルネーム + What name do you want to use to log in? ログイン時に使用する名前は何ですか? + + + Login name + ログイン名 + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5034,16 +5045,6 @@ Output: What is the name of this computer? このコンピューターの名前は何ですか? - - - Your full name - あなたのフルネーム - - - - Login name - ログイン名 - Computer name @@ -5079,16 +5080,6 @@ Output: Repeat password パスワードを再入力 - - - Root password - root パスワード - - - - Repeat root password - root パスワードを再入力 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5109,6 +5100,16 @@ Output: Choose a root password to keep your account safe. アカウントを安全に保つために、rootパスワードを選択してください。 + + + Root password + root パスワード + + + + Repeat root password + root パスワードを再入力 + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ka.ts b/lang/calamares_ka.ts index e34836dc4e..ef47018754 100644 --- a/lang/calamares_ka.ts +++ b/lang/calamares_ka.ts @@ -126,30 +126,20 @@ ინტერფეისი: - - Reloads the stylesheet from the branding directory. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Uploads the session log to the configured pastebin. + + Reloads the stylesheet from the branding directory. - - - Send Session Log - სესიის ჟურნალის გაგზავნა - Reload Stylesheet სტილების ცხრილის თავიდან ჩატვირთვა - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree ვიჯეტების ხე + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + სესიის ჟურნალის გაგზავნა + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - (%n წამი) - (%n წამი) + + + @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + ატვირთვა წარუმატებელია. ვებ-ჩასმა არ განხორციელებულა. + + + + Install log posted to + +%1 + +Link copied to clipboard + დაყენების ჟურნალი აიტვირთვა + +%1 + +მისი ბმული დაკოპირდა ბუფერში + + + + Install Log Paste URL + დაყენების ჟურნალი ჩასვით ბმული + &Yes @@ -407,7 +430,7 @@ &დახურვა - + Setup Failed @title მორგება ჩავარდა @@ -437,13 +460,13 @@ - + <br/>The following modules could not be loaded: @info <br/>შეუძლებელია შემდეგი მოდულების ჩატვირთვა: - + Continue with Setup? @title გავაგრძელო დაყენება? @@ -461,133 +484,110 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button &დაყენება ახლავე - + &Install Now @button &ახლა დაყენება - + Go &Back @button უკან &დაბრუნება - + &Set Up @button &მორგება - + &Install @button &დაყენება - + Setup is complete. Close the setup program. @tooltip მორგება დასრულდა. დახურეთ მორგების პროგრამა. - + The installation is complete. Close the installer. @tooltip დაყენება დასრულდა. დახურეთ დაყენების პროგრამა. - + Cancel the setup process without changing the system. @tooltip მორგების პროცესის გაუქმება სისტემის ცვლილების გარეშე. - + Cancel the installation process without changing the system. @tooltip დაყენების პროცესის გაუქმება სისტემის ცვლილების გარეშე. - + &Next @button &შემდეგი - + &Back @button &უკან - + &Done @button &შესრულებულია - + &Cancel @button გაუ&ქმება - + Cancel Setup? @title გავაუქმო მორგება? - + Cancel Installation? @title გავაუქმო დაყენება? - - Install Log Paste URL - დაყენების ჟურნალი ჩასვით ბმული - - - - The upload was unsuccessful. No web-paste was done. - ატვირთვა წარუმატებელია. ვებ-ჩასმა არ განხორციელებულა. - - - - Install log posted to - -%1 - -Link copied to clipboard - დაყენების ჟურნალი აიტვირთვა - -%1 - -მისი ბმული დაკოპირდა ბუფერში - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. მართლა გნებავთ მიმდინარე მორგების პროცესის გაუქმება? მორგების პროგრამა მუშაობას დაასრულებს და ყველა ცვლილება გაუქმდება. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. მართლა გნებავთ მიმდინარე დაყენების პროცესის გაუქმება? @@ -597,25 +597,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error უცნობი გამონაკლისის ტიპი - + Unparseable Python error @error არადამუშავებადი Python-ის შეცდომა - + Unparseable Python traceback @error არადამუშავებადი Python-ის უკუტრეისი - + Unfetchable Python error @error გამოუთხოვადი Python-ის შეცდომა @@ -672,16 +672,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -709,6 +699,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ The installer will quit and all changes will be lost. @label სვოპ-ფაილი + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -840,44 +840,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1-ის მოხსნა წარმატებულია. - + Successfully disabled swap %1. სვოპი %1 წარმატებით გაითიშა. - + Successfully cleared swap %1. სვოპი %1 წარმატებით გასუფთავდა. - + Successfully closed mapper device %1. წარმატებით დახურა ასახვის მოწყობილობა %1. - + Successfully disabled volume group %1. წარმატებით გაითიშა ტომების ჯგუფი %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1-სთვის ყველა მიმაგრება გასუფთავდა @@ -913,129 +913,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - + + Setup Failed + @title + მორგება ჩავარდა - - Network Installation. (Disabled: Received invalid groups data) - + + Installation Failed + @title + დაყენების შეცდომა - - Network Installation. (Disabled: Internal error) - + + The setup of %1 did not complete successfully. + @info + %1-ის მორგება წარმატებით არ დასრულებულა. - - Network Installation. (Disabled: No package list) - + + The installation of %1 did not complete successfully. + @info + %1-ის დაყენება წარმატებით არ დასრულებულა. - - Package selection - პაკეტების არჩევანი + + Setup Complete + @title + მორგება დასრულებულია - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - + + Installation Complete + @title + დაყენება დასრულებულია - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + The setup of %1 is complete. + @info + %1-ის მორგება დასრულდა. - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + The installation of %1 is complete. + @info + %1-ის დაყენება დასრულდა. - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. - თქვენი მომხმარებლის სახელი ძალიან გრძელია. - - - - '%1' is not allowed as username. - '%1' მომხმარებლის სახელად დაშვებული არაა. - - - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Internal error) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your hostname is too short. - თქვენი ჰოსტის სახელი ძალიან მოკლეა. - - - - Your hostname is too long. - თქვენი ჰოსტის სახელი ძალიან გრძელია. - - - - '%1' is not allowed as hostname. - '%1' ჰოსტის სახელად დაშვებული არაა. - - - - Only letters, numbers, underscore and hyphen are allowed. - დაშვებულია მხოლოდ ლათინური სიმბოლოები, ციფრები, ქვედახაზი და ტირე. - - - - Your passwords do not match! - თქვები პაროლები არ ემთხვეავ! + + Network Installation. (Disabled: No package list) + - - OK! - დიახ! + + Package selection + პაკეტების არჩევანი @@ -1079,81 +1062,98 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title - მორგება ჩავარდა + + Your username is too long. + თქვენი მომხმარებლის სახელი ძალიან გრძელია. - - Installation Failed - @title - დაყენების შეცდომა + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info - %1-ის მორგება წარმატებით არ დასრულებულა. + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The installation of %1 did not complete successfully. - @info - %1-ის დაყენება წარმატებით არ დასრულებულა. + + '%1' is not allowed as username. + '%1' მომხმარებლის სახელად დაშვებული არაა. - - Setup Complete - @title - მორგება დასრულებულია + + Your hostname is too short. + თქვენი ჰოსტის სახელი ძალიან მოკლეა. - - Installation Complete - @title - დაყენება დასრულებულია + + Your hostname is too long. + თქვენი ჰოსტის სახელი ძალიან გრძელია. - - The setup of %1 is complete. - @info - %1-ის მორგება დასრულდა. + + '%1' is not allowed as hostname. + '%1' ჰოსტის სახელად დაშვებული არაა. - - The installation of %1 is complete. - @info - %1-ის დაყენება დასრულდა. + + Only letters, numbers, underscore and hyphen are allowed. + დაშვებულია მხოლოდ ლათინური სიმბოლოები, ციფრები, ქვედახაზი და ტირე. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + თქვები პაროლები არ ემთხვეავ! + + + + OK! + დიახ! + + + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Set timezone to %1/%2 - @action + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The system language will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - The numbers and dates locale will be set to %1. - @info + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1479,9 +1479,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - ამ მოწყობილობის დანაყოფის ცხრილის ტიპია <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + @@ -1494,14 +1499,9 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + ამ მოწყობილობის დანაყოფის ცხრილის ტიპია <strong>%1</strong>. @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit გასვლა @@ -2447,6 +2447,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment სამუშაო მაგიდა + + + Applications + აპლიკაციები + Communication @@ -2495,11 +2500,6 @@ The installer will quit and all changes will be lost. label for netinstall module ხელსაწყოები - - - Applications - აპლიკაციები - NotesQmlViewStep @@ -2672,11 +2672,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form პაროლი რაღაც ფორმით შეიცავს აკრძალულ სიტყვებს + + + The password contains fewer than %n digits + + + + + The password contains too few digits პაროლი ძალიან ცოტა ციფრს შეიცავს + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters პაროლი ძალიან ცოტა პატარა სიმბოლოს შეიცავს - - - The password contains too few non-alphanumeric characters - პაროლი მეტისმეტად ცოტა ალფარიცხვულ სიმბოლოს შეიცავს - - - - The password is too short - პაროლი მეტისმეტად მოკლეა - - - - The password does not contain enough character classes - პაროლი არ შეიცავს საკმარის სიმბოლოების კლასს - - - - The password contains too many same characters consecutively - პაროლი შეიცავს ძალიან ბევრ იგივე სიმბოლოს თანმიმდევრულად - - - - The password contains too many characters of the same class consecutively - პაროლი შეიცავს იმავე კლასის ძალიან ბევრ სიმბოლოს თანმიმდევრულად - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + პაროლი მეტისმეტად ცოტა ალფარიცხვულ სიმბოლოს შეიცავს + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + პაროლი მეტისმეტად მოკლეა + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + პაროლი არ შეიცავს საკმარის სიმბოლოების კლასს + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + პაროლი შეიცავს ძალიან ბევრ იგივე სიმბოლოს თანმიმდევრულად + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + პაროლი შეიცავს იმავე კლასის ძალიან ბევრ სიმბოლოს თანმიმდევრულად + The password contains monotonic sequence longer than %n characters @@ -3201,9 +3201,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + დანაყოფები + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ The installer will quit and all changes will be lost. დანაყოფები არ შეიცვლება. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + მიმდინარე: - - No EFI system partition configured - + + After: + @label + შემდეგ: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - დანაყოფები - - - - Current: - @label - მიმდინარე: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - შემდეგ: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,13 +3394,13 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: @@ -3409,52 +3409,52 @@ Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3466,6 +3466,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + უცნობი + + + + extended + @partition info + გაფართოებული თვისებები + + + + unformatted + @partition info + დაუფორმატებელი + + + + swap + @partition info + swap + @@ -3497,30 +3521,6 @@ Output: (no mount point) - - - unknown - @partition info - უცნობი - - - - extended - @partition info - გაფართოებული თვისებები - - - - unformatted - @partition info - დაუფორმატებელი - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3954,17 +3954,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4057,7 +4057,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4844,11 +4845,21 @@ Output: What is your name? რა გქვიათ? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4869,11 +4880,21 @@ Output: What is the name of this computer? რა ჰქვია ამ კომპიუტერს? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4890,78 +4911,58 @@ Output: პაროლი - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4977,11 +4978,21 @@ Output: What is your name? რა გქვიათ? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5002,16 +5013,6 @@ Output: What is the name of this computer? რა ჰქვია ამ კომპიუტერს? - - - Your full name - - - - - Login name - - Computer name @@ -5047,16 +5048,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5077,6 +5068,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_kk.ts b/lang/calamares_kk.ts index 7302884c0b..2d14a7113e 100644 --- a/lang/calamares_kk.ts +++ b/lang/calamares_kk.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Алға - + &Back @button А&ртқа - + &Done @button - + &Cancel @button Ба&с тарту - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_kn.ts b/lang/calamares_kn.ts index 9c6e711066..886ea6144d 100644 --- a/lang/calamares_kn.ts +++ b/lang/calamares_kn.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ ಮುಚ್ಚಿರಿ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button ಮುಂದಿನ - + &Back @button ಹಿಂದಿನ - + &Done @button - + &Cancel @button ರದ್ದುಗೊಳಿಸು - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) - + + Installation Failed + @title + ಅನುಸ್ಥಾಪನೆ ವಿಫಲವಾಗಿದೆ - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title - ಅನುಸ್ಥಾಪನೆ ವಿಫಲವಾಗಿದೆ + + Only letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3191,13 +3191,25 @@ The installer will quit and all changes will be lost. - - The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. + + The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. + + + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label - - - PartitionViewStep Unsafe partition actions are enabled. @@ -3214,33 +3226,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + ಪ್ರಸಕ್ತ: - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3253,6 +3257,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3260,37 +3269,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - Current: - @label - ಪ್ರಸಕ್ತ: - - - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ko.ts b/lang/calamares_ko.ts index 0b3888d48b..b719bd0a2d 100644 --- a/lang/calamares_ko.ts +++ b/lang/calamares_ko.ts @@ -125,31 +125,21 @@ Interface: 인터페이스: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. 브랜딩 디렉터리에서 스타일 시트를 다시 불러옵니다. - - - Uploads the session log to the configured pastebin. - 세션 로그를 구성된 pastebin에 업로드합니다. - - - - Send Session Log - 세션 로그 보내기 - Reload Stylesheet 스타일시트 새로고침 - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree 위젯 트리 + + + Uploads the session log to the configured pastebin. + 세션 로그를 구성된 pastebin에 업로드합니다. + + + + Send Session Log + 세션 로그 보내기 + Debug Information @@ -377,7 +377,7 @@ (%n second(s)) @status - (%n초) + (%n 초) @@ -389,6 +389,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + 업로드에 실패했습니다. 웹 붙여넣기가 수행되지 않았습니다. + + + + Install log posted to + +%1 + +Link copied to clipboard + 설치 게시한 로그가 아래 위치에 업로드되었습니다. + +%1 + +링크가 클립보드에 복사되었습니다. + + + + Install Log Paste URL + 로그 붙여넣기 URL 설치 + &Yes @@ -405,7 +428,7 @@ 닫기(&C) - + Setup Failed @title 설정 실패 @@ -435,13 +458,13 @@ %1 가 설치될 수 없습니다. Calamares가 모든 구성된 모듈을 불러올 수 없었습니다. 이것은 Calamares가 배포판에서 사용되는 방식에서 발생한 문제입니다. - + <br/>The following modules could not be loaded: @info 다음 모듈 불러오기 실패: - + Continue with Setup? @title @@ -459,133 +482,110 @@ %1 설치 프로그램이 %2을(를) 설정하기 위해 디스크를 변경하려고 하는 중입니다.<br/><strong>이러한 변경은 취소할 수 없습니다.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 설치 관리자가 %2를 설치하기 위해 사용자의 디스크의 내용을 변경하려고 합니다. <br/> <strong>이 변경 작업은 되돌릴 수 없습니다.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button 설치(&I) - + Setup is complete. Close the setup program. @tooltip 설치가 완료 되었습니다. 설치 프로그램을 닫습니다. - + The installation is complete. Close the installer. @tooltip 설치가 완료되었습니다. 설치 관리자를 닫습니다. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button 다음 (&N) - + &Back @button 뒤로 (&B) - + &Done @button 완료 (&D) - + &Cancel @button 취소(&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - 로그 붙여넣기 URL 설치 - - - - The upload was unsuccessful. No web-paste was done. - 업로드에 실패했습니다. 웹 붙여넣기가 수행되지 않았습니다. - - - - Install log posted to - -%1 - -Link copied to clipboard - 설치 게시한 로그가 아래 위치에 업로드되었습니다. - -%1 - -링크가 클립보드에 복사되었습니다. - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 현재 설정 프로세스를 취소하시겠습니까? 설치 프로그램이 종료되고 모든 변경 내용이 손실됩니다. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 정말로 현재 설치 프로세스를 취소하시겠습니까? @@ -595,25 +595,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error 알 수 없는 예외 유형 - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -670,16 +670,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>수동 파티션 작업</strong><br/>직접 파티션을 만들거나 크기를 조정할 수 있습니다. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>축소할 파티션을 선택한 다음 하단 막대를 끌어 크기를 조정합니다.</strong> - Select storage de&vice: @@ -707,6 +697,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>축소할 파티션을 선택한 다음 하단 막대를 끌어 크기를 조정합니다.</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -828,6 +823,11 @@ The installer will quit and all changes will be lost. @label 파일로 스왑 + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>수동 파티션 작업</strong><br/>직접 파티션을 만들거나 크기를 조정할 수 있습니다. + Bootloader location: @@ -838,44 +838,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 경로를 성공적으로 마운트 해제했습니다. - + Successfully disabled swap %1. %1 스왑을 성공적으로 비활성화했습니다. - + Successfully cleared swap %1. %1 스왑을 성공적으로 지웠습니다. - + Successfully closed mapper device %1. %1 매퍼 장치를 성공적으로 닫았습니다. - + Successfully disabled volume group %1. %1 볼륨 그룹을 성공적으로 비활성화했습니다. - + Clear mounts for partitioning operations on %1 @title 파티셔닝 작업을 위해 %1의 마운트를 모두 해제합니다 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1의 모든 마운트가 해제되었습니다. @@ -911,129 +911,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - 네트워크 설치. (사용안함: 잘못된 환경설정) - - - - Network Installation. (Disabled: Received invalid groups data) - 네트워크 설치. (불가: 유효하지 않은 그룹 데이터를 수신했습니다) - - - - Network Installation. (Disabled: Internal error) - 네트워크 설치. (비활성화됨: 내부 오류) - - - - Network Installation. (Disabled: No package list) - 네트워크 설치. (비활성화됨: 패키지 목록 없음) - - - - Package selection - 패키지 선택 - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - 네트워크 설치. (불가: 패키지 목록을 가져올 수 없습니다. 네트워크 연결을 확인해주세요) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - 이 컴퓨터는 %1 설정을 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다. + + Setup Failed + @title + 설정 실패 - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다. <br/>설치를 계속할 수 없습니다. + + Installation Failed + @title + 설치 실패 - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수는 있지만 일부 기능을 사용하지 않도록 설정할 수도 있습니다. + + The setup of %1 did not complete successfully. + @info + %1 설정이 제대로 완료되지 않았습니다. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수 있지만 일부 기능을 사용하지 않도록 설정할 수 있습니다. + + The installation of %1 did not complete successfully. + @info + %1 설치가 제대로 완료되지 않았습니다. - - This program will ask you some questions and set up %2 on your computer. - 이 프로그램은 몇 가지 질문을 하고 컴퓨터에 %2을 설정합니다. + + Setup Complete + @title + 설정 완료 - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1> 깔라마레스 설치 프로그램 %1에 오신 것을 환영합니다</h1> + + Installation Complete + @title + 설치 완료 - - <h1>Welcome to %1 setup</h1> - <h1>%1 설치에 오신 것을 환영합니다</h1> + + The setup of %1 is complete. + @info + %1 설정이 완료되었습니다. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>깔라마레스 설치 관리자 %1에 오신 것을 환영합니다</h1> + + The installation of %1 is complete. + @info + %1 설치가 완료되었습니다. - - <h1>Welcome to the %1 installer</h1> - <h1>%1 설치 관리자에 오신 것을 환영합니다</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - 사용자 이름이 너무 깁니다. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1'은 사용자 이름으로 허용되지 않습니다. + + Set timezone to %1/%2 + @action + 표준시간대를 %1/%2로 설정합니다 - - Your username must start with a lowercase letter or underscore. - 사용자 이름은 소문자 또는 밑줄로 시작해야 합니다. + + The system language will be set to %1. + @info + 시스템 언어가 %1로 설정됩니다. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - 소문자, 숫자, 밑줄 및 하이픈만 허용됩니다. + + The numbers and dates locale will be set to %1. + @info + 숫자와 날짜 로케일이 %1로 설정됩니다. - - Your hostname is too short. - 호스트 이름이 너무 짧습니다. + + Network Installation. (Disabled: Incorrect configuration) + 네트워크 설치. (사용안함: 잘못된 환경설정) - - Your hostname is too long. - 호스트 이름이 너무 깁니다. + + Network Installation. (Disabled: Received invalid groups data) + 네트워크 설치. (불가: 유효하지 않은 그룹 데이터를 수신했습니다) - - '%1' is not allowed as hostname. - '%1'은 호스트 이름으로 허용되지 않습니다. + + Network Installation. (Disabled: Internal error) + 네트워크 설치. (비활성화됨: 내부 오류) - - Only letters, numbers, underscore and hyphen are allowed. - 문자, 숫자, 밑줄 및 하이픈만 허용됩니다. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + 네트워크 설치. (불가: 패키지 목록을 가져올 수 없습니다. 네트워크 연결을 확인해주세요) - - Your passwords do not match! - 암호가 일치하지 않습니다! + + Network Installation. (Disabled: No package list) + 네트워크 설치. (비활성화됨: 패키지 목록 없음) - - OK! - 확인! + + Package selection + 패키지 선택 @@ -1061,98 +1044,115 @@ The installer will quit and all changes will be lost. 없음 - - Summary - @label - 요약 + + Summary + @label + 요약 + + + + This is an overview of what will happen once you start the setup procedure. + 설정 절차를 시작하면 어떻게 되는지 간략히 설명합니다. + + + + This is an overview of what will happen once you start the install procedure. + 설치 절차를 시작하면 어떻게 되는지 간략히 설명합니다. + + + + Your username is too long. + 사용자 이름이 너무 깁니다. + + + + Your username must start with a lowercase letter or underscore. + 사용자 이름은 소문자 또는 밑줄로 시작해야 합니다. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + 소문자, 숫자, 밑줄 및 하이픈만 허용됩니다. + + + + '%1' is not allowed as username. + '%1'은 사용자 이름으로 허용되지 않습니다. - - This is an overview of what will happen once you start the setup procedure. - 설정 절차를 시작하면 어떻게 되는지 간략히 설명합니다. + + Your hostname is too short. + 호스트 이름이 너무 짧습니다. - - This is an overview of what will happen once you start the install procedure. - 설치 절차를 시작하면 어떻게 되는지 간략히 설명합니다. + + Your hostname is too long. + 호스트 이름이 너무 깁니다. - - Setup Failed - @title - 설정 실패 + + '%1' is not allowed as hostname. + '%1'은 호스트 이름으로 허용되지 않습니다. - - Installation Failed - @title - 설치 실패 + + Only letters, numbers, underscore and hyphen are allowed. + 문자, 숫자, 밑줄 및 하이픈만 허용됩니다. - - The setup of %1 did not complete successfully. - @info - %1 설정이 제대로 완료되지 않았습니다. + + Your passwords do not match! + 암호가 일치하지 않습니다! - - The installation of %1 did not complete successfully. - @info - %1 설치가 제대로 완료되지 않았습니다. + + OK! + 확인! - - Setup Complete - @title - 설정 완료 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + 이 컴퓨터는 %1 설정을 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다. - - Installation Complete - @title - 설치 완료 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다. <br/>설치를 계속할 수 없습니다. - - The setup of %1 is complete. - @info - %1 설정이 완료되었습니다. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수는 있지만 일부 기능을 사용하지 않도록 설정할 수도 있습니다. - - The installation of %1 is complete. - @info - %1 설치가 완료되었습니다. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수 있지만 일부 기능을 사용하지 않도록 설정할 수 있습니다. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + 이 프로그램은 몇 가지 질문을 하고 컴퓨터에 %2을 설정합니다. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1> 깔라마레스 설치 프로그램 %1에 오신 것을 환영합니다</h1> - - Set timezone to %1/%2 - @action - 표준시간대를 %1/%2로 설정합니다 + + <h1>Welcome to %1 setup</h1> + <h1>%1 설치에 오신 것을 환영합니다</h1> - - The system language will be set to %1. - @info - 시스템 언어가 %1로 설정됩니다. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>깔라마레스 설치 관리자 %1에 오신 것을 환영합니다</h1> - - The numbers and dates locale will be set to %1. - @info - 숫자와 날짜 로케일이 %1로 설정됩니다. + + <h1>Welcome to the %1 installer</h1> + <h1>%1 설치 관리자에 오신 것을 환영합니다</h1> @@ -1477,9 +1477,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - 이 장치는 <strong>%1</strong> 파티션 테이블을 갖고 있습니다. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>이 파티션 테이블 유형은 <strong>BIOS</strong> 부팅 환경에서 시작하는 이전 시스템에만 권장됩니다. GPT는 대부분의 다른 경우에 권장됩니다.<br><br><strong>경고 : </strong>MBR 파티션 테이블은 구식 MS-DOS 표준입니다.<br><em>기본</em> 파티션은 4개만 생성할 수 있으며, 이 4개 중 1개는 <em>확장</em> 파티션일 수 있으며, 이 파티션에는 여러 개의 <em>논리</em> 파티션이 포함될 수 있습니다. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br><strong>EFI</strong> 부팅 환경에서 시작하는 최신 시스템에 권장되는 파티션 테이블 유형입니다. @@ -1492,14 +1497,9 @@ The installer will quit and all changes will be lost. 이 설치 관리자는 선택한 저장 장치에서 <strong>파티션 테이블을 검색할 수 없습니다.</strong><br><br>장치에 파티션 테이블이 없거나 파티션 테이블이 손상되었거나 알 수 없는 유형입니다.<br>이 설치 관리자는 자동으로 또는 수동 파티션 페이지를 통해 새 파티션 테이블을 생성할 수 있습니다. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br><strong>EFI</strong> 부팅 환경에서 시작하는 최신 시스템에 권장되는 파티션 테이블 유형입니다. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>이 파티션 테이블 유형은 <strong>BIOS</strong> 부팅 환경에서 시작하는 이전 시스템에만 권장됩니다. GPT는 대부분의 다른 경우에 권장됩니다.<br><br><strong>경고 : </strong>MBR 파티션 테이블은 구식 MS-DOS 표준입니다.<br><em>기본</em> 파티션은 4개만 생성할 수 있으며, 이 4개 중 1개는 <em>확장</em> 파티션일 수 있으며, 이 파티션에는 여러 개의 <em>논리</em> 파티션이 포함될 수 있습니다. + + This device has a <strong>%1</strong> partition table. + 이 장치는 <strong>%1</strong> 파티션 테이블을 갖고 있습니다. @@ -2275,7 +2275,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit 종료 @@ -2449,6 +2449,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment 데스크탑 + + + Applications + 애플리케이션 + Communication @@ -2497,11 +2502,6 @@ The installer will quit and all changes will be lost. label for netinstall module 유틸리티 - - - Applications - 애플리케이션 - NotesQmlViewStep @@ -2674,11 +2674,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form 암호가 금지된 단어를 포함하고 있습니다 + + + The password contains fewer than %n digits + + 암호에 %n자 미만의 숫자가 포함되어 있습니다 + + The password contains too few digits 암호가 너무 적은 개수의 숫자들을 포함하고 있습니다 + + + The password contains fewer than %n uppercase letters + + 암호에 %n자 미만의 대문자가 포함되어 있습니 + + The password contains too few uppercase letters @@ -2696,45 +2710,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters 암호가 너무 적은 개수의 소문자를 포함하고 있습니다 - - - The password contains too few non-alphanumeric characters - 암호가 너무 적은 개수의 영숫자가 아닌 문자를 포함하고 있습니다 - - - - The password is too short - 암호가 너무 짧습니다 - - - - The password does not contain enough character classes - 암호에 문자 클래스가 충분하지 않습니다 - - - - The password contains too many same characters consecutively - 암호에 너무 많은 동일 문자가 연속해 있습니다 - - - - The password contains too many characters of the same class consecutively - 암호에 동일 문자 클래스가 너무 많이 연속해 있습니다. - - - - The password contains fewer than %n digits - - 암호에 %n자 미만의 숫자가 포함되어 있습니다 - - - - - The password contains fewer than %n uppercase letters - - 암호에 %n자 미만의 대문자가 포함되어 있습니 - - The password contains fewer than %n non-alphanumeric characters @@ -2742,6 +2717,11 @@ The installer will quit and all changes will be lost. 암호에 %n자 미만의 영숫자가 아닌 문자가 포함되어 있습니 + + + The password contains too few non-alphanumeric characters + 암호가 너무 적은 개수의 영숫자가 아닌 문자를 포함하고 있습니다 + The password is shorter than %n characters @@ -2749,6 +2729,11 @@ The installer will quit and all changes will be lost. 암호가 %n자보다 짧습니다 + + + The password is too short + 암호가 너무 짧습니다 + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ The installer will quit and all changes will be lost. 암호에 %n개 미만의 문자 클래스가 포함되어 있습니다 + + + The password does not contain enough character classes + 암호에 문자 클래스가 충분하지 않습니다 + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ The installer will quit and all changes will be lost. 암호에 연속적으로 %n자 이상의 동일한 문자가 있습니다 + + + The password contains too many same characters consecutively + 암호에 너무 많은 동일 문자가 연속해 있습니다 + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. 암호에 연속적으로 동일한 클래스의 %n자 이상이 포함되어 있습니다 + + + The password contains too many characters of the same class consecutively + 암호에 동일 문자 클래스가 너무 많이 연속해 있습니다. + The password contains monotonic sequence longer than %n characters @@ -3197,6 +3197,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + 파티션 + Unsafe partition actions are enabled. @@ -3213,35 +3225,27 @@ The installer will quit and all changes will be lost. 파티션 없음은 변경될 것입니다. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - EFI 시스템 파티션이 설정되지 않았습니다 - - - - EFI system partition configured incorrectly - EFI 시스템 파티션이 잘못 구성됨 + + Current: + @label + 현재: + + + + After: + @label + 이후: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1을(를) 시작하려면 EFI 시스템 파티션이 필요합니다.<br/><br/>EFI 시스템 파티션을 구성하려면 돌아가서 적절한 파일 시스템을 선택하거나 생성하십시오. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3252,6 +3256,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. 파일 시스템에는 FAT32 유형이 있어야 합니다. + + + The filesystem must have flag <strong>%1</strong> set. + 파일 시스템에 플래그 <strong>%1</strong> 세트가 있어야 합니다. + @@ -3259,38 +3268,29 @@ The installer will quit and all changes will be lost. 파일 시스템의 크기는 %1MiB 이상이어야 합니다. - - The filesystem must have flag <strong>%1</strong> set. - 파일 시스템에 플래그 <strong>%1</strong> 세트가 있어야 합니다. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - 파티션 + + You can continue without setting up an EFI system partition but your system may fail to start. + EFI 시스템 파티션을 설정하지 않고 계속할 수 있지만 시스템이 시작되지 않을 수 있습니다. - - Current: - @label - 현재: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - 이후: + + No EFI system partition configured + EFI 시스템 파티션이 설정되지 않았습니다 - - You can continue without setting up an EFI system partition but your system may fail to start. - EFI 시스템 파티션을 설정하지 않고 계속할 수 있지만 시스템이 시작되지 않을 수 있습니다. + + EFI system partition configured incorrectly + EFI 시스템 파티션이 잘못 구성됨 @@ -3387,14 +3387,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 명령으로부터 아무런 출력이 없습니다. - + Output: @@ -3403,52 +3403,52 @@ Output: - + External command crashed. 외부 명령이 실패했습니다. - + Command <i>%1</i> crashed. <i>%1</i> 명령이 실패했습니다. - + External command failed to start. 외부 명령을 시작하지 못했습니다. - + Command <i>%1</i> failed to start. <i>%1</i> 명령을 시작하지 못했습니다. - + Internal error when starting command. 명령을 시작하는 중에 내부 오류가 발생했습니다. - + Bad parameters for process job call. 프로세스 작업 호출에 대한 잘못된 매개 변수입니다. - + External command failed to finish. 외부 명령을 완료하지 못했습니다. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> 명령을 %2초 안에 완료하지 못했습니다. - + External command finished with errors. 외부 명령이 오류와 함께 완료되었습니다. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> 명령이 종료 코드 %2와 함께 완료되었습니다. @@ -3460,6 +3460,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + 알 수 없음 + + + + extended + @partition info + 확장됨 + + + + unformatted + @partition info + 포맷되지 않음 + + + + swap + @partition info + 스왑 + @@ -3491,30 +3515,6 @@ Output: (no mount point) (마운트 위치 없음) - - - unknown - @partition info - 알 수 없음 - - - - extended - @partition info - 확장됨 - - - - unformatted - @partition info - 포맷되지 않음 - - - - swap - @partition info - 스왑 - Unpartitioned space or unknown partition table @@ -3951,17 +3951,17 @@ Output: Cannot disable root account. root 계정을 비활성화 할 수 없습니다. - - - Cannot set password for user %1. - %1 사용자에 대한 암호를 설정할 수 없습니다. - usermod terminated with error code %1. usermod가 %1 오류 코드로 종료되었습니다 + + + Cannot set password for user %1. + %1 사용자에 대한 암호를 설정할 수 없습니다. + SetTimezoneJob @@ -4054,7 +4054,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4873,11 +4874,21 @@ Output: What is your name? 이름이 무엇인가요? + + + Your full name + + What name do you want to use to log in? 로그인할 때 사용할 이름은 무엇인가요? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4898,11 +4909,21 @@ Output: What is the name of this computer? 이 컴퓨터의 이름은 무엇인가요? + + + Computer name + + This name will be used if you make the computer visible to others on a network. 이 이름은 네트워크의 다른 사용자가 이 컴퓨터를 볼 수 있게 하는 경우에 사용됩니다. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + 문자, 숫자, 밑줄 및 하이픈만 허용되며, 최소 2자 이상이어야 합니다. + localhost is not allowed as hostname. @@ -4918,11 +4939,31 @@ Output: Password 비밀번호 + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 입력 오류를 확인할 수 있도록 동일한 암호를 두 번 입력합니다. 올바른 암호에는 문자, 숫자 및 구두점이 혼합되어 있으며 길이는 8자 이상이어야 하며 정기적으로 변경해야 합니다. + + + Reuse user password as root password + 사용자 암호를 루트 암호로 재사용합니다 + + + + Use the same password for the administrator account. + 관리자 계정에 대해 같은 암호를 사용합니다. + + + + Choose a root password to keep your account safe. + 당신의 계정을 안전하게 보호하기 위해서 루트 암호를 선택하세요. + Root password @@ -4934,14 +4975,9 @@ Output: - - Validate passwords quality - 암호 품질 검증 - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - 이 확인란을 선택하면 비밀번호 강도 검사가 수행되며 불충분한 비밀번호를 사용할 수 없습니다. + + Enter the same password twice, so that it can be checked for typing errors. + 입력 오류를 확인하기 위해서 동일한 암호를 두번 입력해주세요. @@ -4949,49 +4985,14 @@ Output: 암호를 묻지 않고 자동으로 로그인합니다 - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - 문자, 숫자, 밑줄 및 하이픈만 허용되며, 최소 2자 이상이어야 합니다. - - - - Repeat password - - - - - Reuse user password as root password - 사용자 암호를 루트 암호로 재사용합니다 - - - - Use the same password for the administrator account. - 관리자 계정에 대해 같은 암호를 사용합니다. - - - - Choose a root password to keep your account safe. - 당신의 계정을 안전하게 보호하기 위해서 루트 암호를 선택하세요. + + Validate passwords quality + 암호 품질 검증 - - Enter the same password twice, so that it can be checked for typing errors. - 입력 오류를 확인하기 위해서 동일한 암호를 두번 입력해주세요. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + 이 확인란을 선택하면 비밀번호 강도 검사가 수행되며 불충분한 비밀번호를 사용할 수 없습니다. @@ -5006,11 +5007,21 @@ Output: What is your name? 이름이 무엇인가요? + + + Your full name + + What name do you want to use to log in? 로그인할 때 사용할 이름은 무엇인가요? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5031,16 +5042,6 @@ Output: What is the name of this computer? 이 컴퓨터의 이름은 무엇인가요? - - - Your full name - - - - - Login name - - Computer name @@ -5076,16 +5077,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5106,6 +5097,16 @@ Output: Choose a root password to keep your account safe. 당신의 계정을 안전하게 보호하기 위해서 루트 암호를 선택하세요. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_lo.ts b/lang/calamares_lo.ts index 54b9dfdef6..218813f8ec 100644 --- a/lang/calamares_lo.ts +++ b/lang/calamares_lo.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ - + Setup Failed @title @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -589,25 +589,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -664,16 +664,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -701,6 +691,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -822,6 +817,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -832,44 +832,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -905,247 +905,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1471,8 +1471,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1486,13 +1491,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2269,7 +2269,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2439,6 +2439,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2487,11 +2492,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2664,11 +2664,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2686,45 +2700,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2732,6 +2707,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2739,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2751,6 +2736,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2758,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2765,6 +2760,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3188,48 +3188,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,43 +3247,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3377,65 +3377,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3447,6 +3447,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3478,30 +3502,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3935,17 +3935,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4038,7 +4038,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4825,11 +4826,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4850,11 +4861,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4871,78 +4892,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4958,11 +4959,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4983,16 +4994,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5028,16 +5029,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5058,6 +5049,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_lt.ts b/lang/calamares_lt.ts index 22cf7fa73d..0bebfb7ca0 100644 --- a/lang/calamares_lt.ts +++ b/lang/calamares_lt.ts @@ -125,31 +125,21 @@ Interface: Sąsaja: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Užstrigdina Calamares, kad Dr. Konqi galėtų pažiūrėti, kas nutiko. + Reloads the stylesheet from the branding directory. Iš naujo įkelia stilių aprašą iš prekių ženklo katalogo. - - - Uploads the session log to the configured pastebin. - Išsiunčia seanso žurnalą į sukonfigūruotą įdėjimų dėklą. - - - - Send Session Log - Siųsti seanso žurnalą - Reload Stylesheet Iš naujo įkelti stilių aprašą - - - Crashes Calamares, so that Dr. Konqi can look at it. - Užstrigdina Calamares, kad Dr. Konqi galėtų pažiūrėti, kas nutiko. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Valdiklių medis + + + Uploads the session log to the configured pastebin. + Išsiunčia seanso žurnalą į sukonfigūruotą įdėjimų dėklą. + + + + Send Session Log + Siųsti seanso žurnalą + Debug Information @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Įkėlimas buvo nesėkmingas. Nebuvo atlikta jokio įdėjimo į saityną. + + + + Install log posted to + +%1 + +Link copied to clipboard + Diegimo žurnalas paskelbtas į + +%1 + +Nuoroda nukopijuota į iškarpinę + + + + Install Log Paste URL + Diegimo žurnalo įdėjimo URL + &Yes @@ -411,7 +434,7 @@ &Užverti - + Setup Failed @title Sąranka patyrė nesėkmę @@ -441,13 +464,13 @@ Nepavyksta įdiegti %1. Calamares nepavyko įkelti visų sukonfigūruotų modulių. Tai yra problema, susijusi su tuo, kaip distribucija naudoja diegimo programą Calamares. - + <br/>The following modules could not be loaded: @info <br/>Nepavyko įkelti šių modulių: - + Continue with Setup? @title Tęsti sąranką? @@ -465,133 +488,110 @@ %1 sąrankos programa, siekdama nustatyti %2, ketina atlikti pakeitimus diske.<br/><strong>Šių pakeitimų nebegalėsite atšaukti.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 diegimo programa, siekdama įdiegti %2, ketina atlikti pakeitimus diske.<br/><strong>Šių pakeitimų nebegalėsite atšaukti.</strong> - + &Set Up Now @button Nu&statyti dabar - + &Install Now @button Į&diegti dabar - + Go &Back @button &Grįžti - + &Set Up @button Nu&statyti - + &Install @button Į&diegti - + Setup is complete. Close the setup program. @tooltip Sąranka užbaigta. Užverkite sąrankos programą. - + The installation is complete. Close the installer. @tooltip Diegimas užbaigtas. Užverkite diegimo programą. - + Cancel the setup process without changing the system. @tooltip Atsisakyti sąrankos proceso, nieko sistemoje nekeičiant. - + Cancel the installation process without changing the system. @tooltip Atsisakyti diegimo proceso, nieko sistemoje nekeičiant. - + &Next @button &Toliau - + &Back @button &Atgal - + &Done @button A&tlikta - + &Cancel @button A&tsisakyti - + Cancel Setup? @title Atsisakyti sąrankos? - + Cancel Installation? @title Atsisakyti diegimo? - - Install Log Paste URL - Diegimo žurnalo įdėjimo URL - - - - The upload was unsuccessful. No web-paste was done. - Įkėlimas buvo nesėkmingas. Nebuvo atlikta jokio įdėjimo į saityną. - - - - Install log posted to - -%1 - -Link copied to clipboard - Diegimo žurnalas paskelbtas į - -%1 - -Nuoroda nukopijuota į iškarpinę - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Ar tikrai norite atsisakyti dabartinio sąrankos proceso? Sąrankos programa užbaigs darbą ir visi pakeitimai bus prarasti. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ar tikrai norite atsisakyti dabartinio diegimo proceso? @@ -601,25 +601,25 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CalamaresPython::Helper - + Unknown exception type @error Nežinomas išimties tipas - + Unparseable Python error @error Neišnagrinėjama Python klaida - + Unparseable Python traceback @error Neišnagrinėjamas Python atsekimas - + Unfetchable Python error @error Neišgaunama Python klaida @@ -676,16 +676,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Rankinis skaidymas</strong><br/>Galite patys kurti ar keisti skaidinių dydžius. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Pasirinkite, kurį skaidinį sumažinti, o tuomet vilkite juostą, kad pakeistumėte skaidinio dydį</strong> - Select storage de&vice: @@ -711,7 +701,12 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Reuse %1 as home partition for %2 @label - Pakartotinai naudoti %1 kaip namų skaidinį, skirtą %2. {1 ?} {2?} + Pakartotinai naudoti %1 kaip namų skaidinį, skirtą %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Pasirinkite, kurį skaidinį sumažinti, o tuomet vilkite juostą, kad pakeistumėte skaidinio dydį</strong> @@ -834,6 +829,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. @label Sukeitimų failas + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Rankinis skaidymas</strong><br/>Galite patys kurti ar keisti skaidinių dydžius. + Bootloader location: @@ -844,44 +844,44 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ClearMountsJob - + Successfully unmounted %1. %1 sėkmingai atjungtas. - + Successfully disabled swap %1. Sukeitimų sritis %1 sėkmingai išjungta. - + Successfully cleared swap %1. Sukeitimų sritis %1 sėkmingai išvalyta. - + Successfully closed mapper device %1. Atvaizdavimo įrenginys %1 sėkmingai užvertas. - + Successfully disabled volume group %1. Tomų grupė %1 sėkmingai išjungta. - + Clear mounts for partitioning operations on %1 @title Išvalyti prijungimus, siekiant atlikti skaidymo operacijas skaidiniuose %1 - + Clearing mounts for partitioning operations on %1… @status - Išvalomi prijungimai, siekiant atlikti skaidymo operacijas skaidiniuose %1. {1…?} + Išvalomi prijungimai, siekiant atlikti skaidymo operacijas skaidiniuose %1… - + Cleared all mounts for %1 Visi %1 prijungimai išvalyti @@ -917,129 +917,112 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Config - - Network Installation. (Disabled: Incorrect configuration) - Tinklo diegimas. (Išjungtas: Neteisinga konfigūracija) - - - - Network Installation. (Disabled: Received invalid groups data) - Tinklo diegimas. (Išjungtas: Gauti neteisingi grupių duomenys) - - - - Network Installation. (Disabled: Internal error) - Tinklo diegimas. (Išjungtas: Vidinė klaida) - - - - Network Installation. (Disabled: No package list) - Tinklo diegimas. (Išjungtas: Nėra paketų sąrašo) - - - - Package selection - Paketų pasirinkimas - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Tinklo diegimas. (Išjungta: Nepavyksta gauti paketų sąrašus, patikrinkite savo tinklo ryšį) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Šis kompiuteris netenkina minimalių %1 sąrankos reikalavimų.<br/>Sąranka negali būti tęsiama. + + Setup Failed + @title + Sąranka patyrė nesėkmę - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Šis kompiuteris netenkina minimalių %1 diegimo reikalavimų.<br/>Diegimas negali būti tęsiamas. + + Installation Failed + @title + Diegimas nepavyko - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Šis kompiuteris netenkina kai kurių %1 nustatymui rekomenduojamų reikalavimų.<br/>Sąranką galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. + + The setup of %1 did not complete successfully. + @info + %1 sąranka nebuvo užbaigta sėkmingai. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Šis kompiuteris netenkina kai kurių %1 diegimui rekomenduojamų reikalavimų.<br/>Diegimą galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. + + The installation of %1 did not complete successfully. + @info + %1 nebuvo užbaigtas sėkmingai. - - This program will ask you some questions and set up %2 on your computer. - Programa užduos kelis klausimus ir padės įsidiegti %2. + + Setup Complete + @title + Sąranka užbaigta - - <h1>Welcome to the Calamares setup program for %1</h1> - </h1>Jus sveikina Calamares sąrankos programa, skirta %1 sistemai.</h1> + + Installation Complete + @title + Diegimas užbaigtas - - <h1>Welcome to %1 setup</h1> - <h1>Jus sveikina %1 sąranka</h1> + + The setup of %1 is complete. + @info + %1 sąranka yra užbaigta. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Jus sveikina Calamares diegimo programa, skirta %1 sistemai</h1> + + The installation of %1 is complete. + @info + %1 diegimas yra užbaigtas. - - <h1>Welcome to the %1 installer</h1> - <h1>Jus sveikina %1 diegimo programa</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Klaviatūros modelis nustatytas į %1<br/>. - - Your username is too long. - Jūsų naudotojo vardas yra pernelyg ilgas. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Klaviatūros išdėstymas nustatytas į %1/%2. - - '%1' is not allowed as username. - „%1“ neleidžiama naudoti kaip naudotojo vardą. + + Set timezone to %1/%2 + @action + Nustatyti laiko juostą kaip %1/%2 - - Your username must start with a lowercase letter or underscore. - Jūsų naudotojo vardas privalo prasidėti mažąja raide arba pabraukimo brūkšniu. + + The system language will be set to %1. + @info + Sistemos kalba bus nustatyta į %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Yra leidžiamos tik mažosios raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai. + + The numbers and dates locale will be set to %1. + @info + Skaičių ir datų lokalė bus nustatyta į %1. - - Your hostname is too short. - Jūsų kompiuterio vardas yra pernelyg trumpas. + + Network Installation. (Disabled: Incorrect configuration) + Tinklo diegimas. (Išjungtas: Neteisinga konfigūracija) - - Your hostname is too long. - Jūsų kompiuterio vardas yra pernelyg ilgas. + + Network Installation. (Disabled: Received invalid groups data) + Tinklo diegimas. (Išjungtas: Gauti neteisingi grupių duomenys) - - '%1' is not allowed as hostname. - „%1“ neleidžiama naudoti kaip kompiuterio vardą. + + Network Installation. (Disabled: Internal error) + Tinklo diegimas. (Išjungtas: Vidinė klaida) - - Only letters, numbers, underscore and hyphen are allowed. - Yra leidžiamos tik raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Tinklo diegimas. (Išjungta: Nepavyksta gauti paketų sąrašus, patikrinkite savo tinklo ryšį) - - Your passwords do not match! - Jūsų slaptažodžiai nesutampa! + + Network Installation. (Disabled: No package list) + Tinklo diegimas. (Išjungtas: Nėra paketų sąrašo) - - OK! - Gerai! + + Package selection + Paketų pasirinkimas @@ -1073,92 +1056,109 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Suvestinė - - This is an overview of what will happen once you start the setup procedure. - Tai yra apžvalga to, kas įvyks, prasidėjus sąrankos procedūrai. + + This is an overview of what will happen once you start the setup procedure. + Tai yra apžvalga to, kas įvyks, prasidėjus sąrankos procedūrai. + + + + This is an overview of what will happen once you start the install procedure. + Tai yra apžvalga to, kas įvyks, prasidėjus diegimo procedūrai. + + + + Your username is too long. + Jūsų naudotojo vardas yra pernelyg ilgas. + + + + Your username must start with a lowercase letter or underscore. + Jūsų naudotojo vardas privalo prasidėti mažąja raide arba pabraukimo brūkšniu. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Yra leidžiamos tik mažosios raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai. + + + + '%1' is not allowed as username. + „%1“ neleidžiama naudoti kaip naudotojo vardą. + + + + Your hostname is too short. + Jūsų kompiuterio vardas yra pernelyg trumpas. - - This is an overview of what will happen once you start the install procedure. - Tai yra apžvalga to, kas įvyks, prasidėjus diegimo procedūrai. + + Your hostname is too long. + Jūsų kompiuterio vardas yra pernelyg ilgas. - - Setup Failed - @title - Sąranka patyrė nesėkmę + + '%1' is not allowed as hostname. + „%1“ neleidžiama naudoti kaip kompiuterio vardą. - - Installation Failed - @title - Diegimas nepavyko + + Only letters, numbers, underscore and hyphen are allowed. + Yra leidžiamos tik raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai. - - The setup of %1 did not complete successfully. - @info - %1 sąranka nebuvo užbaigta sėkmingai. + + Your passwords do not match! + Jūsų slaptažodžiai nesutampa! - - The installation of %1 did not complete successfully. - @info - %1 nebuvo užbaigtas sėkmingai. + + OK! + Gerai! - - Setup Complete - @title - Sąranka užbaigta + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Šis kompiuteris netenkina minimalių %1 sąrankos reikalavimų.<br/>Sąranka negali būti tęsiama. - - Installation Complete - @title - Diegimas užbaigtas + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Šis kompiuteris netenkina minimalių %1 diegimo reikalavimų.<br/>Diegimas negali būti tęsiamas. - - The setup of %1 is complete. - @info - %1 sąranka yra užbaigta. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Šis kompiuteris netenkina kai kurių %1 nustatymui rekomenduojamų reikalavimų.<br/>Sąranką galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - - The installation of %1 is complete. - @info - %1 diegimas yra užbaigtas. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Šis kompiuteris netenkina kai kurių %1 diegimui rekomenduojamų reikalavimų.<br/>Diegimą galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Klaviatūros modelis nustatytas į %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Programa užduos kelis klausimus ir padės įsidiegti %2. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Klaviatūros išdėstymas nustatytas į %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + </h1>Jus sveikina Calamares sąrankos programa, skirta %1 sistemai.</h1> - - Set timezone to %1/%2 - @action - Nustatyti laiko juostą kaip %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Jus sveikina %1 sąranka</h1> - - The system language will be set to %1. - @info - Sistemos kalba bus nustatyta į %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Jus sveikina Calamares diegimo programa, skirta %1 sistemai</h1> - - The numbers and dates locale will be set to %1. - @info - Skaičių ir datų lokalė bus nustatyta į %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Jus sveikina %1 diegimo programa</h1> @@ -1275,7 +1275,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Create new %1MiB partition on %3 (%2) with entries %4 @title - Sukurti naują %1MiB skaidinį ties %3 (%2) su įrašais %4. {1M?} {3 ?} {2)?} {4?} + Sukurti naują %1MiB skaidinį ties %3 (%2) su įrašais %4 @@ -1312,7 +1312,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Creating new %1 partition on %2… @status - Kuriamas naujas %1 skaidinys ties %2. {1 ?} {2…?} + Kuriamas naujas %1 skaidinys ties %2… @@ -1356,7 +1356,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Creating new %1 partition table on %2… @status - Kuriama nauja %1 skaidinių lentelė ties %2. {1 ?} {2…?} + Kuriama nauja %1 skaidinių lentelė ties %2… @@ -1424,7 +1424,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Creating new volume group named %1… @status - Kuriama nauja tomų grupė, pavadinimu %1. {1…?} + Kuriama nauja tomų grupė, pavadinimu %1… @@ -1466,7 +1466,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Deleting partition %1… @status - Ištrinamas skaidinys %1. {1…?} + Ištrinamas skaidinys %1… @@ -1483,9 +1483,14 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Šiame įrenginyje yra <strong>%1</strong> skaidinių lentelė. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Šį skaidinių lentelės tipą yra patartina naudoti tik senesnėse sistemose, kurios yra paleidžiamos iš <strong>BIOS</strong> paleidimo aplinkos. Visais kitais atvejais yra rekomenduojamas GPT tipas.<br><strong>Įspėjimas:</strong> MBR skaidinių lentelė yra pasenusio MS-DOS eros standarto.<br>Gali būti kuriami tik 4 <em>pirminiai</em> skaidiniai, o iš tų 4, vienas gali būti <em>išplėstas</em> skaidinys, kuriame savo ruožtu gali būti daug <em>loginių</em> skaidinių. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Tai yra rekomenduojamas skaidinių lentelės tipas, skirtas šiuolaikinėms sistemoms, kurios yra paleidžiamos iš <strong>EFI</strong> paleidimo aplinkos. @@ -1498,14 +1503,9 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Šiai diegimo programai, pasirinktame atminties įrenginyje, <strong>nepavyko aptikti skaidinių lentelės</strong>.<br><br>Arba įrenginyje nėra skaidinių lentelės, arba ji yra pažeista, arba nežinomo tipo.<br>Ši diegimo programa gali jums sukurti skaidinių lentelę automatiškai arba per rankinio skaidymo puslapį. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Tai yra rekomenduojamas skaidinių lentelės tipas, skirtas šiuolaikinėms sistemoms, kurios yra paleidžiamos iš <strong>EFI</strong> paleidimo aplinkos. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Šį skaidinių lentelės tipą yra patartina naudoti tik senesnėse sistemose, kurios yra paleidžiamos iš <strong>BIOS</strong> paleidimo aplinkos. Visais kitais atvejais yra rekomenduojamas GPT tipas.<br><strong>Įspėjimas:</strong> MBR skaidinių lentelė yra pasenusio MS-DOS eros standarto.<br>Gali būti kuriami tik 4 <em>pirminiai</em> skaidiniai, o iš tų 4, vienas gali būti <em>išplėstas</em> skaidinys, kuriame savo ruožtu gali būti daug <em>loginių</em> skaidinių. + + This device has a <strong>%1</strong> partition table. + Šiame įrenginyje yra <strong>%1</strong> skaidinių lentelė. @@ -1710,7 +1710,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong>%3. {2 ?} {1<?} {3?} + Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong>%3 @@ -1734,7 +1734,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} + Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong>%4… @@ -1817,7 +1817,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Formatuoti skaidinį %1 (failų sistema: %2, dydis: %3 MiB) diske %4. {1 ?} {2,?} {3 ?} {4?} + Formatuoti skaidinį %1 (failų sistema: %2, dydis: %3 MiB) diske %4 @@ -1835,7 +1835,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Formatting partition %1 with file system %2… @status - Formatuojamas skaidinys %1 su %2 failų sistema. {1 ?} {2…?} + Formatuojamas skaidinys %1 su %2 failų sistema… @@ -2281,7 +2281,7 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. LocaleTests - + Quit Išeiti @@ -2455,6 +2455,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. label for netinstall module, choose desktop environment Darbalaukis + + + Applications + Programos + Communication @@ -2503,11 +2508,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. label for netinstall module Paslaugų programos - - - Applications - Programos - NotesQmlViewStep @@ -2680,11 +2680,31 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. The password contains forbidden words in some form Slaptažodyje tam tikra forma yra uždrausti žodžiai + + + The password contains fewer than %n digits + + Slaptažodyje yra mažiau nei %n skaitmuo + Slaptažodyje yra mažiau nei %n skaitmenys + Slaptažodyje yra mažiau nei %n skaitmenų + Slaptažodyje yra mažiau nei %n skaitmuo + + The password contains too few digits Slaptažodyje yra per mažai skaitmenų + + + The password contains fewer than %n uppercase letters + + Slaptažodyje yra mažiau nei %n didžioji raidė + Slaptažodyje yra mažiau nei %n didžiosios raidės + Slaptažodyje yra mažiau nei %n didžiųjų raidžių + Slaptažodyje yra mažiau nei %n didžioji raidė + + The password contains too few uppercase letters @@ -2705,51 +2725,6 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. The password contains too few lowercase letters Slaptažodyje yra per mažai mažųjų raidžių - - - The password contains too few non-alphanumeric characters - Slaptažodyje yra per mažai neraidinių ir neskaitinių simbolių - - - - The password is too short - Slaptažodis yra per trumpas - - - - The password does not contain enough character classes - Slaptažodyje nėra pakankamai simbolių klasių - - - - The password contains too many same characters consecutively - Slaptažodyje yra per daug tokių pačių simbolių iš eilės - - - - The password contains too many characters of the same class consecutively - Slaptažodyje yra per daug tos pačios klasės simbolių iš eilės - - - - The password contains fewer than %n digits - - Slaptažodyje yra mažiau nei %n skaitmuo - Slaptažodyje yra mažiau nei %n skaitmenys - Slaptažodyje yra mažiau nei %n skaitmenų - Slaptažodyje yra mažiau nei %n skaitmuo - - - - - The password contains fewer than %n uppercase letters - - Slaptažodyje yra mažiau nei %n didžioji raidė - Slaptažodyje yra mažiau nei %n didžiosios raidės - Slaptažodyje yra mažiau nei %n didžiųjų raidžių - Slaptažodyje yra mažiau nei %n didžioji raidė - - The password contains fewer than %n non-alphanumeric characters @@ -2760,6 +2735,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Slaptažodyje yra mažiau nei %n neraidinis ir neskaitinis simbolis + + + The password contains too few non-alphanumeric characters + Slaptažodyje yra per mažai neraidinių ir neskaitinių simbolių + The password is shorter than %n characters @@ -2770,6 +2750,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Slaptažodyje yra mažiau nei %n simbolis + + + The password is too short + Slaptažodis yra per trumpas + The password is a rotated version of the previous one @@ -2785,6 +2770,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Slaptažodyje yra mažiau nei %n simbolių klasė + + + The password does not contain enough character classes + Slaptažodyje nėra pakankamai simbolių klasių + The password contains more than %n same characters consecutively @@ -2795,6 +2785,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Slaptažodyje yra daugiau nei %n toks pats simbolis iš eilės + + + The password contains too many same characters consecutively + Slaptažodyje yra per daug tokių pačių simbolių iš eilės + The password contains more than %n characters of the same class consecutively @@ -2805,6 +2800,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Slaptažodyje yra daugiau nei %n tos pačios klasės simbolis iš eilės + + + The password contains too many characters of the same class consecutively + Slaptažodyje yra per daug tos pačios klasės simbolių iš eilės + The password contains monotonic sequence longer than %n characters @@ -3230,6 +3230,18 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. PartitionViewStep + + + Gathering system information… + @status + Renkama informacija apie sistemą… + + + + Partitions + @label + Skaidiniai + Unsafe partition actions are enabled. @@ -3246,35 +3258,27 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Nebus pakeisti jokie skaidiniai. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - %1 paleidimui yra reikalingas EFI sistemos skaidinys.<br/><br/>EFI sistemos skaidinys neatitinka rekomendacijų. Rekomenduojama grįžti ir pasirinkti arba sukurti tinkamą failų sistemą. - - - - The minimum recommended size for the filesystem is %1 MiB. - Minimalus rekomenduojamas dydis šiai failų sistemai yra %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Galite tęsti su šia EFI sistemos skaidinio konfigūracija, bet jūsų sistema gali nepasileisti. - - - - No EFI system partition configured - Nėra sukonfigūruoto EFI sistemos skaidinio + + Current: + @label + Dabartinis: - - EFI system partition configured incorrectly - Neteisingai sukonfigūruotas EFI sistemos skaidinys + + After: + @label + Po: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1 paleidimui yra reikalingas EFI sistemos skaidinys.<br/><br/>Norėdami konfigūruoti EFI sistemos skaidinį, grįžkite atgal ir pasirinkite arba sukurkite tinkamą failų sistemą. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + %1 paleidimui yra reikalingas EFI sistemos skaidinys.<br/><br/>EFI sistemos skaidinys neatitinka rekomendacijų. Rekomenduojama grįžti ir pasirinkti arba sukurti tinkamą failų sistemą. + The filesystem must be mounted on <strong>%1</strong>. @@ -3285,6 +3289,11 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. The filesystem must have type FAT32. Failų sistema privalo būti FAT32 tipo. + + + The filesystem must have flag <strong>%1</strong> set. + Failų sistema privalo turėti nustatytą <strong>%1</strong> vėliavėlę. + @@ -3292,38 +3301,29 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Failų sistema privalo būti bent %1 MiB dydžio. - - The filesystem must have flag <strong>%1</strong> set. - Failų sistema privalo turėti nustatytą <strong>%1</strong> vėliavėlę. - - - - Gathering system information… - @status - Renkama informacija apie sistemą… + + The minimum recommended size for the filesystem is %1 MiB. + Minimalus rekomenduojamas dydis šiai failų sistemai yra %1 MiB. - - Partitions - @label - Skaidiniai + + You can continue without setting up an EFI system partition but your system may fail to start. + Galite tęsti nenustatę EFI sistemos skaidinio, bet jūsų sistema gali nepasileisti. - - Current: - @label - Dabartinis: + + You can continue with this EFI system partition configuration but your system may fail to start. + Galite tęsti su šia EFI sistemos skaidinio konfigūracija, bet jūsų sistema gali nepasileisti. - - After: - @label - Po: + + No EFI system partition configured + Nėra sukonfigūruoto EFI sistemos skaidinio - - You can continue without setting up an EFI system partition but your system may fail to start. - Galite tęsti nenustatę EFI sistemos skaidinio, bet jūsų sistema gali nepasileisti. + + EFI system partition configured incorrectly + Neteisingai sukonfigūruotas EFI sistemos skaidinys @@ -3420,14 +3420,14 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ProcessResult - + There was no output from the command. Nebuvo jokios išvesties iš komandos. - + Output: @@ -3436,52 +3436,52 @@ Išvestis: - + External command crashed. Išorinė komanda užstrigo. - + Command <i>%1</i> crashed. Komanda <i>%1</i> užstrigo. - + External command failed to start. Nepavyko paleisti išorinės komandos. - + Command <i>%1</i> failed to start. Nepavyko paleisti komandos <i>%1</i>. - + Internal error when starting command. Paleidžiant komandą, įvyko vidinė klaida. - + Bad parameters for process job call. Blogi parametrai proceso užduoties iškvietai. - + External command failed to finish. Nepavyko pabaigti išorinės komandos. - + Command <i>%1</i> failed to finish in %2 seconds. Nepavyko per %2 sek. pabaigti komandos <i>%1</i>. - + External command finished with errors. Išorinė komanda pabaigta su klaidomis. - + Command <i>%1</i> finished with exit code %2. Komanda <i>%1</i> pabaigta su išėjimo kodu %2. @@ -3493,6 +3493,30 @@ Išvestis: %1 (%2) %1 (%2) + + + unknown + @partition info + nežinoma + + + + extended + @partition info + išplėsta + + + + unformatted + @partition info + nesutvarkyta + + + + swap + @partition info + sukeitimų (swap) + @@ -3524,30 +3548,6 @@ Išvestis: (no mount point) (nėra prijungimo taško) - - - unknown - @partition info - nežinoma - - - - extended - @partition info - išplėsta - - - - unformatted - @partition info - nesutvarkyta - - - - swap - @partition info - sukeitimų (swap) - Unpartitioned space or unknown partition table @@ -3739,7 +3739,7 @@ Išvestis: Resize volume group named %1 from %2 to %3 @title - Keisti tomų grupės, pavadinimu %1, dydį iš %2 į %3. {1 ?} {2 ?} {3?} + Keisti tomų grupės, pavadinimu %1, dydį iš %2 į %3 @@ -3798,7 +3798,7 @@ Išvestis: Setting hostname %1… @status - Nustatomas kompiuterio vardas %1. {1…?} + Nustatomas kompiuterio vardas %1… @@ -3967,7 +3967,7 @@ Išvestis: Setting password for user %1… @status - Nustatomas slaptažodis naudotojui %1. {1…?} + Nustatomas slaptažodis naudotojui %1… @@ -3984,17 +3984,17 @@ Išvestis: Cannot disable root account. Nepavyksta išjungti pagrindinio naudotojo (root) paskyros. - - - Cannot set password for user %1. - Nepavyko nustatyti slaptažodžio naudotojui %1. - usermod terminated with error code %1. komanda usermod nutraukė darbą dėl klaidos kodo %1. + + + Cannot set password for user %1. + Nepavyko nustatyti slaptažodžio naudotojui %1. + SetTimezoneJob @@ -4087,7 +4087,8 @@ Išvestis: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4906,11 +4907,21 @@ Išvestis: What is your name? Koks jūsų vardas? + + + Your full name + Jūsų vardas + What name do you want to use to log in? Kokį vardą norite naudoti prisijungimui? + + + Login name + Prisijungimo vardas + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4931,11 +4942,21 @@ Išvestis: What is the name of this computer? Koks šio kompiuterio vardas? + + + Computer name + Kompiuterio vardas + This name will be used if you make the computer visible to others on a network. Šis vardas bus naudojamas, jeigu padarysite savo kompiuterį matomą kitiems naudotojams tinkle. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Yra leidžiamos tik raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai, mažiausiai du simboliai. + localhost is not allowed as hostname. @@ -4951,11 +4972,31 @@ Išvestis: Password Slaptažodis + + + Repeat password + Pakartokite slaptažodį + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Norint įsitikinti, kad rašydami slaptažodį nesuklydote, įrašykite tą patį slaptažodį du kartus. Stiprus slaptažodis yra raidžių, skaitmenų ir punktuacijos ženklų mišinys, jis turi būti mažiausiai aštuonių simbolių, be to, turėtų būti reguliariai keičiamas. + + + Reuse user password as root password + Naudotojo slaptažodį naudoti pakartotinai kaip pagrindinio naudotojo (root) slaptažodį + + + + Use the same password for the administrator account. + Naudoti tokį patį slaptažodį administratoriaus paskyrai. + + + + Choose a root password to keep your account safe. + Pasirinkite pagrindinio naudotojo (root) slaptažodį, kad apsaugotumėte savo paskyrą. + Root password @@ -4967,14 +5008,9 @@ Išvestis: Pakartokite pagrindinio naudotojo (root) slaptažodį - - Validate passwords quality - Tikrinti slaptažodžių kokybę - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Pažymėjus šį langelį, bus atliekamas slaptažodžio stiprumo tikrinimas ir negalėsite naudoti silpną slaptažodį. + + Enter the same password twice, so that it can be checked for typing errors. + Norint įsitikinti, kad rašydami slaptažodį nesuklydote, įrašykite tą patį slaptažodį du kartus. @@ -4982,49 +5018,14 @@ Išvestis: Prisijungti automatiškai, neklausiant slaptažodžio - - Your full name - Jūsų vardas - - - - Login name - Prisijungimo vardas - - - - Computer name - Kompiuterio vardas - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Yra leidžiamos tik raidės, skaitmenys, pabraukimo brūkšniai ir brūkšneliai, mažiausiai du simboliai. - - - - Repeat password - Pakartokite slaptažodį - - - - Reuse user password as root password - Naudotojo slaptažodį naudoti pakartotinai kaip pagrindinio naudotojo (root) slaptažodį - - - - Use the same password for the administrator account. - Naudoti tokį patį slaptažodį administratoriaus paskyrai. - - - - Choose a root password to keep your account safe. - Pasirinkite pagrindinio naudotojo (root) slaptažodį, kad apsaugotumėte savo paskyrą. + + Validate passwords quality + Tikrinti slaptažodžių kokybę - - Enter the same password twice, so that it can be checked for typing errors. - Norint įsitikinti, kad rašydami slaptažodį nesuklydote, įrašykite tą patį slaptažodį du kartus. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Pažymėjus šį langelį, bus atliekamas slaptažodžio stiprumo tikrinimas ir negalėsite naudoti silpną slaptažodį. @@ -5039,11 +5040,21 @@ Išvestis: What is your name? Koks jūsų vardas? + + + Your full name + Jūsų vardas + What name do you want to use to log in? Kokį vardą norite naudoti prisijungimui? + + + Login name + Prisijungimo vardas + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5064,16 +5075,6 @@ Išvestis: What is the name of this computer? Koks šio kompiuterio vardas? - - - Your full name - Jūsų vardas - - - - Login name - Prisijungimo vardas - Computer name @@ -5109,16 +5110,6 @@ Išvestis: Repeat password Pakartokite slaptažodį - - - Root password - Pagrindinio naudotojo (Root) slaptažodis - - - - Repeat root password - Pakartokite pagrindinio naudotojo (root) slaptažodį - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5139,6 +5130,16 @@ Išvestis: Choose a root password to keep your account safe. Pasirinkite pagrindinio naudotojo (root) slaptažodį, kad apsaugotumėte savo paskyrą. + + + Root password + Pagrindinio naudotojo (Root) slaptažodis + + + + Repeat root password + Pakartokite pagrindinio naudotojo (root) slaptažodį + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_lv.ts b/lang/calamares_lv.ts index 9f4325ffc5..1f1639dc2c 100644 --- a/lang/calamares_lv.ts +++ b/lang/calamares_lv.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ - + Setup Failed @title @@ -439,13 +458,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -909,247 +909,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1475,8 +1475,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1490,13 +1495,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,19 +2668,9 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2688,53 +2678,38 @@ The installer will quit and all changes will be lost. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2753,6 +2733,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2767,6 +2752,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2776,6 +2766,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3206,9 +3206,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + + Unsafe partition actions are enabled. @@ -3225,33 +3237,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Šobrīd: - - No EFI system partition configured - + + After: + @label + Pēc iestatīšanas: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3264,6 +3268,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3271,37 +3280,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - Current: - @label - Šobrīd: - - - - After: - @label - Pēc iestatīšanas: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3399,65 +3399,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3469,6 +3469,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3500,30 +3524,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3957,17 +3957,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4060,7 +4060,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4847,11 +4848,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4872,11 +4883,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4893,78 +4914,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4980,11 +4981,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5005,16 +5016,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5050,16 +5051,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5080,6 +5071,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_mk.ts b/lang/calamares_mk.ts index 79a927b6d1..339c612995 100644 --- a/lang/calamares_mk.ts +++ b/lang/calamares_mk.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Инсталацијата е готова. Исклучете го инсталерот. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ml.ts b/lang/calamares_ml.ts index e0a999a797..483734821b 100644 --- a/lang/calamares_ml.ts +++ b/lang/calamares_ml.ts @@ -126,18 +126,13 @@ സമ്പർക്കമുഖം: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet ശൈലീപുസ്തകം പുതുക്കുക - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree വിഡ്ജറ്റ് ട്രീ + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%1 സെക്കൻഡ്) + (%1 സെക്കൻഡുകൾ) @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + അപ്‌ലോഡ് പരാജയമായിരുന്നു. വെബിലേക്ക് പകർത്തിയില്ല. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + ഇൻസ്റ്റാൾ ലോഗ് പകർപ്പിന്റെ വിലാസം + &Yes @@ -407,7 +426,7 @@ അടയ്ക്കുക (&C) - + Setup Failed @title സജ്ജീകരണപ്രക്രിയ പരാജയപ്പെട്ടു @@ -437,13 +456,13 @@ %1 ഇൻസ്റ്റാൾ ചെയ്യാൻ കഴിയില്ല. ക്രമീകരിച്ച എല്ലാ മൊഡ്യൂളുകളും ലോഡുചെയ്യാൻ കാലാമറെസിന് കഴിഞ്ഞില്ല. വിതരണത്തിൽ കാലാമറെസ് ഉപയോഗിക്കുന്ന രീതിയിലുള്ള ഒരു പ്രശ്നമാണിത്. - + <br/>The following modules could not be loaded: @info <br/>താഴെ പറയുന്ന മൊഡ്യൂളുകൾ ലഭ്യമാക്കാനായില്ല: - + Continue with Setup? @title @@ -461,129 +480,110 @@ %2 സജ്ജീകരിക്കുന്നതിന് %1 സജ്ജീകരണ പ്രോഗ്രാം നിങ്ങളുടെ ഡിസ്കിൽ മാറ്റങ്ങൾ വരുത്താൻ പോകുന്നു.<br/><strong>നിങ്ങൾക്ക് ഈ മാറ്റങ്ങൾ പഴയപടിയാക്കാൻ കഴിയില്ല</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %2 ഇൻസ്റ്റാളുചെയ്യുന്നതിന് %1 ഇൻസ്റ്റാളർ നിങ്ങളുടെ ഡിസ്കിൽ മാറ്റങ്ങൾ വരുത്താൻ പോകുന്നു.<br/><strong>നിങ്ങൾക്ക് ഈ മാറ്റങ്ങൾ പഴയപടിയാക്കാൻ കഴിയില്ല.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button ഇൻസ്റ്റാൾ (&I) - + Setup is complete. Close the setup program. @tooltip സജ്ജീകരണം പൂർത്തിയായി. പ്രയോഗം അടയ്ക്കുക. - + The installation is complete. Close the installer. @tooltip ഇൻസ്റ്റളേഷൻ പൂർത്തിയായി. ഇൻസ്റ്റാളർ അടയ്ക്കുക - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button അടുത്തത് (&N) - + &Back @button പുറകോട്ട് (&B) - + &Done @button ചെയ്‌തു - + &Cancel @button റദ്ദാക്കുക (&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - ഇൻസ്റ്റാൾ ലോഗ് പകർപ്പിന്റെ വിലാസം - - - - The upload was unsuccessful. No web-paste was done. - അപ്‌ലോഡ് പരാജയമായിരുന്നു. വെബിലേക്ക് പകർത്തിയില്ല. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. നിലവിലുള്ള സജ്ജീകരണപ്രക്രിയ റദ്ദാക്കണോ? സജ്ജീകരണപ്രയോഗം നിൽക്കുകയും എല്ലാ മാറ്റങ്ങളും നഷ്ടപ്പെടുകയും ചെയ്യും. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. നിലവിലുള്ള ഇൻസ്റ്റാൾ പ്രക്രിയ റദ്ദാക്കണോ? @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error അജ്ഞാതമായ പിശക് - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>സ്വമേധയാ ഉള്ള പാർട്ടീഷനിങ്</strong><br/>നിങ്ങൾക്ക് സ്വയം പാർട്ടീഷനുകൾ സൃഷ്ടിക്കാനോ വലുപ്പം മാറ്റാനോ കഴിയും. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ചുരുക്കുന്നതിന് ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കുക, എന്നിട്ട് വലുപ്പം മാറ്റാൻ ചുവടെയുള്ള ബാർ വലിക്കുക. - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ചുരുക്കുന്നതിന് ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കുക, എന്നിട്ട് വലുപ്പം മാറ്റാൻ ചുവടെയുള്ള ബാർ വലിക്കുക. + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label ഫയലിലേക്ക് സ്വാപ്പ് ചെയ്യുക + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>സ്വമേധയാ ഉള്ള പാർട്ടീഷനിങ്</strong><br/>നിങ്ങൾക്ക് സ്വയം പാർട്ടീഷനുകൾ സൃഷ്ടിക്കാനോ വലുപ്പം മാറ്റാനോ കഴിയും. + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title %1 ൽ പാർട്ടീഷനിങ്ങ് പ്രക്രിയകൾക്കായി മൗണ്ടുകൾ നീക്കം ചെയ്യുക - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1 നായുള്ള എല്ലാ മൗണ്ടുകളും നീക്കം ചെയ്തു @@ -909,129 +909,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (പ്രവർത്തനരഹിതമാക്കി: തെറ്റായ ക്രമീകരണം) - - - - Network Installation. (Disabled: Received invalid groups data) - നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (അപ്രാപ്‌തമാക്കി: അസാധുവായ ഗ്രൂപ്പുകളുടെ ഡാറ്റ ലഭിച്ചു) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - പാക്കേജു് തിരഞ്ഞെടുക്കല്‍ + + Setup Failed + @title + സജ്ജീകരണപ്രക്രിയ പരാജയപ്പെട്ടു - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (അപ്രാപ്‌തമാക്കി: പാക്കേജ് ലിസ്റ്റുകൾ നേടാനായില്ല, നിങ്ങളുടെ നെറ്റ്‌വർക്ക് കണക്ഷൻ പരിശോധിക്കുക) + + Installation Failed + @title + ഇൻസ്റ്റളേഷൻ പരാജയപ്പെട്ടു - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - %1 സജ്ജീകരിക്കുന്നതിനുള്ള ചില ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - %1 ഇൻസ്റ്റാൾ ചെയ്യാൻ ശുപാർശ ചെയ്യപ്പെട്ടിട്ടുള്ള ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. + + Setup Complete + @title + സജ്ജീകരണം പൂർത്തിയായി - - This program will ask you some questions and set up %2 on your computer. - ഈ പ്രക്രിയ താങ്കളോട് ചില ചോദ്യങ്ങൾ ചോദിക്കുകയും %2 താങ്കളുടെ കമ്പ്യൂട്ടറിൽ സജ്ജീകരിക്കുകയും ചെയ്യും. + + Installation Complete + @title + ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി - - <h1>Welcome to the Calamares setup program for %1</h1> - + + The setup of %1 is complete. + @info + %1 ന്റെ സജ്ജീകരണം പൂർത്തിയായി. - - <h1>Welcome to %1 setup</h1> - + + The installation of %1 is complete. + @info + %1 ന്റെ ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി. - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the %1 installer</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - Your username is too long. - നിങ്ങളുടെ ഉപയോക്തൃനാമം വളരെ വലുതാണ്. - - - - '%1' is not allowed as username. - + + Set timezone to %1/%2 + @action + %1%2 എന്നതിലേക്ക് സമയപദ്ധതി ക്രമീകരിക്കുക - - Your username must start with a lowercase letter or underscore. - താങ്കളുടെ ഉപയോക്തൃനാമം ഒരു ചെറിയ അക്ഷരമോ അണ്ടർസ്കോറോ ഉപയോഗിച്ച് വേണം തുടങ്ങാൻ. + + The system language will be set to %1. + @info + സിസ്റ്റം ഭാഷ %1 ആയി സജ്ജമാക്കും. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - ചെറിയ അക്ഷരങ്ങൾ, അക്കങ്ങൾ, അണ്ടർസ്കോർ, ഹൈഫൺ എന്നിവയേ അനുവദിച്ചിട്ടുള്ളൂ. + + The numbers and dates locale will be set to %1. + @info + സംഖ്യ & തീയതി രീതി %1 ആയി ക്രമീകരിക്കും. - - Your hostname is too short. - നിങ്ങളുടെ ഹോസ്റ്റ്നാമം വളരെ ചെറുതാണ് + + Network Installation. (Disabled: Incorrect configuration) + നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (പ്രവർത്തനരഹിതമാക്കി: തെറ്റായ ക്രമീകരണം) - - Your hostname is too long. - നിങ്ങളുടെ ഹോസ്റ്റ്നാമം ദൈർഘ്യമേറിയതാണ് + + Network Installation. (Disabled: Received invalid groups data) + നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (അപ്രാപ്‌തമാക്കി: അസാധുവായ ഗ്രൂപ്പുകളുടെ ഡാറ്റ ലഭിച്ചു) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. - അക്ഷരങ്ങൾ, അക്കങ്ങൾ, അണ്ടർസ്കോർ, ഹൈഫൺ എന്നിവയേ അനുവദിച്ചിട്ടുള്ളൂ. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (അപ്രാപ്‌തമാക്കി: പാക്കേജ് ലിസ്റ്റുകൾ നേടാനായില്ല, നിങ്ങളുടെ നെറ്റ്‌വർക്ക് കണക്ഷൻ പരിശോധിക്കുക) - - Your passwords do not match! - നിങ്ങളുടെ പാസ്‌വേഡുകൾ പൊരുത്തപ്പെടുന്നില്ല! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + പാക്കേജു് തിരഞ്ഞെടുക്കല്‍ @@ -1075,82 +1058,99 @@ The installer will quit and all changes will be lost. നിങ്ങൾ ഇൻസ്റ്റാൾ നടപടിക്രമങ്ങൾ ആരംഭിച്ചുകഴിഞ്ഞാൽ എന്ത് സംഭവിക്കും എന്നതിന്റെ ഒരു അവലോകനമാണിത്. - - Setup Failed - @title - സജ്ജീകരണപ്രക്രിയ പരാജയപ്പെട്ടു + + Your username is too long. + നിങ്ങളുടെ ഉപയോക്തൃനാമം വളരെ വലുതാണ്. - - Installation Failed - @title - ഇൻസ്റ്റളേഷൻ പരാജയപ്പെട്ടു + + Your username must start with a lowercase letter or underscore. + താങ്കളുടെ ഉപയോക്തൃനാമം ഒരു ചെറിയ അക്ഷരമോ അണ്ടർസ്കോറോ ഉപയോഗിച്ച് വേണം തുടങ്ങാൻ. - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. + ചെറിയ അക്ഷരങ്ങൾ, അക്കങ്ങൾ, അണ്ടർസ്കോർ, ഹൈഫൺ എന്നിവയേ അനുവദിച്ചിട്ടുള്ളൂ. + + + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + നിങ്ങളുടെ ഹോസ്റ്റ്നാമം വളരെ ചെറുതാണ് + + + + Your hostname is too long. + നിങ്ങളുടെ ഹോസ്റ്റ്നാമം ദൈർഘ്യമേറിയതാണ് + + + + '%1' is not allowed as hostname. - - Setup Complete - @title - സജ്ജീകരണം പൂർത്തിയായി + + Only letters, numbers, underscore and hyphen are allowed. + അക്ഷരങ്ങൾ, അക്കങ്ങൾ, അണ്ടർസ്കോർ, ഹൈഫൺ എന്നിവയേ അനുവദിച്ചിട്ടുള്ളൂ. - - Installation Complete - @title - ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി + + Your passwords do not match! + നിങ്ങളുടെ പാസ്‌വേഡുകൾ പൊരുത്തപ്പെടുന്നില്ല! - - The setup of %1 is complete. - @info - %1 ന്റെ സജ്ജീകരണം പൂർത്തിയായി. + + OK! + - - The installation of %1 is complete. - @info - %1 ന്റെ ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + %1 സജ്ജീകരിക്കുന്നതിനുള്ള ചില ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + %1 ഇൻസ്റ്റാൾ ചെയ്യാൻ ശുപാർശ ചെയ്യപ്പെട്ടിട്ടുള്ള ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. + + + + This program will ask you some questions and set up %2 on your computer. + ഈ പ്രക്രിയ താങ്കളോട് ചില ചോദ്യങ്ങൾ ചോദിക്കുകയും %2 താങ്കളുടെ കമ്പ്യൂട്ടറിൽ സജ്ജീകരിക്കുകയും ചെയ്യും. + + + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action - %1%2 എന്നതിലേക്ക് സമയപദ്ധതി ക്രമീകരിക്കുക + + <h1>Welcome to %1 setup</h1> + - - The system language will be set to %1. - @info - സിസ്റ്റം ഭാഷ %1 ആയി സജ്ജമാക്കും. + + <h1>Welcome to the Calamares installer for %1</h1> + - - The numbers and dates locale will be set to %1. - @info - സംഖ്യ & തീയതി രീതി %1 ആയി ക്രമീകരിക്കും. + + <h1>Welcome to the %1 installer</h1> + @@ -1475,9 +1475,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - ഈ ഉപകരണത്തില്‍ ഒരു <strong>%1</strong> പാര്‍ട്ടീഷന്‍ ടേബിളുണ്ട്. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br><strong>ബയോസ്</strong> ബൂട്ട് എൻ‌വയോൺ‌മെൻറിൽ‌ നിന്നും ആരംഭിക്കുന്ന പഴയ സിസ്റ്റങ്ങളിൽ‌ മാത്രമേ ഈ പാർട്ടീഷൻ ടേബിൾ തരം ഉചിതമാകൂ.മറ്റു സാഹചര്യങ്ങളിൽ പൊതുവെ ജിപിടി യാണ് ശുപാർശ ചെയ്യുന്നത്.<br><br><strong>മുന്നറിയിപ്പ്:</strong> കാലഹരണപ്പെട്ട MS-DOS കാലഘട്ട സ്റ്റാൻഡേർഡാണ് MBR പാർട്ടീഷൻ ടേബിൾ.<br>പാർട്ടീഷൻ ടേബിൾ 4 പ്രാഥമിക പാർട്ടീഷനുകൾ മാത്രമേ സൃഷ്ടിക്കാൻ കഴിയൂ, അവയിൽ 4 ൽ ഒന്ന് <em>എക്സ്ടെൻഡഡ്‌</em> പാർട്ടീഷൻ ആകാം, അതിൽ നിരവധി <em>ലോജിക്കൽ</em> പാർട്ടീഷനുകൾ അടങ്ങിയിരിക്കാം. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br><strong>ഇ‌എഫ്‌ഐ</strong> ബൂട്ട് എൻ‌വയോൺ‌മെൻറിൽ‌ നിന്നും ആരംഭിക്കുന്ന ആധുനിക സിസ്റ്റങ്ങൾ‌ക്കായുള്ള ശുപാർശചെയ്‌ത പാർട്ടീഷൻ ടേബിൾ തരമാണിത്. @@ -1490,14 +1495,9 @@ The installer will quit and all changes will be lost. തിരഞ്ഞെടുത്ത സ്റ്റോറേജ് ഉപകരണത്തിൽ ഒരു <strong>പാർട്ടീഷൻ ടേബിൾ</strong> ഈ ഇൻസ്റ്റാളറിന് കണ്ടെത്താൻ കഴിയില്ല.<br><br>ഒന്നെങ്കിൽ ഉപകരണത്തിന് പാർട്ടീഷൻ ടേബിൾ ഇല്ല, അല്ലെങ്കിൽ പാർട്ടീഷൻ ടേബിൾ കേടായി അല്ലെങ്കിൽ അറിയപ്പെടാത്ത തരത്തിലുള്ളതാണ്.<br>ഈ ഇൻസ്റ്റാളറിന് നിങ്ങൾക്കായി യന്ത്രികമായോ അല്ലെങ്കിൽ സ്വമേധയാ പാർട്ടീഷനിംഗ് പേജ് വഴിയോ ഒരു പുതിയ പാർട്ടീഷൻ ടേബിൾ സൃഷ്ടിക്കാൻ കഴിയും. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br><strong>ഇ‌എഫ്‌ഐ</strong> ബൂട്ട് എൻ‌വയോൺ‌മെൻറിൽ‌ നിന്നും ആരംഭിക്കുന്ന ആധുനിക സിസ്റ്റങ്ങൾ‌ക്കായുള്ള ശുപാർശചെയ്‌ത പാർട്ടീഷൻ ടേബിൾ തരമാണിത്. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br><strong>ബയോസ്</strong> ബൂട്ട് എൻ‌വയോൺ‌മെൻറിൽ‌ നിന്നും ആരംഭിക്കുന്ന പഴയ സിസ്റ്റങ്ങളിൽ‌ മാത്രമേ ഈ പാർട്ടീഷൻ ടേബിൾ തരം ഉചിതമാകൂ.മറ്റു സാഹചര്യങ്ങളിൽ പൊതുവെ ജിപിടി യാണ് ശുപാർശ ചെയ്യുന്നത്.<br><br><strong>മുന്നറിയിപ്പ്:</strong> കാലഹരണപ്പെട്ട MS-DOS കാലഘട്ട സ്റ്റാൻഡേർഡാണ് MBR പാർട്ടീഷൻ ടേബിൾ.<br>പാർട്ടീഷൻ ടേബിൾ 4 പ്രാഥമിക പാർട്ടീഷനുകൾ മാത്രമേ സൃഷ്ടിക്കാൻ കഴിയൂ, അവയിൽ 4 ൽ ഒന്ന് <em>എക്സ്ടെൻഡഡ്‌</em> പാർട്ടീഷൻ ആകാം, അതിൽ നിരവധി <em>ലോജിക്കൽ</em> പാർട്ടീഷനുകൾ അടങ്ങിയിരിക്കാം. + + This device has a <strong>%1</strong> partition table. + ഈ ഉപകരണത്തില്‍ ഒരു <strong>%1</strong> പാര്‍ട്ടീഷന്‍ ടേബിളുണ്ട്. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,11 +2668,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form രഹസ്യവാക്കിൽ ഏതെങ്കിലും രൂപത്തിൽ വിലക്കപ്പെട്ട വാക്കുകൾ അടങ്ങിയിരിക്കുന്നു + + + The password contains fewer than %n digits + + + + + The password contains too few digits രഹസ്യവാക്കിൽ വളരെ കുറച്ച് അക്കങ്ങൾ അടങ്ങിയിരിക്കുന്നു + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2691,47 +2707,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters രഹസ്യവാക്കിൽ വളരെ കുറച്ചു ചെറിയക്ഷരങ്ങൾ മാത്രമേ അടങ്ങിയിട്ടുള്ളു - - - The password contains too few non-alphanumeric characters - രഹസ്യവാക്കിൽ ആൽഫാന്യൂമെറിക് ഇതര പ്രതീകങ്ങൾ വളരെ കുറവാണ് - - - - The password is too short - രഹസ്യവാക്ക് വളരെ ചെറുതാണ് - - - - The password does not contain enough character classes - രഹസ്യവാക്കിൽ ആവശ്യത്തിനു അക്ഷരങ്ങൾ ഇല്ല - - - - The password contains too many same characters consecutively - രഹസ്സ്യവാക്കിൽ അടുത്തടുത്തായി ഒരേ പ്രതീകം ഒരുപാട് തവണ അടങ്ങിയിരിക്കുന്നു. - - - - The password contains too many characters of the same class consecutively - രഹസ്യവാക്കിൽ ഒരുപാട് തവണ ഒരേ തരം അക്ഷരം ആവർത്തിക്കുന്നു - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2740,6 +2715,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + രഹസ്യവാക്കിൽ ആൽഫാന്യൂമെറിക് ഇതര പ്രതീകങ്ങൾ വളരെ കുറവാണ് + The password is shorter than %n characters @@ -2748,6 +2728,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + രഹസ്യവാക്ക് വളരെ ചെറുതാണ് + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + രഹസ്യവാക്കിൽ ആവശ്യത്തിനു അക്ഷരങ്ങൾ ഇല്ല + The password contains more than %n same characters consecutively @@ -2769,6 +2759,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + രഹസ്സ്യവാക്കിൽ അടുത്തടുത്തായി ഒരേ പ്രതീകം ഒരുപാട് തവണ അടങ്ങിയിരിക്കുന്നു. + The password contains more than %n characters of the same class consecutively @@ -2777,6 +2772,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + രഹസ്യവാക്കിൽ ഒരുപാട് തവണ ഒരേ തരം അക്ഷരം ആവർത്തിക്കുന്നു + The password contains monotonic sequence longer than %n characters @@ -3200,6 +3200,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + പാർട്ടീഷനുകൾ + Unsafe partition actions are enabled. @@ -3216,33 +3228,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + നിലവിലുള്ളത്: - - No EFI system partition configured - ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷനൊന്നും ക്രമീകരിച്ചിട്ടില്ല + + After: + @label + ശേഷം: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3255,6 +3259,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3262,37 +3271,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - പാർട്ടീഷനുകൾ - - - - Current: - @label - നിലവിലുള്ളത്: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - ശേഷം: + + No EFI system partition configured + ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷനൊന്നും ക്രമീകരിച്ചിട്ടില്ല - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3390,14 +3390,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. ആജ്ഞയിൽ നിന്നും ഔട്ട്പുട്ടൊന്നുമില്ല. - + Output: @@ -3406,52 +3406,52 @@ Output: - + External command crashed. ബാഹ്യമായ ആജ്ഞ തകർന്നു. - + Command <i>%1</i> crashed. ആജ്ഞ <i>%1</i> പ്രവർത്തനരഹിതമായി. - + External command failed to start. ബാഹ്യമായ ആജ്ഞ ആരംഭിക്കുന്നതിൽ പരാജയപ്പെട്ടു. - + Command <i>%1</i> failed to start. <i>%1</i>ആജ്ഞ ആരംഭിക്കുന്നതിൽ പരാജയപ്പെട്ടു. - + Internal error when starting command. ആജ്ഞ ആരംഭിക്കുന്നതിൽ ആന്തരികമായ പിഴവ്. - + Bad parameters for process job call. പ്രക്രിയ ജോലി വിളിയ്ക്ക് ശരിയല്ലാത്ത പരാമീറ്ററുകൾ. - + External command failed to finish. ബാഹ്യമായ ആജ്ഞ പൂർത്തിയാവുന്നതിൽ പരാജയപ്പെട്ടു. - + Command <i>%1</i> failed to finish in %2 seconds. ആജ്ഞ <i>%1</i> %2 സെക്കൻഡുകൾക്കുള്ളിൽ പൂർത്തിയാവുന്നതിൽ പരാജയപ്പെട്ടു. - + External command finished with errors. ബാഹ്യമായ ആജ്ഞ പിഴവുകളോട് കൂടീ പൂർത്തിയായി. - + Command <i>%1</i> finished with exit code %2. ആജ്ഞ <i>%1</i> എക്സിറ്റ് കോഡ് %2ഓട് കൂടി പൂർത്തിയായി. @@ -3463,6 +3463,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + അജ്ഞാതം + + + + extended + @partition info + വിസ്തൃതമായത് + + + + unformatted + @partition info + ഫോർമാറ്റ് ചെയ്യപ്പെടാത്തത് + + + + swap + @partition info + സ്വാപ്പ് + @@ -3494,30 +3518,6 @@ Output: (no mount point) (മൗണ്ട് പോയിന്റ് ഇല്ല) - - - unknown - @partition info - അജ്ഞാതം - - - - extended - @partition info - വിസ്തൃതമായത് - - - - unformatted - @partition info - ഫോർമാറ്റ് ചെയ്യപ്പെടാത്തത് - - - - swap - @partition info - സ്വാപ്പ് - Unpartitioned space or unknown partition table @@ -3951,17 +3951,17 @@ Output: Cannot disable root account. റൂട്ട് അക്കൗണ്ട് നിഷ്ക്രിയമാക്കാനായില്ല. - - - Cannot set password for user %1. - ഉപയോക്താവ് %1നായി രഹസ്യവാക്ക് ക്രമീകരിക്കാനായില്ല. - usermod terminated with error code %1. usermod പിഴവ് കോഡ്‌ %1 ഓട് കൂടീ അവസാനിച്ചു. + + + Cannot set password for user %1. + ഉപയോക്താവ് %1നായി രഹസ്യവാക്ക് ക്രമീകരിക്കാനായില്ല. + SetTimezoneJob @@ -4054,7 +4054,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4841,11 +4842,21 @@ Output: What is your name? നിങ്ങളുടെ പേരെന്താണ് ? + + + Your full name + + What name do you want to use to log in? ലോഗിൻ ചെയ്യാൻ നിങ്ങൾ ഏത് നാമം ഉപയോഗിക്കാനാണു ആഗ്രഹിക്കുന്നത്? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4866,11 +4877,21 @@ Output: What is the name of this computer? ഈ കമ്പ്യൂട്ടറിന്റെ നാമം എന്താണ് ? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + അക്ഷരങ്ങൾ, അക്കങ്ങൾ, ഹൈഫൻ, അണ്ടർസ്കോർ എന്നിവ മാത്രമേ അനുവദിക്കപ്പെട്ടിട്ടുള്ളൂ, കുറഞ്ഞത് രണ്ടെണ്ണമെങ്കിലും. + localhost is not allowed as hostname. @@ -4887,58 +4908,13 @@ Output: രഹസ്യവാക്ക് - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - രഹസ്യവാക്കിന്റെ ഗുണനിലവാരം ഉറപ്പുവരുത്തുക - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - ഈ കള്ളി തിരഞ്ഞെടുക്കുമ്പോൾ, രഹസ്യവാക്കിന്റെ ബലപരിശോധന നടപ്പിലാക്കുകയും, ആയതിനാൽ താങ്കൾക്ക് ദുർബലമായ ഒരു രഹസ്യവാക്ക് ഉപയോഗിക്കാൻ സാധിക്കാതെ വരുകയും ചെയ്യും. - - - - Log in automatically without asking for the password - രഹസ്യവാക്ക് ചോദിക്കാതെ സ്വയം പ്രവേശിക്കുക - - - - Your full name - - - - - Login name - - - - - Computer name + + Repeat password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - അക്ഷരങ്ങൾ, അക്കങ്ങൾ, ഹൈഫൻ, അണ്ടർസ്കോർ എന്നിവ മാത്രമേ അനുവദിക്കപ്പെട്ടിട്ടുള്ളൂ, കുറഞ്ഞത് രണ്ടെണ്ണമെങ്കിലും. - - - - Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -4956,11 +4932,36 @@ Output: Choose a root password to keep your account safe. താങ്കളുടെ അക്കൗണ്ട് സുരക്ഷിതമാക്കാൻ ഒരു റൂട്ട് രഹസ്യവാക്ക് തിരഞ്ഞെടുക്കുക. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. ടൈപ്പിങ്ങ് പിഴവുകളില്ല എന്നുറപ്പിക്കുന്നതിനായി ഒരേ രഹസ്യവാക്ക് രണ്ട് തവണ നൽകുക. + + + Log in automatically without asking for the password + രഹസ്യവാക്ക് ചോദിക്കാതെ സ്വയം പ്രവേശിക്കുക + + + + Validate passwords quality + രഹസ്യവാക്കിന്റെ ഗുണനിലവാരം ഉറപ്പുവരുത്തുക + + + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + ഈ കള്ളി തിരഞ്ഞെടുക്കുമ്പോൾ, രഹസ്യവാക്കിന്റെ ബലപരിശോധന നടപ്പിലാക്കുകയും, ആയതിനാൽ താങ്കൾക്ക് ദുർബലമായ ഒരു രഹസ്യവാക്ക് ഉപയോഗിക്കാൻ സാധിക്കാതെ വരുകയും ചെയ്യും. + usersq-qt6 @@ -4974,11 +4975,21 @@ Output: What is your name? നിങ്ങളുടെ പേരെന്താണ് ? + + + Your full name + + What name do you want to use to log in? ലോഗിൻ ചെയ്യാൻ നിങ്ങൾ ഏത് നാമം ഉപയോഗിക്കാനാണു ആഗ്രഹിക്കുന്നത്? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4999,16 +5010,6 @@ Output: What is the name of this computer? ഈ കമ്പ്യൂട്ടറിന്റെ നാമം എന്താണ് ? - - - Your full name - - - - - Login name - - Computer name @@ -5044,16 +5045,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5074,6 +5065,16 @@ Output: Choose a root password to keep your account safe. താങ്കളുടെ അക്കൗണ്ട് സുരക്ഷിതമാക്കാൻ ഒരു റൂട്ട് രഹസ്യവാക്ക് തിരഞ്ഞെടുക്കുക. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_mr.ts b/lang/calamares_mr.ts index 645a22fbc2..c440377d09 100644 --- a/lang/calamares_mr.ts +++ b/lang/calamares_mr.ts @@ -126,18 +126,13 @@ अंतराफलक : - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &बंद करा - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip अधिष्ठापना संपूर्ण झाली. अधिष्ठापक बंद करा. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &पुढे - + &Back @button &मागे - + &Done @button &पूर्ण झाली - + &Cancel @button &रद्द करा - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,128 +907,111 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) + + Setup Failed + @title - - Network Installation. (Disabled: No package list) - + + Installation Failed + @title + अधिष्ठापना अयशस्वी झाली - - Package selection + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + Installation Complete + @title - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + The installation of %1 is complete. + @info - - This program will ask you some questions and set up %2 on your computer. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to %1 setup</h1> - + + Set timezone to %1/%2 + @action + %1/%2 हा वेळक्षेत्र निश्चित करा - - <h1>Welcome to the Calamares installer for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to the %1 installer</h1> + + The numbers and dates locale will be set to %1. + @info - - Your username is too long. - तुमचा वापरकर्तानाव खूप लांब आहे - - - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Received invalid groups data) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - तुमचा संगणकनाव खूप लहान आहे - - - - Your hostname is too long. - तुमचा संगणकनाव खूप लांब आहे - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - तुमचा परवलीशब्द जुळत नाही - - - - OK! + + Package selection @@ -1073,81 +1056,98 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title + + Your username is too long. + तुमचा वापरकर्तानाव खूप लांब आहे + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - अधिष्ठापना अयशस्वी झाली + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + तुमचा संगणकनाव खूप लहान आहे + + + + Your hostname is too long. + तुमचा संगणकनाव खूप लांब आहे + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title + + Your passwords do not match! + तुमचा परवलीशब्द जुळत नाही + + + + OK! - - The setup of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The installation of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - %1/%2 हा वेळक्षेत्र निश्चित करा + + This program will ask you some questions and set up %2 on your computer. + - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares setup program for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3195,9 +3195,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + + Unsafe partition actions are enabled. @@ -3214,33 +3226,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + सद्या : - - No EFI system partition configured - + + After: + @label + नंतर : - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3253,6 +3257,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3260,37 +3269,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - Current: - @label - सद्या : - - - - After: - @label - नंतर : + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1.  %1 या एरर कोडसहित usermod रद्द केले. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_nb.ts b/lang/calamares_nb.ts index dcc1cbb1da..255f16bb58 100644 --- a/lang/calamares_nb.ts +++ b/lang/calamares_nb.ts @@ -126,18 +126,13 @@ Grensesnitt: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ &Lukk - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 vil nå gjøre endringer på harddisken, for å installere %2. <br/><strong>Du vil ikke kunne omgjøre disse endringene.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip Installasjonen er fullført. Lukk installeringsprogrammet. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Neste - + &Back @button &Tilbake - + &Done @button &Ferdig - + &Cancel @button &Avbryt - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Vil du virkelig avbryte installasjonen? @@ -592,25 +592,25 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. CalamaresPython::Helper - + Unknown exception type @error Ukjent unntakstype - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -667,16 +667,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuell partisjonering</strong><br/>Du kan opprette eller endre størrelse på partisjoner selv. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -704,6 +694,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -825,6 +820,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.@label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuell partisjonering</strong><br/>Du kan opprette eller endre størrelse på partisjoner selv. + Bootloader location: @@ -835,44 +835,44 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -908,128 +908,111 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Setup Failed + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Installation Failed + @title + Installasjon feilet - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Setup Complete + @title - - This program will ask you some questions and set up %2 on your computer. - + + Installation Complete + @title + Installasjon fullført - - <h1>Welcome to the Calamares setup program for %1</h1> + + The setup of %1 is complete. + @info - - <h1>Welcome to %1 setup</h1> - + + The installation of %1 is complete. + @info + Installasjonen av %1 er fullført. - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the %1 installer</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - Your username is too long. - Brukernavnet ditt er for langt. - - - - '%1' is not allowed as username. + + Set timezone to %1/%2 + @action - - Your username must start with a lowercase letter or underscore. + + The system language will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + The numbers and dates locale will be set to %1. + @info - - Your hostname is too short. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too long. + + Network Installation. (Disabled: Received invalid groups data) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! + + Network Installation. (Disabled: No package list) - - OK! + + Package selection @@ -1074,81 +1057,98 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - - Setup Failed - @title + + Your username is too long. + Brukernavnet ditt er for langt. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Installasjon feilet + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. - - Setup Complete - @title + + Your hostname is too long. - - Installation Complete - @title - Installasjon fullført + + '%1' is not allowed as hostname. + - - The setup of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - The installation of %1 is complete. - @info - Installasjonen av %1 er fullført. + + Your passwords do not match! + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The system language will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1474,8 +1474,13 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1489,13 +1494,8 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2272,7 +2272,7 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. LocaleTests - + Quit @@ -2442,6 +2442,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2490,11 +2495,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2667,11 +2667,27 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2690,47 +2706,6 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.The password contains too few lowercase letters Passordet inneholder for få små bokstaver - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - Passordet er for kort - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - Passordet inneholder for mange like tegn etter hverandre - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2739,6 +2714,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2747,6 +2727,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + + The password is too short + Passordet er for kort + The password is a rotated version of the previous one @@ -2760,6 +2745,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + + The password contains too many same characters consecutively + Passordet inneholder for mange like tegn etter hverandre + The password contains more than %n characters of the same class consecutively @@ -2776,6 +2771,11 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3200,48 +3200,52 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3255,43 +3259,39 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3389,65 +3389,65 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Ugyldige parametere for prosessens oppgavekall - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3459,6 +3459,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3490,30 +3514,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3947,17 +3947,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4050,7 +4050,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4837,11 +4838,21 @@ Output: What is your name? Hva heter du? + + + Your full name + + What name do you want to use to log in? Hvilket navn vil du bruke for å logge inn? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4862,11 +4873,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4883,78 +4904,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4970,11 +4971,21 @@ Output: What is your name? Hva heter du? + + + Your full name + + What name do you want to use to log in? Hvilket navn vil du bruke for å logge inn? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4995,16 +5006,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5040,16 +5041,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5070,6 +5061,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ne_NP.ts b/lang/calamares_ne_NP.ts index 14eda9dc03..1c33fa3b33 100644 --- a/lang/calamares_ne_NP.ts +++ b/lang/calamares_ne_NP.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip सेटअप सकियो । सेटअप प्रोग्राम बन्द गर्नु होस  - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,128 +907,111 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) + + Setup Failed + @title - - Network Installation. (Disabled: Internal error) + + Installation Failed + @title - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection + + The installation of %1 did not complete successfully. + @info - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This program will ask you some questions and set up %2 on your computer. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the Calamares setup program for %1</h1> - %1 को लागि Calamares Setup Programमा स्वागत छ । - - - - <h1>Welcome to %1 setup</h1> - %1 को Setupमा स्वागत छ । - - - - <h1>Welcome to the Calamares installer for %1</h1> - %1 को लागि Calamares Installerमा स्वागत छ । - - - - <h1>Welcome to the %1 installer</h1> - %1 को Installerमा स्वागत छ । - - - - Your username is too long. + + Set timezone to %1/%2 + @action - - '%1' is not allowed as username. + + The system language will be set to %1. + @info - - Your username must start with a lowercase letter or underscore. + + The numbers and dates locale will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too short. + + Network Installation. (Disabled: Received invalid groups data) - - Your hostname is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - पासवर्डहरू मिलेन ।  - - - - OK! + + Package selection @@ -1073,83 +1056,100 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title + + Your username is too long. - - Installation Failed - @title + + Your username must start with a lowercase letter or underscore. - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. - - Installation Complete - @title + + Your hostname is too long. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. - - The installation of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + पासवर्डहरू मिलेन ।  + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The system language will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + %1 को लागि Calamares Setup Programमा स्वागत छ । + + + + <h1>Welcome to %1 setup</h1> + %1 को Setupमा स्वागत छ । + + + + <h1>Welcome to the Calamares installer for %1</h1> + %1 को लागि Calamares Installerमा स्वागत छ । + + + + <h1>Welcome to the %1 installer</h1> + %1 को Installerमा स्वागत छ । + ContextualProcessJob @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_nl.ts b/lang/calamares_nl.ts index 3bd9c9985e..8369eb2542 100644 --- a/lang/calamares_nl.ts +++ b/lang/calamares_nl.ts @@ -125,31 +125,21 @@ Interface: Interface: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Laadt het stylesheet van de fabrikantsmap opnieuw. - - - Uploads the session log to the configured pastebin. - Uploads de sessielogboeken naar de geconfigureerde pastebin. - - - - Send Session Log - Verstuur Sessielogboeken - Reload Stylesheet Stylesheet opnieuw inlezen. - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Widget-boom + + + Uploads the session log to the configured pastebin. + Uploads de sessielogboeken naar de geconfigureerde pastebin. + + + + Send Session Log + Verstuur Sessielogboeken + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n seconde) + (%n seconde(n)) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Het uploaden is mislukt. Web-plakken niet gedaan. + + + + Install log posted to + +%1 + +Link copied to clipboard + Installatielogboek geposte naar: + +%1 + +Link gekopieerd naar klembord + + + + Install Log Paste URL + URL voor het verzenden van het installatielogboek + &Yes @@ -407,7 +430,7 @@ &Sluiten - + Setup Failed @title Voorbereiding mislukt @@ -437,13 +460,13 @@ %1 kan niet worden geïnstalleerd. Calamares kon niet alle geconfigureerde modules laden. Dit is een probleem met hoe Calamares wordt gebruikt door de distributie. - + <br/>The following modules could not be loaded: @info <br/>The volgende modules konden niet worden geladen: - + Continue with Setup? @title @@ -461,133 +484,110 @@ Het %1 voorbereidingsprogramma zal nu aanpassingen maken aan je schijf om %2 te installeren.<br/><strong>Deze veranderingen kunnen niet ongedaan gemaakt worden.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Het %1 installatieprogramma zal nu aanpassingen maken aan je schijf om %2 te installeren.<br/><strong>Deze veranderingen kunnen niet ongedaan gemaakt worden.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Installeer - + Setup is complete. Close the setup program. @tooltip De voorbereiding is voltooid. Sluit het voorbereidingsprogramma. - + The installation is complete. Close the installer. @tooltip De installatie is voltooid. Sluit het installatie-programma. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Volgende - + &Back @button &Terug - + &Done @button Voltooi&d - + &Cancel @button &Afbreken - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL voor het verzenden van het installatielogboek - - - - The upload was unsuccessful. No web-paste was done. - Het uploaden is mislukt. Web-plakken niet gedaan. - - - - Install log posted to - -%1 - -Link copied to clipboard - Installatielogboek geposte naar: - -%1 - -Link gekopieerd naar klembord - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Wil je het huidige voorbereidingsproces echt afbreken? Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Wil je het huidige installatieproces echt afbreken? @@ -597,25 +597,25 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CalamaresPython::Helper - + Unknown exception type @error Onbekend uitzonderingstype - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Handmatig partitioneren</strong><br/>Je maakt of wijzigt zelf de partities. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecteer een partitie om te verkleinen, en sleep vervolgens de onderste balk om het formaat te wijzigen</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecteer een partitie om te verkleinen, en sleep vervolgens de onderste balk om het formaat te wijzigen</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. @label Wisselgeheugen naar bestand + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Handmatig partitioneren</strong><br/>Je maakt of wijzigt zelf de partities. + Bootloader location: @@ -840,44 +840,44 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Geef aankoppelpunten vrij voor partitiebewerkingen op %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Alle aankoppelpunten voor %1 zijn vrijgegeven @@ -913,129 +913,112 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Config - - Network Installation. (Disabled: Incorrect configuration) - Netwerkinstallatie. (Uitgeschakeld: Ongeldige configuratie) - - - - Network Installation. (Disabled: Received invalid groups data) - Netwerkinstallatie. (Uitgeschakeld: ongeldige gegevens over groepen) - - - - Network Installation. (Disabled: Internal error) - Netwerkinstallatie. (Uitgeschakeld: Interne Fout) - - - - Network Installation. (Disabled: No package list) - Netwerkinstallatie. (Uitgeschakeld: Ontbrekende pakketlijst) - - - - Package selection - Pakketkeuze - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Netwerkinstallatie. (Uitgeschakeld: kon de pakketlijsten niet binnenhalen, controleer de netwerkconnectie) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Voorbereiding mislukt - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Installatie Mislukt - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 voor te bereiden.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. + + The setup of %1 did not complete successfully. + @info + De voorbereiding van %1 is niet met succes voltooid. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 te installeren.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. + + The installation of %1 did not complete successfully. + @info + De installatie van %1 is niet met succes voltooid. - - This program will ask you some questions and set up %2 on your computer. - Dit programma stelt je enkele vragen en installeert %2 op jouw computer. + + Setup Complete + @title + Voorbereiden voltooid - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Welkom in het Calamares voorbereidingsprogramma voor %1.</h1> + + Installation Complete + @title + Installatie Afgerond. - - <h1>Welcome to %1 setup</h1> - <h1>Welkom in het %1 voorbereidingsprogramma.</h1> + + The setup of %1 is complete. + @info + De voorbereiden van %1 is voltooid. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Welkom in het Calamares installatieprogramma voor %1.</h1> + + The installation of %1 is complete. + @info + De installatie van %1 is afgerond. - - <h1>Welcome to the %1 installer</h1> - <h1>Welkom in het %1 installatieprogramma.</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - De gebruikersnaam is te lang. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - De gebruikersnaam '%1' is niet toegestaan. + + Set timezone to %1/%2 + @action + Instellen tijdzone naar %1/%2 - - Your username must start with a lowercase letter or underscore. - Je gebruikersnaam moet beginnen met een kleine letter of laag streepje. + + The system language will be set to %1. + @info + De taal van het systeem zal worden ingesteld op %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Alleen kleine letters, nummerse en (laag) streepjes zijn toegestaan. + + The numbers and dates locale will be set to %1. + @info + De getal- en datumnotatie worden ingesteld op %1. - - Your hostname is too short. - De hostnaam is te kort. + + Network Installation. (Disabled: Incorrect configuration) + Netwerkinstallatie. (Uitgeschakeld: Ongeldige configuratie) - - Your hostname is too long. - De hostnaam is te lang. + + Network Installation. (Disabled: Received invalid groups data) + Netwerkinstallatie. (Uitgeschakeld: ongeldige gegevens over groepen) - - '%1' is not allowed as hostname. - De hostnaam '%1' is niet toegestaan. + + Network Installation. (Disabled: Internal error) + Netwerkinstallatie. (Uitgeschakeld: Interne Fout) - - Only letters, numbers, underscore and hyphen are allowed. - Alleen letters, nummers en (laag) streepjes zijn toegestaan. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Netwerkinstallatie. (Uitgeschakeld: kon de pakketlijsten niet binnenhalen, controleer de netwerkconnectie) - - Your passwords do not match! - Je wachtwoorden komen niet overeen! + + Network Installation. (Disabled: No package list) + Netwerkinstallatie. (Uitgeschakeld: Ontbrekende pakketlijst) - - OK! - + + Package selection + Pakketkeuze @@ -1079,82 +1062,99 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Dit is een overzicht van wat zal gebeuren wanneer je de installatieprocedure start. - - Setup Failed - @title - Voorbereiding mislukt + + Your username is too long. + De gebruikersnaam is te lang. - - Installation Failed - @title - Installatie Mislukt + + Your username must start with a lowercase letter or underscore. + Je gebruikersnaam moet beginnen met een kleine letter of laag streepje. - - The setup of %1 did not complete successfully. - @info - De voorbereiding van %1 is niet met succes voltooid. + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Alleen kleine letters, nummerse en (laag) streepjes zijn toegestaan. - - The installation of %1 did not complete successfully. - @info - De installatie van %1 is niet met succes voltooid. + + '%1' is not allowed as username. + De gebruikersnaam '%1' is niet toegestaan. - - Setup Complete - @title - Voorbereiden voltooid + + Your hostname is too short. + De hostnaam is te kort. - - Installation Complete - @title - Installatie Afgerond. + + Your hostname is too long. + De hostnaam is te lang. - - The setup of %1 is complete. - @info - De voorbereiden van %1 is voltooid. + + '%1' is not allowed as hostname. + De hostnaam '%1' is niet toegestaan. - - The installation of %1 is complete. - @info - De installatie van %1 is afgerond. + + Only letters, numbers, underscore and hyphen are allowed. + Alleen letters, nummers en (laag) streepjes zijn toegestaan. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Je wachtwoorden komen niet overeen! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - Instellen tijdzone naar %1/%2 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info - De taal van het systeem zal worden ingesteld op %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 voor te bereiden.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. - - The numbers and dates locale will be set to %1. - @info - De getal- en datumnotatie worden ingesteld op %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 te installeren.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. + + + + This program will ask you some questions and set up %2 on your computer. + Dit programma stelt je enkele vragen en installeert %2 op jouw computer. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Welkom in het Calamares voorbereidingsprogramma voor %1.</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Welkom in het %1 voorbereidingsprogramma.</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Welkom in het Calamares installatieprogramma voor %1.</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Welkom in het %1 installatieprogramma.</h1> @@ -1479,9 +1479,14 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Dit apparaat heeft een <strong>%1</strong> partitietabel. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Dit type partitietabel is enkel aan te raden op oudere systemen die opstarten vanaf een <strong>BIOS</strong>-opstartomgeving. GPT is aan te raden in de meeste andere gevallen.<br><br><strong>Opgelet:</strong> De MBR-partitietabel is een verouderde standaard uit de tijd van MS-DOS.<br>Slechts 4 <em>primaire</em> partities kunnen aangemaakt worden, en van deze 4 kan één een <em>uitgebreide</em> partitie zijn, die op zijn beurt meerdere <em>logische</em> partities kan bevatten. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Dit is de aanbevolen partitietabel voor moderne systemen die starten vanaf een <strong>EFI</strong> opstartomgeving. @@ -1494,14 +1499,9 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het installatieprogramma <strong>kon geen partitietabel vinden</strong> op het geselecteerde opslagmedium.<br><br>Dit apparaat heeft ofwel geen partitietabel, ofwel is deze ongeldig of van een onbekend type.<br>Het installatieprogramma kan een nieuwe partitietabel aanmaken, ofwel automatisch, ofwel via de manuele partitioneringspagina. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Dit is de aanbevolen partitietabel voor moderne systemen die starten vanaf een <strong>EFI</strong> opstartomgeving. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Dit type partitietabel is enkel aan te raden op oudere systemen die opstarten vanaf een <strong>BIOS</strong>-opstartomgeving. GPT is aan te raden in de meeste andere gevallen.<br><br><strong>Opgelet:</strong> De MBR-partitietabel is een verouderde standaard uit de tijd van MS-DOS.<br>Slechts 4 <em>primaire</em> partities kunnen aangemaakt worden, en van deze 4 kan één een <em>uitgebreide</em> partitie zijn, die op zijn beurt meerdere <em>logische</em> partities kan bevatten. + + This device has a <strong>%1</strong> partition table. + Dit apparaat heeft een <strong>%1</strong> partitietabel. @@ -2277,7 +2277,7 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. LocaleTests - + Quit @@ -2447,6 +2447,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. label for netinstall module, choose desktop environment Desktop + + + Applications + Applicaties + Communication @@ -2495,11 +2500,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. label for netinstall module Gereedschappen - - - Applications - Applicaties - NotesQmlViewStep @@ -2672,11 +2672,27 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. The password contains forbidden words in some form Het wachtwoord bevat verboden woorden in één of andere vorm. + + + The password contains fewer than %n digits + + Het wachtwoord bevat minder dan %n getallen + Het wachtwoord bevat minder dan %n getallen + + The password contains too few digits Het wachtwoord bevat te weinig cijfers + + + The password contains fewer than %n uppercase letters + + Het wachtwoord bevat minder dan %n hoofdletters + Het wachtwoord bevat minder dan %n hoofdletters + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. The password contains too few lowercase letters Het wachtwoord bevat te weinig kleine letters. - - - The password contains too few non-alphanumeric characters - Het wachtwoord bevat te weinig niet-alfanumerieke symbolen. - - - - The password is too short - Het wachtwoord is te kort. - - - - The password does not contain enough character classes - Het wachtwoord bevat te weinig karaktergroepen - - - - The password contains too many same characters consecutively - Het wachtwoord bevat te veel dezelfde karakters na elkaar - - - - The password contains too many characters of the same class consecutively - Het wachtwoord bevat te veel karakters van dezelfde groep na elkaar - - - - The password contains fewer than %n digits - - Het wachtwoord bevat minder dan %n getallen - Het wachtwoord bevat minder dan %n getallen - - - - - The password contains fewer than %n uppercase letters - - Het wachtwoord bevat minder dan %n hoofdletters - Het wachtwoord bevat minder dan %n hoofdletters - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het wachtwoord bevat minder dan %n niet-alfanumerieke symbolen. + + + The password contains too few non-alphanumeric characters + Het wachtwoord bevat te weinig niet-alfanumerieke symbolen. + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het wachtwoord is korter dan %n karakters + + + The password is too short + Het wachtwoord is te kort. + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het wachtwoord bevat minder dan %n karaktergroepen + + + The password does not contain enough character classes + Het wachtwoord bevat te weinig karaktergroepen + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het wachtwoord bevat meer dan %n dezelfde karakters na elkaar + + + The password contains too many same characters consecutively + Het wachtwoord bevat te veel dezelfde karakters na elkaar + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Het wachtwoord bevat meer dan %n dezelfde karakters van dezelfde groep na elkaar + + + The password contains too many characters of the same class consecutively + Het wachtwoord bevat te veel karakters van dezelfde groep na elkaar + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partities + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Huidig: - - No EFI system partition configured - Geen EFI systeempartitie geconfigureerd + + After: + @label + Na: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partities - - - - Current: - @label - Huidig: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Na: + + No EFI system partition configured + Geen EFI systeempartitie geconfigureerd - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,14 +3394,14 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ProcessResult - + There was no output from the command. Er was geen uitvoer van de opdracht. - + Output: @@ -3410,52 +3410,52 @@ Uitvoer: - + External command crashed. Externe opdracht is vastgelopen. - + Command <i>%1</i> crashed. Opdracht <i>%1</i> is vastgelopen. - + External command failed to start. Externe opdracht kon niet worden gestart. - + Command <i>%1</i> failed to start. Opdracht <i>%1</i> kon niet worden gestart. - + Internal error when starting command. Interne fout bij het starten van de opdracht. - + Bad parameters for process job call. Onjuiste parameters voor procestaak - + External command failed to finish. Externe opdracht is niet correct beëindigd. - + Command <i>%1</i> failed to finish in %2 seconds. Opdracht <i>%1</i> is niet beëindigd in %2 seconden. - + External command finished with errors. Externe opdracht beëindigd met fouten. - + Command <i>%1</i> finished with exit code %2. Opdracht <i>%1</i> beëindigd met foutcode %2. @@ -3467,6 +3467,30 @@ Uitvoer: %1 (%2) %1 (%2) + + + unknown + @partition info + onbekend + + + + extended + @partition info + uitgebreid + + + + unformatted + @partition info + niet-geformateerd + + + + swap + @partition info + wisselgeheugen + @@ -3498,30 +3522,6 @@ Uitvoer: (no mount point) (geen aankoppelpunt) - - - unknown - @partition info - onbekend - - - - extended - @partition info - uitgebreid - - - - unformatted - @partition info - niet-geformateerd - - - - swap - @partition info - wisselgeheugen - Unpartitioned space or unknown partition table @@ -3956,17 +3956,17 @@ De installatie kan niet doorgaan. Cannot disable root account. Kan root account niet uitschakelen. - - - Cannot set password for user %1. - Kan het wachtwoord niet instellen voor gebruiker %1 - usermod terminated with error code %1. usermod beëindigd met foutcode %1. + + + Cannot set password for user %1. + Kan het wachtwoord niet instellen voor gebruiker %1 + SetTimezoneJob @@ -4059,7 +4059,8 @@ De installatie kan niet doorgaan. SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4870,11 +4871,21 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is your name? Wat is je naam? + + + Your full name + + What name do you want to use to log in? Welke naam wil je gebruiken om in te loggen? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4895,11 +4906,21 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is the name of this computer? Wat is de naam van deze computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Deze naam zal worden gebruikt als u de computer zichtbaar maakt voor anderen op een netwerk. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4915,11 +4936,31 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Password Wachtwoord + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Voer hetzelfde wachtwoord twee keer in, zodat het gecontroleerd kan worden op tikfouten. Een goed wachtwoord bevat een combinatie van letters, cijfers en leestekens, is ten minste acht tekens lang, en zou regelmatig moeten worden gewijzigd. + + + Reuse user password as root password + Hergebruik gebruikerswachtwoord als root (administratie) wachtwoord. + + + + Use the same password for the administrator account. + Gebruik hetzelfde wachtwoord voor het administratoraccount. + + + + Choose a root password to keep your account safe. + Kies een root (administratie) wachtwoord om je account veilig te houden. + Root password @@ -4931,14 +4972,9 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem - - Validate passwords quality - Controleer wachtwoorden op gelijkheid - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Wanneer dit vakje is aangevinkt, wachtwoordssterkte zal worden gecontroleerd en je zal geen zwak wachtwoord kunnen gebruiken. + + Enter the same password twice, so that it can be checked for typing errors. + Voer hetzelfde wachtwoord twee keer in, zodat het gecontroleerd kan worden op tikfouten. @@ -4946,49 +4982,14 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Automatisch aanmelden zonder wachtwoord te vragen - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Hergebruik gebruikerswachtwoord als root (administratie) wachtwoord. - - - - Use the same password for the administrator account. - Gebruik hetzelfde wachtwoord voor het administratoraccount. - - - - Choose a root password to keep your account safe. - Kies een root (administratie) wachtwoord om je account veilig te houden. + + Validate passwords quality + Controleer wachtwoorden op gelijkheid - - Enter the same password twice, so that it can be checked for typing errors. - Voer hetzelfde wachtwoord twee keer in, zodat het gecontroleerd kan worden op tikfouten. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Wanneer dit vakje is aangevinkt, wachtwoordssterkte zal worden gecontroleerd en je zal geen zwak wachtwoord kunnen gebruiken. @@ -5003,11 +5004,21 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is your name? Wat is je naam? + + + Your full name + + What name do you want to use to log in? Welke naam wil je gebruiken om in te loggen? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5028,16 +5039,6 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem What is the name of this computer? Wat is de naam van deze computer? - - - Your full name - - - - - Login name - - Computer name @@ -5073,16 +5074,6 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5103,6 +5094,16 @@ Dit logboek is ook gekopieerd naar /var/log/installation.log van het doelsysteem Choose a root password to keep your account safe. Kies een root (administratie) wachtwoord om je account veilig te houden. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_oc.ts b/lang/calamares_oc.ts index a8bd74b616..fa3b97ec24 100644 --- a/lang/calamares_oc.ts +++ b/lang/calamares_oc.ts @@ -125,31 +125,21 @@ Interface: Interfàcia : + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Recarga lo fuèlh d’estil a partir del dossièr de personalizacion de marca. - - - Uploads the session log to the configured pastebin. - Manda los logs de session al pastebin configurat. - - - - Send Session Log - Enviar los logs de session - Reload Stylesheet Recargar fuèlh d’estil - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arborescéncia Widget + + + Uploads the session log to the configured pastebin. + Manda los logs de session al pastebin configurat. + + + + Send Session Log + Enviar los logs de session + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n segonda) + (%n segondas) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Lo mandadís a pas reüssit. Cap de partiment de log pas fach. + + + + Install log posted to + +%1 + +Link copied to clipboard + Logs de l’installacion publicat dins + +%1 + +Ligam copiat al quichapapièrs + + + + Install Log Paste URL + URL dels logs de l’installador + &Yes @@ -407,7 +430,7 @@ &Tampar - + Setup Failed @title Configuracion fracassada @@ -437,13 +460,13 @@ Se pòt pas installar %1. Calamares a pas pogut cargar totes los moduls configurats. I a un problèma amb lo biais que Calamares es utilizat per aquesta distribucion. - + <br/>The following modules could not be loaded: @info <br/>Se podiá pas cargar los moduls seguents : - + Continue with Setup? @title @@ -461,132 +484,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Installar - + Setup is complete. Close the setup program. @tooltip Configuracion acabada. Tampatz lo programa de configuracion. - + The installation is complete. Close the installer. @tooltip L’installacion es acabada. Tampatz l’installador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Seguent - + &Back @button &Tornar - + &Done @button &Acabat - + &Cancel @button &Anullar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL dels logs de l’installador - - - - The upload was unsuccessful. No web-paste was done. - Lo mandadís a pas reüssit. Cap de partiment de log pas fach. - - - - Install log posted to - -%1 - -Link copied to clipboard - Logs de l’installacion publicat dins - -%1 - -Ligam copiat al quichapapièrs - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -595,25 +595,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Tipe d’excepcion desconegut - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -670,16 +670,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -707,6 +697,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -828,6 +823,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -838,44 +838,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 desmontat amb succès. - + Successfully disabled swap %1. Escambi Swap %1 corrèctament desactivat. - + Successfully cleared swap %1. Escambi Swap %1 escafat corrèctament. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -911,129 +911,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Installacion ret. (Desactivada : configuracion incorrècta) - - - - Network Installation. (Disabled: Received invalid groups data) - Installacion ret. (Desactivada : grops de donadas invalids recebuts) - - - - Network Installation. (Disabled: Internal error) - Installacion ret. (Desactivada : error intèrna) - - - - Network Installation. (Disabled: No package list) - Installacion ret. (Desactivada : pas de lista de paquets) - - - - Package selection - Seleccion dels paquets - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Installacion ret. (Desactivada : recuperacion impossibla de las listas de paquets, verificatz la connexion ret) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Configuracion fracassada - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Installacion fracassada - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This program will ask you some questions and set up %2 on your computer. - + + Setup Complete + @title + Configuracion acabada - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>La benvenguda al programa d’installacion de Calamares per %1</h1> + + Installation Complete + @title + Installacion acabada - - <h1>Welcome to %1 setup</h1> - <h1>La benvenguda a la configuracion de %1</h1> + + The setup of %1 is complete. + @info + La configuracion de %1 es acabada. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>La benvenguda a l’installador de Calamares per %1</h1> + + The installation of %1 is complete. + @info + L’installacion de %1 es acabada. - - <h1>Welcome to the %1 installer</h1> - <h1>La benvenguda a l’installador de %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Vòstre nom d’utilizaire es tròp long. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - « %1 » es pas permés coma nom d’utilizaire. + + Set timezone to %1/%2 + @action + Fus orari definit a %1/%2 - - Your username must start with a lowercase letter or underscore. - Vòstre nom d’utilizaire deu començar per una minuscula o un jonhent bas. + + The system language will be set to %1. + @info + La lenga del sistèma serà definida a %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Son solament permeses las letras minusculas, nombres, jonhents basses e los tirets. + + The numbers and dates locale will be set to %1. + @info + Lo format de nombres e de data serà definit a %1. - - Your hostname is too short. - Vòstre nom d’òste es tròp cort. + + Network Installation. (Disabled: Incorrect configuration) + Installacion ret. (Desactivada : configuracion incorrècta) - - Your hostname is too long. - Vòstre nom d’òste es tròp long. + + Network Installation. (Disabled: Received invalid groups data) + Installacion ret. (Desactivada : grops de donadas invalids recebuts) - - '%1' is not allowed as hostname. - « %1 » es pas permés coma nom d’òste. + + Network Installation. (Disabled: Internal error) + Installacion ret. (Desactivada : error intèrna) - - Only letters, numbers, underscore and hyphen are allowed. - Son solament permeses las letras, nombres, jonhents basses e los tirets. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Installacion ret. (Desactivada : recuperacion impossibla de las listas de paquets, verificatz la connexion ret) - - Your passwords do not match! - Los senhals correspondon pas ! + + Network Installation. (Disabled: No package list) + Installacion ret. (Desactivada : pas de lista de paquets) - - OK! - D’acòrd ! + + Package selection + Seleccion dels paquets @@ -1077,82 +1060,99 @@ The installer will quit and all changes will be lost. Aquò es un apercebut de çò qu’arribarà un còp que lançaretz la procedura de configuracion - - Setup Failed - @title - Configuracion fracassada + + Your username is too long. + Vòstre nom d’utilizaire es tròp long. - - Installation Failed - @title - Installacion fracassada + + Your username must start with a lowercase letter or underscore. + Vòstre nom d’utilizaire deu començar per una minuscula o un jonhent bas. - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Son solament permeses las letras minusculas, nombres, jonhents basses e los tirets. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + « %1 » es pas permés coma nom d’utilizaire. - - Setup Complete - @title - Configuracion acabada + + Your hostname is too short. + Vòstre nom d’òste es tròp cort. - - Installation Complete - @title - Installacion acabada + + Your hostname is too long. + Vòstre nom d’òste es tròp long. - - The setup of %1 is complete. - @info - La configuracion de %1 es acabada. + + '%1' is not allowed as hostname. + « %1 » es pas permés coma nom d’òste. - - The installation of %1 is complete. - @info - L’installacion de %1 es acabada. + + Only letters, numbers, underscore and hyphen are allowed. + Son solament permeses las letras, nombres, jonhents basses e los tirets. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Los senhals correspondon pas ! + + + + OK! + D’acòrd ! + + + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Set timezone to %1/%2 - @action - Fus orari definit a %1/%2 + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + - - The system language will be set to %1. - @info - La lenga del sistèma serà definida a %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + - - The numbers and dates locale will be set to %1. - @info - Lo format de nombres e de data serà definit a %1. + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>La benvenguda al programa d’installacion de Calamares per %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>La benvenguda a la configuracion de %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>La benvenguda a l’installador de Calamares per %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>La benvenguda a l’installador de %1</h1> @@ -1477,8 +1477,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1492,13 +1497,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2275,7 +2275,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit Quitar @@ -2445,6 +2445,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Burèu + + + Applications + Aplicacions + Communication @@ -2493,11 +2498,6 @@ The installer will quit and all changes will be lost. label for netinstall module Utilitaris - - - Applications - Aplicacions - NotesQmlViewStep @@ -2670,11 +2670,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2693,47 +2709,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - Lo senhal es tròp cort - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2742,6 +2717,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2750,6 +2730,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + Lo senhal es tròp cort + The password is a rotated version of the previous one @@ -2763,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2771,6 +2761,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2779,6 +2774,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3203,50 +3203,54 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. - - - - - Partitioning is configured to <b>always</b> fail. - - - - - No partitions will be changed. + + Gathering system information… + @status - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - + + Partitions + @label + Particions - - The minimum recommended size for the filesystem is %1 MiB. + + Unsafe partition actions are enabled. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Partitioning is configured to <b>always</b> fail. - - No EFI system partition configured + + No partitions will be changed. - - EFI system partition configured incorrectly - + + Current: + @label + Actual : + + + + After: + @label + Aprèp : An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3257,6 +3261,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3264,37 +3273,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particions - - - - Current: - @label - Actual : + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Aprèp : + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3392,13 +3392,13 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: @@ -3407,52 +3407,52 @@ Sortida : - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. Error intèrna en lançant la comanda. - + Bad parameters for process job call. Marrits arguments per tractar la crida al prètzfach. - + External command failed to finish. La comanda extèrna a pas terminat corrèctament. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3464,6 +3464,30 @@ Sortida : %1 (%2) %1 (%2) + + + unknown + @partition info + desconegut + + + + extended + @partition info + espandida + + + + unformatted + @partition info + non formatada + + + + swap + @partition info + escambi swap + @@ -3495,30 +3519,6 @@ Sortida : (no mount point) (cap de ponch de montatge) - - - unknown - @partition info - desconegut - - - - extended - @partition info - espandida - - - - unformatted - @partition info - non formatada - - - - swap - @partition info - escambi swap - Unpartitioned space or unknown partition table @@ -3952,17 +3952,17 @@ Sortida : Cannot disable root account. - - - Cannot set password for user %1. - Definicion del senhal per l’utilizaire %1 impossibla. - usermod terminated with error code %1. + + + Cannot set password for user %1. + Definicion del senhal per l’utilizaire %1 impossibla. + SetTimezoneJob @@ -4055,7 +4055,8 @@ Sortida : SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4843,11 +4844,21 @@ Sortida : What is your name? Cossí vos dison ? + + + Your full name + + What name do you want to use to log in? Qual nom volètz utilizar per vos connectar ? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4868,11 +4879,21 @@ Sortida : What is the name of this computer? Cossí s’apèla aqueste ordenador ? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4889,80 +4910,60 @@ Sortida : Senhal - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. + + Repeat password - - Root password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Repeat root password - + + Reuse user password as root password + Tornar utilizar lo senhal utilizaire coma senhal per root - - Validate passwords quality - Validar la qualitat dels senhals + + Use the same password for the administrator account. + Utilizar lo meteis senhal pel compte administrator. - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + + Choose a root password to keep your account safe. + Causissètz un senhal root per gardar vòstre compte segur. - - Log in automatically without asking for the password + + Root password - - Your full name + + Repeat root password - - Login name - + + Enter the same password twice, so that it can be checked for typing errors. + Picatz lo meteis senhal dos còps, per empachar las errors de picada. - - Computer name + + Log in automatically without asking for the password - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - + + Validate passwords quality + Validar la qualitat dels senhals - - Repeat password + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. - - - Reuse user password as root password - Tornar utilizar lo senhal utilizaire coma senhal per root - - - - Use the same password for the administrator account. - Utilizar lo meteis senhal pel compte administrator. - - - - Choose a root password to keep your account safe. - Causissètz un senhal root per gardar vòstre compte segur. - - - - Enter the same password twice, so that it can be checked for typing errors. - Picatz lo meteis senhal dos còps, per empachar las errors de picada. - usersq-qt6 @@ -4976,11 +4977,21 @@ Sortida : What is your name? Cossí vos dison ? + + + Your full name + + What name do you want to use to log in? Qual nom volètz utilizar per vos connectar ? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5001,16 +5012,6 @@ Sortida : What is the name of this computer? Cossí s’apèla aqueste ordenador ? - - - Your full name - - - - - Login name - - Computer name @@ -5046,16 +5047,6 @@ Sortida : Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5076,6 +5067,16 @@ Sortida : Choose a root password to keep your account safe. Causissètz un senhal root per gardar vòstre compte segur. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_pl.ts b/lang/calamares_pl.ts index f00065dd9a..2db1623cb9 100644 --- a/lang/calamares_pl.ts +++ b/lang/calamares_pl.ts @@ -125,31 +125,21 @@ Interface: Interfejs: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Powoduje awarię Calamares, aby dr Konqui mógł się temu przyjrzeć. + Reloads the stylesheet from the branding directory. Ponownie ładuje arkusz stylów z katalogu brandingu. - - - Uploads the session log to the configured pastebin. - Przesyła dziennik sesji do skonfigurowanego pliku na pastebin. - - - - Send Session Log - Wyślij dziennik sesji - Reload Stylesheet Przeładowuje Arkusz Stylów - - - Crashes Calamares, so that Dr. Konqi can look at it. - Powoduje awarię Calamares, aby dr Konqui mógł się temu przyjrzeć. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Drzewo widżetów + + + Uploads the session log to the configured pastebin. + Przesyła dziennik sesji do skonfigurowanego pliku na pastebin. + + + + Send Session Log + Wyślij dziennik sesji + Debug Information @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Przesyłanie nie powiodło się. Nie dokonano wklejania stron internetowych. + + + + Install log posted to + +%1 + +Link copied to clipboard + Dziennik instalacji opublikowany w + +%1 + +Link skopiowany do schowka + + + + Install Log Paste URL + Wklejony adres URL dziennika instalacji + &Yes @@ -411,7 +434,7 @@ Zam&knij - + Setup Failed @title Nieudane ustawianie @@ -441,13 +464,13 @@ %1 nie może zostać zainstalowany. Calamares nie mógł wczytać wszystkich skonfigurowanych modułów. Jest to problem ze sposobem, w jaki Calamares jest używany przez dystrybucję. - + <br/>The following modules could not be loaded: @info <br/>Następujące moduły nie mogły zostać wczytane: - + Continue with Setup? @title Kontynuować konfigurację? @@ -465,133 +488,110 @@ Program instalacyjny %1 dokona zmian na dysku, aby skonfigurować %2.<br/><strong>Nie będzie można cofnąć tych zmian.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Instalator %1 zamierza przeprowadzić zmiany na Twoim dysku, aby zainstalować %2.<br/><strong>Nie będziesz mógł cofnąć tych zmian.</strong> - + &Set Up Now @button U&staw teraz - + &Install Now @button Za&instaluj teraz - + Go &Back @button &Wstecz - + &Set Up @button &Skonfiguruj - + &Install @button Za&instaluj - + Setup is complete. Close the setup program. @tooltip Konfiguracja jest zakończona. Zamknij program instalacyjny. - + The installation is complete. Close the installer. @tooltip Instalacja ukończona pomyślnie. Możesz zamknąć instalator. - + Cancel the setup process without changing the system. @tooltip Anuluj konfigurację bez zmian w systemie. - + Cancel the installation process without changing the system. @tooltip Anuluj konfigurację bez zmian w systemie. - + &Next @button &Dalej - + &Back @button &Wstecz - + &Done @button &Ukończono - + &Cancel @button &Anuluj - + Cancel Setup? @title Anulować konfigurację? - + Cancel Installation? @title Anulować instalację? - - Install Log Paste URL - Wklejony adres URL dziennika instalacji - - - - The upload was unsuccessful. No web-paste was done. - Przesyłanie nie powiodło się. Nie dokonano wklejania stron internetowych. - - - - Install log posted to - -%1 - -Link copied to clipboard - Dziennik instalacji opublikowany w - -%1 - -Link skopiowany do schowka - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Czy naprawdę chcesz anulować bieżący proces konfiguracji? Program instalacyjny zostanie zamknięty, a wszystkie zmiany zostaną utracone. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Czy na pewno chcesz anulować obecny proces instalacji? @@ -601,25 +601,25 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. CalamaresPython::Helper - + Unknown exception type @error Nieznany rodzaj wyjątku - + Unparseable Python error @error Błąd Pythona niemożliwy do przeanalizowania - + Unparseable Python traceback @error Błąd Pythone niemożliwy do prześledzenia - + Unfetchable Python error @error Błąd Pythona niemożliwy do pobrania @@ -676,16 +676,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ręczne partycjonowanie</strong><br/>Możesz samodzielnie utworzyć lub zmienić rozmiar istniejących partycji. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Wybierz partycję do zmniejszenia, a następnie przeciągnij dolny pasek, aby zmienić jej rozmiar</strong> - Select storage de&vice: @@ -713,6 +703,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Wybierz partycję do zmniejszenia, a następnie przeciągnij dolny pasek, aby zmienić jej rozmiar</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -834,6 +829,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.@label Przestrzeń wymiany do pliku + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ręczne partycjonowanie</strong><br/>Możesz samodzielnie utworzyć lub zmienić rozmiar istniejących partycji. + Bootloader location: @@ -844,44 +844,44 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. ClearMountsJob - + Successfully unmounted %1. Pomyślnie odmontowano %1. - + Successfully disabled swap %1. Pomyślnie wyłączono pamięć wymiany %1. - + Successfully cleared swap %1. Pomyślnie wyczyszczono pamięć wymiany %1. - + Successfully closed mapper device %1. Pomyślnie zamknięto urządzenie mapujące %1. - + Successfully disabled volume group %1. Pomyślnie wyłączono grupę woluminów %1. - + Clear mounts for partitioning operations on %1 @title Wyczyść zamontowania dla operacji partycjonowania na %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Wyczyszczono wszystkie zamontowania dla %1 @@ -917,129 +917,112 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalacja sieciowa. (Wyłączono: Nieprawidłowa konfiguracja) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalacja sieciowa. (Niedostępna: Otrzymano nieprawidłowe dane grupowe) - - - - Network Installation. (Disabled: Internal error) - Instalacja sieciowa. (Wyłączono: Błąd wewnętrzny) - - - - Network Installation. (Disabled: No package list) - Instalacja sieciowa. (Wyłączono: Brak listy pakietów) - - - - Package selection - Wybór pakietów - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalacja sieciowa. (Wyłączona: Nie można pobrać listy pakietów, sprawdź swoje połączenie z siecią) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Konfiguracja nie może być kontynuowana. + + Setup Failed + @title + Nieudane ustawianie - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Instalacja nie może być kontynuowana. + + Installation Failed + @title + Wystąpił błąd instalacji - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Ten komputer nie spełnia niektórych zalecanych wymagań dotyczących konfigurowania %1. <br/>Konfiguracja może być kontynuowana, ale niektóre funkcje mogą być wyłączone. + + The setup of %1 did not complete successfully. + @info + Instalacja %1 nie została ukończona pomyślnie. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Ten komputer nie spełnia wszystkich, zalecanych do instalacji %1 wymagań.<br/>Instalacja może być kontynuowana, ale niektóre opcje mogą być niedostępne. + + The installation of %1 did not complete successfully. + @info + Instalacja %1 nie została ukończona pomyślnie. - - This program will ask you some questions and set up %2 on your computer. - Ten program zada Ci garść pytań i ustawi %2 na Twoim komputerze. + + Setup Complete + @title + Ustawianie ukończone - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Witamy w programie instalacyjnym Calamares dla %1</h1> + + Installation Complete + @title + Instalacja zakończona - - <h1>Welcome to %1 setup</h1> - <h1>Witamy w konfiguracji %1 </h1> + + The setup of %1 is complete. + @info + Ustawianie %1 jest ukończone. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Witamy w instalatorze Calamares dla %1</h1> + + The installation of %1 is complete. + @info + Instalacja %1 ukończyła się pomyślnie. - - <h1>Welcome to the %1 installer</h1> - <h1>Witamy w instalatorze %1 + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Model klawiatury został ustawiony na %1<br/>. - - Your username is too long. - Twoja nazwa użytkownika jest za długa. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Model klawiatury został ustawiony na %1/%2. - - '%1' is not allowed as username. - '%1' nie może zostać użyte jako nazwa użytkownika. + + Set timezone to %1/%2 + @action + Ustaw strefę czasowa na %1/%2 - - Your username must start with a lowercase letter or underscore. - Nazwa użytkownika musi zaczynać się od małej litery lub podkreślenia. + + The system language will be set to %1. + @info + Język systemu zostanie ustawiony na %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Dozwolone są tylko małe litery, cyfry, podkreślenia i łączniki. + + The numbers and dates locale will be set to %1. + @info + Format liczb i daty zostanie ustawiony na %1. - - Your hostname is too short. - Twoja nazwa komputera jest za krótka. + + Network Installation. (Disabled: Incorrect configuration) + Instalacja sieciowa. (Wyłączono: Nieprawidłowa konfiguracja) - - Your hostname is too long. - Twoja nazwa komputera jest za długa. + + Network Installation. (Disabled: Received invalid groups data) + Instalacja sieciowa. (Niedostępna: Otrzymano nieprawidłowe dane grupowe) - - '%1' is not allowed as hostname. - "%1" nie jest dozwolona jako nazwa hosta. + + Network Installation. (Disabled: Internal error) + Instalacja sieciowa. (Wyłączono: Błąd wewnętrzny) - - Only letters, numbers, underscore and hyphen are allowed. - Dozwolone są tylko litery, cyfry, podkreślenia i łączniki. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalacja sieciowa. (Wyłączona: Nie można pobrać listy pakietów, sprawdź swoje połączenie z siecią) - - Your passwords do not match! - Twoje hasła nie są zgodne! + + Network Installation. (Disabled: No package list) + Instalacja sieciowa. (Wyłączono: Brak listy pakietów) - - OK! - OK! + + Package selection + Wybór pakietów @@ -1073,92 +1056,109 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Podsumowanie - - This is an overview of what will happen once you start the setup procedure. - Jest to przegląd tego, co stanie się po rozpoczęciu procedury konfiguracji. + + This is an overview of what will happen once you start the setup procedure. + Jest to przegląd tego, co stanie się po rozpoczęciu procedury konfiguracji. + + + + This is an overview of what will happen once you start the install procedure. + To jest podsumowanie czynności, które zostaną wykonane po rozpoczęciu przez Ciebie instalacji. + + + + Your username is too long. + Twoja nazwa użytkownika jest za długa. + + + + Your username must start with a lowercase letter or underscore. + Nazwa użytkownika musi zaczynać się od małej litery lub podkreślenia. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Dozwolone są tylko małe litery, cyfry, podkreślenia i łączniki. + + + + '%1' is not allowed as username. + '%1' nie może zostać użyte jako nazwa użytkownika. + + + + Your hostname is too short. + Twoja nazwa komputera jest za krótka. - - This is an overview of what will happen once you start the install procedure. - To jest podsumowanie czynności, które zostaną wykonane po rozpoczęciu przez Ciebie instalacji. + + Your hostname is too long. + Twoja nazwa komputera jest za długa. - - Setup Failed - @title - Nieudane ustawianie + + '%1' is not allowed as hostname. + "%1" nie jest dozwolona jako nazwa hosta. - - Installation Failed - @title - Wystąpił błąd instalacji + + Only letters, numbers, underscore and hyphen are allowed. + Dozwolone są tylko litery, cyfry, podkreślenia i łączniki. - - The setup of %1 did not complete successfully. - @info - Instalacja %1 nie została ukończona pomyślnie. + + Your passwords do not match! + Twoje hasła nie są zgodne! - - The installation of %1 did not complete successfully. - @info - Instalacja %1 nie została ukończona pomyślnie. + + OK! + OK! - - Setup Complete - @title - Ustawianie ukończone + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Konfiguracja nie może być kontynuowana. - - Installation Complete - @title - Instalacja zakończona + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Instalacja nie może być kontynuowana. - - The setup of %1 is complete. - @info - Ustawianie %1 jest ukończone. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Ten komputer nie spełnia niektórych zalecanych wymagań dotyczących konfigurowania %1. <br/>Konfiguracja może być kontynuowana, ale niektóre funkcje mogą być wyłączone. - - The installation of %1 is complete. - @info - Instalacja %1 ukończyła się pomyślnie. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Ten komputer nie spełnia wszystkich, zalecanych do instalacji %1 wymagań.<br/>Instalacja może być kontynuowana, ale niektóre opcje mogą być niedostępne. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Model klawiatury został ustawiony na %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Ten program zada Ci garść pytań i ustawi %2 na Twoim komputerze. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Model klawiatury został ustawiony na %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Witamy w programie instalacyjnym Calamares dla %1</h1> - - Set timezone to %1/%2 - @action - Ustaw strefę czasowa na %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Witamy w konfiguracji %1 </h1> - - The system language will be set to %1. - @info - Język systemu zostanie ustawiony na %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Witamy w instalatorze Calamares dla %1</h1> - - The numbers and dates locale will be set to %1. - @info - Format liczb i daty zostanie ustawiony na %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Witamy w instalatorze %1 @@ -1483,9 +1483,14 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - To urządzenie ma <strong>%1</strong> tablicę partycji. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ten rodzaj tabeli partycji jest zalecany tylko dla systemów uruchamianych ze środowiska uruchomieniowego <strong>BIOS</strong>. GPT jest zalecane w większości innych wypadków.<br><br><strong>Ostrzeżenie:</strong> tabele partycji MBR są przestarzałym standardem z ery MS-DOS.<br>Możesz posiadać tylko 4 partycje <em>podstawowe</em>, z których jedna może być partycją <em>rozszerzoną</em>, zawierającą wiele partycji <em>logicznych</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Zalecany rodzaj tabeli partycji dla nowoczesnych systemów uruchamianych przez <strong>EFI</strong>. @@ -1498,14 +1503,9 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Instalator <strong>nie mógł znaleźć tabeli partycji</strong> na zaznaczonym nośniku danych.<br><br>Urządzenie nie posiada tabeli partycji bądź jest ona uszkodzona lub nieznanego rodzaju.<br>Instalator może utworzyć dla Ciebie nową tabelę partycji automatycznie, lub możesz uczynić to ręcznie. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Zalecany rodzaj tabeli partycji dla nowoczesnych systemów uruchamianych przez <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ten rodzaj tabeli partycji jest zalecany tylko dla systemów uruchamianych ze środowiska uruchomieniowego <strong>BIOS</strong>. GPT jest zalecane w większości innych wypadków.<br><br><strong>Ostrzeżenie:</strong> tabele partycji MBR są przestarzałym standardem z ery MS-DOS.<br>Możesz posiadać tylko 4 partycje <em>podstawowe</em>, z których jedna może być partycją <em>rozszerzoną</em>, zawierającą wiele partycji <em>logicznych</em>. + + This device has a <strong>%1</strong> partition table. + To urządzenie ma <strong>%1</strong> tablicę partycji. @@ -2281,7 +2281,7 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. LocaleTests - + Quit Wyjdź @@ -2455,6 +2455,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.label for netinstall module, choose desktop environment Pulpit + + + Applications + Aplikacje + Communication @@ -2503,11 +2508,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.label for netinstall module Narzędzia - - - Applications - Aplikacje - NotesQmlViewStep @@ -2680,11 +2680,31 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.The password contains forbidden words in some form Hasło zawiera jeden z niedozwolonych wyrazów + + + The password contains fewer than %n digits + + Hasło zawiera mniej niż %n cyfrę + Hasło zawiera mniej niż %n cyfry + Hasło zawiera mniej niż %n cyfr + Hasło zawiera mniej niż %n cyfr + + The password contains too few digits Hasło zawiera zbyt mało znaków + + + The password contains fewer than %n uppercase letters + + Hasło zawiera mniej niż %n wielką literę + Hasło zawiera mniej niż %n wielkie litery + Hasło zawiera mniej niż %n wielkich liter + Hasło zawiera mniej niż %n wielkich liter + + The password contains too few uppercase letters @@ -2705,51 +2725,6 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.The password contains too few lowercase letters Hasło zawiera zbyt mało małych liter - - - The password contains too few non-alphanumeric characters - Hasło zawiera zbyt mało znaków niealfanumerycznych - - - - The password is too short - Hasło jest zbyt krótkie - - - - The password does not contain enough character classes - Hasło zawiera zbyt mało rodzajów znaków - - - - The password contains too many same characters consecutively - Hasło zawiera zbyt wiele powtarzających się znaków - - - - The password contains too many characters of the same class consecutively - Hasło składa się ze zbyt wielu znaków tego samego rodzaju - - - - The password contains fewer than %n digits - - Hasło zawiera mniej niż %n cyfrę - Hasło zawiera mniej niż %n cyfry - Hasło zawiera mniej niż %n cyfr - Hasło zawiera mniej niż %n cyfr - - - - - The password contains fewer than %n uppercase letters - - Hasło zawiera mniej niż %n wielką literę - Hasło zawiera mniej niż %n wielkie litery - Hasło zawiera mniej niż %n wielkich liter - Hasło zawiera mniej niż %n wielkich liter - - The password contains fewer than %n non-alphanumeric characters @@ -2760,6 +2735,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Hasło zawiera mniej niż %n znaków niealfanumerycznych + + + The password contains too few non-alphanumeric characters + Hasło zawiera zbyt mało znaków niealfanumerycznych + The password is shorter than %n characters @@ -2770,6 +2750,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Hasło jest krótsze niż %n znaków + + + The password is too short + Hasło jest zbyt krótkie + The password is a rotated version of the previous one @@ -2785,6 +2770,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Hasło zawiera mniej niż %n klas znaków + + + The password does not contain enough character classes + Hasło zawiera zbyt mało rodzajów znaków + The password contains more than %n same characters consecutively @@ -2795,6 +2785,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Hasło zawiera więcej niż %n takich samych znaków po sobie + + + The password contains too many same characters consecutively + Hasło zawiera zbyt wiele powtarzających się znaków + The password contains more than %n characters of the same class consecutively @@ -2805,6 +2800,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Hasło zawiera więcej niż %n znaków kolejno tej samej klasy + + + The password contains too many characters of the same class consecutively + Hasło składa się ze zbyt wielu znaków tego samego rodzaju + The password contains monotonic sequence longer than %n characters @@ -3230,6 +3230,18 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partycje + Unsafe partition actions are enabled. @@ -3246,35 +3258,27 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Żadne partycje nie zostaną zmienione. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Partycja systemowa EFI jest niezbędna do uruchomienia %1.<br/><br/>Partycja systemowa EFI nie spełnia wymagań. Zalecane jest cofnięcie się i wybranie lub utworzenie odpowiedniego systemu plików. - - - - The minimum recommended size for the filesystem is %1 MiB. - Minimalny zalecany rozmiar systemu plików to %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Możesz kontynuować konfigurację tej partycji systemowej EFI, ale system może się nie uruchomić. - - - - No EFI system partition configured - Nie skonfigurowano partycji systemowej EFI + + Current: + @label + Bieżący: - - EFI system partition configured incorrectly - Partycja systemowa EFI skonfigurowana niepoprawnie + + After: + @label + Po: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Partycja systemowa EFI jest niezbędna do uruchomienia %1.<br/><br/>Do skonfigurowania partycji systemowej EFI, cofnij się i wybierz lub utwórz odpowiedni system plików. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Partycja systemowa EFI jest niezbędna do uruchomienia %1.<br/><br/>Partycja systemowa EFI nie spełnia wymagań. Zalecane jest cofnięcie się i wybranie lub utworzenie odpowiedniego systemu plików. + The filesystem must be mounted on <strong>%1</strong>. @@ -3285,6 +3289,11 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.The filesystem must have type FAT32. System plików musi być typu FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + System plików musi mieć ustawioną flagę <strong>%1</strong>. + @@ -3292,38 +3301,29 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Rozmiar systemu plików musi wynosić co najmniej %1 MiB. - - The filesystem must have flag <strong>%1</strong> set. - System plików musi mieć ustawioną flagę <strong>%1</strong>. - - - - Gathering system information… - @status - + + The minimum recommended size for the filesystem is %1 MiB. + Minimalny zalecany rozmiar systemu plików to %1 MiB. - - Partitions - @label - Partycje + + You can continue without setting up an EFI system partition but your system may fail to start. + Możesz kontynuować bez konfigurowania partycji systemowej EFI, ale uruchomienie systemu może się nie powieść. - - Current: - @label - Bieżący: + + You can continue with this EFI system partition configuration but your system may fail to start. + Możesz kontynuować konfigurację tej partycji systemowej EFI, ale system może się nie uruchomić. - - After: - @label - Po: + + No EFI system partition configured + Nie skonfigurowano partycji systemowej EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Możesz kontynuować bez konfigurowania partycji systemowej EFI, ale uruchomienie systemu może się nie powieść. + + EFI system partition configured incorrectly + Partycja systemowa EFI skonfigurowana niepoprawnie @@ -3420,14 +3420,14 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. ProcessResult - + There was no output from the command. W wyniku polecenia nie ma żadnego rezultatu. - + Output: @@ -3436,52 +3436,52 @@ Wyjście: - + External command crashed. Zewnętrzne polecenie zakończone niepowodzeniem. - + Command <i>%1</i> crashed. Wykonanie polecenia <i>%1</i> nie powiodło się. - + External command failed to start. Nie udało się uruchomić zewnętrznego polecenia. - + Command <i>%1</i> failed to start. Polecenie <i>%1</i> nie zostało uruchomione. - + Internal error when starting command. Wystąpił wewnętrzny błąd podczas uruchamiania polecenia. - + Bad parameters for process job call. Błędne parametry wywołania zadania. - + External command failed to finish. Nie udało się ukończyć zewnętrznego polecenia. - + Command <i>%1</i> failed to finish in %2 seconds. Nie udało się ukończyć polecenia <i>%1</i> w ciągu %2 sekund. - + External command finished with errors. Ukończono zewnętrzne polecenie z błędami. - + Command <i>%1</i> finished with exit code %2. Polecenie <i>%1</i> zostało ukończone z błędem o kodzie %2. @@ -3493,6 +3493,30 @@ Wyjście: %1 (%2) %1 (%2) + + + unknown + @partition info + nieznany + + + + extended + @partition info + rozszerzona + + + + unformatted + @partition info + niesformatowany + + + + swap + @partition info + przestrzeń wymiany + @@ -3524,30 +3548,6 @@ Wyjście: (no mount point) (brak punktu montowania) - - - unknown - @partition info - nieznany - - - - extended - @partition info - rozszerzona - - - - unformatted - @partition info - niesformatowany - - - - swap - @partition info - przestrzeń wymiany - Unpartitioned space or unknown partition table @@ -3985,17 +3985,17 @@ i nie uruchomi się Cannot disable root account. Nie można wyłączyć konta administratora. - - - Cannot set password for user %1. - Nie można ustawić hasła dla użytkownika %1. - usermod terminated with error code %1. Polecenie usermod przerwane z kodem błędu %1. + + + Cannot set password for user %1. + Nie można ustawić hasła dla użytkownika %1. + SetTimezoneJob @@ -4088,7 +4088,8 @@ i nie uruchomi się SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4907,11 +4908,21 @@ i nie uruchomi się What is your name? Jak się nazywasz? + + + Your full name + + What name do you want to use to log in? Jakiego imienia chcesz używać do logowania się? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4932,11 +4943,21 @@ i nie uruchomi się What is the name of this computer? Jaka jest nazwa tego komputera? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Ta nazwa będzie używana, jeśli komputer będzie widoczny dla innych osób w sieci. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Dozwolone są tylko litery, cyfry, podkreślenia i łączniki, co najmniej dwa znaki. + localhost is not allowed as hostname. @@ -4952,11 +4973,31 @@ i nie uruchomi się Password Hasło + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Wprowadź to samo hasło dwa razy, aby można je było sprawdzić pod kątem błędów. Dobre hasło będzie zawierało litery, cyfry i znaki interpunkcyjne, powinno mieć co najmniej osiem znaków i być zmieniane w regularnych odstępach czasu. + + + Reuse user password as root password + Użyj ponownie hasła użytkownika jako hasła root'a + + + + Use the same password for the administrator account. + Użyj tego samego hasła dla konta administratora. + + + + Choose a root password to keep your account safe. + Wybierz hasło root'a, aby zapewnić bezpieczeństwo swojego konta. + Root password @@ -4968,14 +5009,9 @@ i nie uruchomi się - - Validate passwords quality - Sprawdzanie jakości haseł - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Gdy to pole jest zaznaczone, siła hasła zostanie zweryfikowana i nie będzie można użyć słabego hasła. + + Enter the same password twice, so that it can be checked for typing errors. + Wprowadź to samo hasło dwa razy, aby można je było sprawdzić jego ewentualne błędy. @@ -4983,49 +5019,14 @@ i nie uruchomi się Zaloguj się automatycznie bez pytania o hasło - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Dozwolone są tylko litery, cyfry, podkreślenia i łączniki, co najmniej dwa znaki. - - - - Repeat password - - - - - Reuse user password as root password - Użyj ponownie hasła użytkownika jako hasła root'a - - - - Use the same password for the administrator account. - Użyj tego samego hasła dla konta administratora. - - - - Choose a root password to keep your account safe. - Wybierz hasło root'a, aby zapewnić bezpieczeństwo swojego konta. + + Validate passwords quality + Sprawdzanie jakości haseł - - Enter the same password twice, so that it can be checked for typing errors. - Wprowadź to samo hasło dwa razy, aby można je było sprawdzić jego ewentualne błędy. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Gdy to pole jest zaznaczone, siła hasła zostanie zweryfikowana i nie będzie można użyć słabego hasła. @@ -5040,11 +5041,21 @@ i nie uruchomi się What is your name? Jak się nazywasz? + + + Your full name + + What name do you want to use to log in? Jakiego imienia chcesz używać do logowania się? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5065,16 +5076,6 @@ i nie uruchomi się What is the name of this computer? Jaka jest nazwa tego komputera? - - - Your full name - - - - - Login name - - Computer name @@ -5110,16 +5111,6 @@ i nie uruchomi się Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5140,6 +5131,16 @@ i nie uruchomi się Choose a root password to keep your account safe. Wybierz hasło root'a, aby zapewnić bezpieczeństwo swojego konta. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_pt_BR.ts b/lang/calamares_pt_BR.ts index 14aac981c3..37175c88ad 100644 --- a/lang/calamares_pt_BR.ts +++ b/lang/calamares_pt_BR.ts @@ -125,31 +125,21 @@ Interface: Interface: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Recarrega a folha de estilo do diretório de marca. - - - Uploads the session log to the configured pastebin. - Envia o registro da sessão para o pastebin configurado. - - - - Send Session Log - Enviar Registro da Sessão - Reload Stylesheet Recarregar folha de estilo - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Árvore de widgets + + + Uploads the session log to the configured pastebin. + Envia o registro da sessão para o pastebin configurado. + + + + Send Session Log + Enviar Registro da Sessão + Debug Information @@ -381,7 +381,7 @@ (%n segundo) (%n segundos) - (%n segundos) + (%n segundo(s)) @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Não foi possível fazer o upload. Nenhuma colagem foi feita na internet. + + + + Install log posted to + +%1 + +Link copied to clipboard + Registro de instalação postado em + +%1 + +Link copiado para a área de transferência + + + + Install Log Paste URL + Colar URL de Registro de Instalação + &Yes @@ -409,7 +432,7 @@ &Fechar - + Setup Failed @title A Configuração Falhou @@ -439,13 +462,13 @@ %1 não pôde ser instalado. O Calamares não conseguiu carregar todos os módulos configurados. Este é um problema com o modo em que o Calamares está sendo utilizado pela distribuição. - + <br/>The following modules could not be loaded: @info <br/>Os seguintes módulos não puderam ser carregados: - + Continue with Setup? @title @@ -463,133 +486,110 @@ O programa de configuração %1 está prestes a fazer mudanças no seu disco de modo a configurar %2.<br/><strong>Você não será capaz de desfazer estas mudanças.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip A configuração está completa. Feche o programa de configuração. - + The installation is complete. Close the installer. @tooltip A instalação está completa. Feche o instalador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Próximo - + &Back @button &Voltar - + &Done @button &Concluído - + &Cancel @button &Cancelar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Colar URL de Registro de Instalação - - - - The upload was unsuccessful. No web-paste was done. - Não foi possível fazer o upload. Nenhuma colagem foi feita na internet. - - - - Install log posted to - -%1 - -Link copied to clipboard - Registro de instalação postado em - -%1 - -Link copiado para a área de transferência - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Você realmente quer cancelar o processo atual de configuração? O programa de instalação será fechado e todas as alterações serão perdidas. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Você deseja realmente cancelar a instalação atual? @@ -599,25 +599,25 @@ O instalador será fechado e todas as alterações serão perdidas. CalamaresPython::Helper - + Unknown exception type @error Tipo de exceção desconhecida - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -674,16 +674,6 @@ O instalador será fechado e todas as alterações serão perdidas. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionamento manual</strong><br/>Você mesmo pode criar e redimensionar elas - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecione uma partição para reduzir, então arraste a barra de baixo para redimensionar</strong> - Select storage de&vice: @@ -711,6 +701,11 @@ O instalador será fechado e todas as alterações serão perdidas.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecione uma partição para reduzir, então arraste a barra de baixo para redimensionar</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -832,6 +827,11 @@ O instalador será fechado e todas as alterações serão perdidas.@label Swap em arquivo + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionamento manual</strong><br/>Você mesmo pode criar e redimensionar elas + Bootloader location: @@ -842,44 +842,44 @@ O instalador será fechado e todas as alterações serão perdidas. ClearMountsJob - + Successfully unmounted %1. %1 desmontado com sucesso. - + Successfully disabled swap %1. Swap %1 desativada com sucesso. - + Successfully cleared swap %1. Swap %1 limpa com sucesso. - + Successfully closed mapper device %1. Dispositivo de mapeamento %1 fechado com sucesso. - + Successfully disabled volume group %1. Grupo de volume %1 desativado com sucesso. - + Clear mounts for partitioning operations on %1 @title Limpar as montagens para as operações nas partições em %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Todos os pontos de montagem para %1 foram limpos @@ -915,129 +915,112 @@ O instalador será fechado e todas as alterações serão perdidas. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalação via Rede. (Desabilitada: Configuração incorreta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalação pela Rede. (Desabilitado: Recebidos dados de grupos inválidos) - - - - Network Installation. (Disabled: Internal error) - Instalação por Rede. (Desabilitada: Erro interno) - - - - Network Installation. (Disabled: No package list) - Instalação por Rede. (Desabilitada: Sem lista de pacotes) - - - - Package selection - Seleção de pacotes - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalação pela Rede. (Desabilitada: Não foi possível adquirir lista de pacotes, verifique sua conexão com a internet) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. + + Setup Failed + @title + A Configuração Falhou - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A instalação não pode continuar. + + Installation Failed + @title + Falha na Instalação - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas alguns recursos podem ser desativados. + + The setup of %1 did not complete successfully. + @info + A configuração de %1 não foi completada com sucesso. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas alguns recursos podem ser desativados. + + The installation of %1 did not complete successfully. + @info + A instalação de %1 não foi completada com sucesso. - - This program will ask you some questions and set up %2 on your computer. - Este programa irá fazer-lhe algumas perguntas e configurar %2 no computador. + + Setup Complete + @title + Configuração Concluída - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Bem-vindo ao programa de configuração Calamares para %1</h1> + + Installation Complete + @title + Instalação Completa - - <h1>Welcome to %1 setup</h1> - <h1>Bem-vindo à configuração de %1</h1> + + The setup of %1 is complete. + @info + A configuração de %1 está concluída. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Bem-vindo ao instalador Calamares para %1</h1> + + The installation of %1 is complete. + @info + A instalação do %1 está completa. - - <h1>Welcome to the %1 installer</h1> - <h1>Bem-vindo ao instalador de %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - O nome de usuário é grande demais. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' não é permitido como nome de usuário. + + Set timezone to %1/%2 + @action + Definir fuso horário para %1/%2 - - Your username must start with a lowercase letter or underscore. - Seu nome de usuário deve começar com uma letra minúscula ou com um sublinhado. + + The system language will be set to %1. + @info + O idioma do sistema será definido como %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - É permitido apenas letras minúsculas, números, sublinhado e hífen. + + The numbers and dates locale will be set to %1. + @info + A localidade dos números e datas será definida como %1. - - Your hostname is too short. - O nome da máquina é muito curto. + + Network Installation. (Disabled: Incorrect configuration) + Instalação via Rede. (Desabilitada: Configuração incorreta) - - Your hostname is too long. - O nome da máquina é muito grande. + + Network Installation. (Disabled: Received invalid groups data) + Instalação pela Rede. (Desabilitado: Recebidos dados de grupos inválidos) - - '%1' is not allowed as hostname. - '%1' não é permitido como nome da máquina. + + Network Installation. (Disabled: Internal error) + Instalação por Rede. (Desabilitada: Erro interno) - - Only letters, numbers, underscore and hyphen are allowed. - É permitido apenas letras, números, sublinhado e hífen. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalação pela Rede. (Desabilitada: Não foi possível adquirir lista de pacotes, verifique sua conexão com a internet) - - Your passwords do not match! - As senhas não estão iguais! + + Network Installation. (Disabled: No package list) + Instalação por Rede. (Desabilitada: Sem lista de pacotes) - - OK! - OK! + + Package selection + Seleção de pacotes @@ -1071,92 +1054,109 @@ O instalador será fechado e todas as alterações serão perdidas.Resumo - - This is an overview of what will happen once you start the setup procedure. - Esta é uma visão geral do que acontecerá quando você iniciar o procedimento de configuração. + + This is an overview of what will happen once you start the setup procedure. + Esta é uma visão geral do que acontecerá quando você iniciar o procedimento de configuração. + + + + This is an overview of what will happen once you start the install procedure. + Este é um resumo do que acontecerá assim que o processo de instalação for iniciado. + + + + Your username is too long. + O nome de usuário é grande demais. + + + + Your username must start with a lowercase letter or underscore. + Seu nome de usuário deve começar com uma letra minúscula ou com um sublinhado. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + É permitido apenas letras minúsculas, números, sublinhado e hífen. + + + + '%1' is not allowed as username. + '%1' não é permitido como nome de usuário. + + + + Your hostname is too short. + O nome da máquina é muito curto. - - This is an overview of what will happen once you start the install procedure. - Este é um resumo do que acontecerá assim que o processo de instalação for iniciado. + + Your hostname is too long. + O nome da máquina é muito grande. - - Setup Failed - @title - A Configuração Falhou + + '%1' is not allowed as hostname. + '%1' não é permitido como nome da máquina. - - Installation Failed - @title - Falha na Instalação + + Only letters, numbers, underscore and hyphen are allowed. + É permitido apenas letras, números, sublinhado e hífen. - - The setup of %1 did not complete successfully. - @info - A configuração de %1 não foi completada com sucesso. + + Your passwords do not match! + As senhas não estão iguais! - - The installation of %1 did not complete successfully. - @info - A instalação de %1 não foi completada com sucesso. + + OK! + OK! - - Setup Complete - @title - Configuração Concluída + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. - - Installation Complete - @title - Instalação Completa + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A instalação não pode continuar. - - The setup of %1 is complete. - @info - A configuração de %1 está concluída. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas alguns recursos podem ser desativados. - - The installation of %1 is complete. - @info - A instalação do %1 está completa. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas alguns recursos podem ser desativados. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Este programa irá fazer-lhe algumas perguntas e configurar %2 no computador. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Bem-vindo ao programa de configuração Calamares para %1</h1> - - Set timezone to %1/%2 - @action - Definir fuso horário para %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Bem-vindo à configuração de %1</h1> - - The system language will be set to %1. - @info - O idioma do sistema será definido como %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Bem-vindo ao instalador Calamares para %1</h1> - - The numbers and dates locale will be set to %1. - @info - A localidade dos números e datas será definida como %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Bem-vindo ao instalador de %1</h1> @@ -1481,9 +1481,14 @@ O instalador será fechado e todas as alterações serão perdidas. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Este dispositivo possui uma tabela de partições <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Este tipo de tabela de partições só é aconselhável em sistemas antigos que iniciam a partir de um ambiente de inicialização <strong>BIOS</strong>. O GPT é recomendado na maioria dos outros casos.<br><br><strong>Aviso:</strong> a tabela de partições MBR é um padrão obsoleto da era do MS-DOS.<br>Apenas 4 partições <em>primárias</em> podem ser criadas, e dessas 4, uma pode ser uma partição <em>estendida</em>, que pode, por sua vez, conter várias partições <em>lógicas</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Este é o tipo de tabela de partições recomendado para sistemas modernos que inicializam a partir de um ambiente <strong>EFI</strong>. @@ -1496,14 +1501,9 @@ O instalador será fechado e todas as alterações serão perdidas.O instalador <strong>não pôde detectar uma tabela de partições</strong> no dispositivo de armazenamento selecionado.<br><br>O dispositivo ou não tem uma tabela de partições, ou a tabela de partições está corrompida, ou é de um tipo desconhecido.<br>Este instalador pode criar uma nova tabela de partições para você, tanto automaticamente, como pela página de particionamento manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Este é o tipo de tabela de partições recomendado para sistemas modernos que inicializam a partir de um ambiente <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Este tipo de tabela de partições só é aconselhável em sistemas antigos que iniciam a partir de um ambiente de inicialização <strong>BIOS</strong>. O GPT é recomendado na maioria dos outros casos.<br><br><strong>Aviso:</strong> a tabela de partições MBR é um padrão obsoleto da era do MS-DOS.<br>Apenas 4 partições <em>primárias</em> podem ser criadas, e dessas 4, uma pode ser uma partição <em>estendida</em>, que pode, por sua vez, conter várias partições <em>lógicas</em>. + + This device has a <strong>%1</strong> partition table. + Este dispositivo possui uma tabela de partições <strong>%1</strong>. @@ -2279,7 +2279,7 @@ O instalador será fechado e todas as alterações serão perdidas. LocaleTests - + Quit Sair @@ -2453,6 +2453,11 @@ O instalador será fechado e todas as alterações serão perdidas.label for netinstall module, choose desktop environment Área de trabalho + + + Applications + Aplicações + Communication @@ -2501,11 +2506,6 @@ O instalador será fechado e todas as alterações serão perdidas.label for netinstall module Utilitários - - - Applications - Aplicações - NotesQmlViewStep @@ -2678,11 +2678,29 @@ O instalador será fechado e todas as alterações serão perdidas.The password contains forbidden words in some form A senha contém palavras proibidas de alguma forma + + + The password contains fewer than %n digits + + A senha contém menos que %n dígitos + A senha contém menos que %n dígitos + A senha contém menos que %n dígitos + + The password contains too few digits A senha contém poucos dígitos + + + The password contains fewer than %n uppercase letters + + A senha contém menos que %n caracteres em maiúsculo + A senha contém menos que %n caracteres em maiúsculo + A senha contém menos que %n caracteres em maiúsculo + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ O instalador será fechado e todas as alterações serão perdidas.The password contains too few lowercase letters A senha contém poucas letras minúsculas - - - The password contains too few non-alphanumeric characters - A senha contém poucos caracteres não alfanuméricos - - - - The password is too short - A senha é muito curta - - - - The password does not contain enough character classes - A senha não contém tipos suficientes de caracteres - - - - The password contains too many same characters consecutively - A senha contém muitos caracteres iguais consecutivamente - - - - The password contains too many characters of the same class consecutively - A senha contém muitos caracteres da mesma classe consecutivamente - - - - The password contains fewer than %n digits - - A senha contém menos que %n dígitos - A senha contém menos que %n dígitos - A senha contém menos que %n dígitos - - - - - The password contains fewer than %n uppercase letters - - A senha contém menos que %n caracteres em maiúsculo - A senha contém menos que %n caracteres em maiúsculo - A senha contém menos que %n caracteres em maiúsculo - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ O instalador será fechado e todas as alterações serão perdidas.A senha contém menos que %n caracteres não alfanuméricos + + + The password contains too few non-alphanumeric characters + A senha contém poucos caracteres não alfanuméricos + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ O instalador será fechado e todas as alterações serão perdidas.A senha é menor que %n caracteres + + + The password is too short + A senha é muito curta + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ O instalador será fechado e todas as alterações serão perdidas.A senha contém menos que %n classes de caracteres + + + The password does not contain enough character classes + A senha não contém tipos suficientes de caracteres + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ O instalador será fechado e todas as alterações serão perdidas.A senha contém mais que %n caracteres iguais consecutivamente + + + The password contains too many same characters consecutively + A senha contém muitos caracteres iguais consecutivamente + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ O instalador será fechado e todas as alterações serão perdidas.A senha contém mais que %n caracteres da mesma classe consecutivamente + + + The password contains too many characters of the same class consecutively + A senha contém muitos caracteres da mesma classe consecutivamente + The password contains monotonic sequence longer than %n characters @@ -3219,6 +3219,18 @@ O instalador será fechado e todas as alterações serão perdidas. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partições + Unsafe partition actions are enabled. @@ -3235,35 +3247,27 @@ O instalador será fechado e todas as alterações serão perdidas.Nenhuma partição será modificada. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Nenhuma partição de sistema EFI configurada - - - - EFI system partition configured incorrectly - Partição EFI do sistema configurada incorretamente + + Current: + @label + Atual: + + + + After: + @label + Depois: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Uma partição de sistema EFI é necessária para iniciar o %1. <br/><br/>Para configurar uma partição de sistema EFI, volte atrás e selecione ou crie um sistema de arquivos adequado. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ O instalador será fechado e todas as alterações serão perdidas.The filesystem must have type FAT32. O sistema de arquivos deve ter o tipo FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + O sistema de arquivos deve ter o marcador %1 definido. + @@ -3281,38 +3290,29 @@ O instalador será fechado e todas as alterações serão perdidas.O sistema de arquivos deve ter pelo menos %1 MiB de tamanho. - - The filesystem must have flag <strong>%1</strong> set. - O sistema de arquivos deve ter o marcador %1 definido. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Partições + + You can continue without setting up an EFI system partition but your system may fail to start. + Você pode continuar sem configurar uma partição de sistema EFI, mas seu sistema pode não iniciar. - - Current: - @label - Atual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Depois: + + No EFI system partition configured + Nenhuma partição de sistema EFI configurada - - You can continue without setting up an EFI system partition but your system may fail to start. - Você pode continuar sem configurar uma partição de sistema EFI, mas seu sistema pode não iniciar. + + EFI system partition configured incorrectly + Partição EFI do sistema configurada incorretamente @@ -3409,14 +3409,14 @@ O instalador será fechado e todas as alterações serão perdidas. ProcessResult - + There was no output from the command. Não houve saída do comando. - + Output: @@ -3425,52 +3425,52 @@ Saída: - + External command crashed. O comando externo falhou. - + Command <i>%1</i> crashed. O comando <i>%1</i> falhou. - + External command failed to start. O comando externo falhou ao iniciar. - + Command <i>%1</i> failed to start. O comando <i>%1</i> falhou ao iniciar. - + Internal error when starting command. Erro interno ao iniciar o comando. - + Bad parameters for process job call. Parâmetros ruins para a chamada da tarefa do processo. - + External command failed to finish. O comando externo falhou ao finalizar. - + Command <i>%1</i> failed to finish in %2 seconds. O comando <i>%1</i> falhou ao finalizar em %2 segundos. - + External command finished with errors. O comando externo foi concluído com erros. - + Command <i>%1</i> finished with exit code %2. O comando <i>%1</i> foi concluído com o código %2. @@ -3482,6 +3482,30 @@ Saída: %1 (%2) %1 (%2) + + + unknown + @partition info + desconhecido + + + + extended + @partition info + estendida + + + + unformatted + @partition info + não formatado + + + + swap + @partition info + swap + @@ -3513,30 +3537,6 @@ Saída: (no mount point) (sem ponto de montagem) - - - unknown - @partition info - desconhecido - - - - extended - @partition info - estendida - - - - unformatted - @partition info - não formatado - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3973,17 +3973,17 @@ Saída: Cannot disable root account. Não é possível desativar a conta root. - - - Cannot set password for user %1. - Não foi possível definir senha para o usuário %1. - usermod terminated with error code %1. usermod terminou com código de erro %1. + + + Cannot set password for user %1. + Não foi possível definir senha para o usuário %1. + SetTimezoneJob @@ -4076,7 +4076,8 @@ Saída: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4895,11 +4896,21 @@ Saída: What is your name? Qual é o seu nome? + + + Your full name + + What name do you want to use to log in? Qual nome você quer usar para entrar? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,11 +4931,21 @@ Saída: What is the name of this computer? Qual é o nome deste computador? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Este nome será usado se você fizer o computador ficar visível para outros numa rede. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + São permitidos apenas letras, números, sublinhado e hífen, com no mínimo dois caracteres. + localhost is not allowed as hostname. @@ -4940,11 +4961,31 @@ Saída: Password Senha + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Digite a mesma senha duas vezes, de modo que possam ser verificados erros de digitação. Uma boa senha contém uma mistura de letras, números e sinais de pontuação, deve ter pelo menos oito caracteres, e deve ser alterada em intervalos regulares. + + + Reuse user password as root password + Reutilizar a senha de usuário como senha de root + + + + Use the same password for the administrator account. + Usar a mesma senha para a conta de administrador. + + + + Choose a root password to keep your account safe. + Escolha uma senha de root para manter sua conta segura. + Root password @@ -4956,14 +4997,9 @@ Saída: - - Validate passwords quality - Validar qualidade das senhas - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quando esta caixa estiver marcada, será feita a verificação da força da senha e você não poderá usar uma senha fraca. + + Enter the same password twice, so that it can be checked for typing errors. + Digite a mesma senha duas vezes, de modo que possam ser verificados erros de digitação. @@ -4971,49 +5007,14 @@ Saída: Entrar automaticamente sem perguntar pela senha - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - São permitidos apenas letras, números, sublinhado e hífen, com no mínimo dois caracteres. - - - - Repeat password - - - - - Reuse user password as root password - Reutilizar a senha de usuário como senha de root - - - - Use the same password for the administrator account. - Usar a mesma senha para a conta de administrador. - - - - Choose a root password to keep your account safe. - Escolha uma senha de root para manter sua conta segura. + + Validate passwords quality + Validar qualidade das senhas - - Enter the same password twice, so that it can be checked for typing errors. - Digite a mesma senha duas vezes, de modo que possam ser verificados erros de digitação. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quando esta caixa estiver marcada, será feita a verificação da força da senha e você não poderá usar uma senha fraca. @@ -5028,11 +5029,21 @@ Saída: What is your name? Qual é o seu nome? + + + Your full name + + What name do you want to use to log in? Qual nome você quer usar para entrar? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5053,16 +5064,6 @@ Saída: What is the name of this computer? Qual é o nome deste computador? - - - Your full name - - - - - Login name - - Computer name @@ -5098,16 +5099,6 @@ Saída: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5128,6 +5119,16 @@ Saída: Choose a root password to keep your account safe. Escolha uma senha de root para manter sua conta segura. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_pt_PT.ts b/lang/calamares_pt_PT.ts index 071b89b2ee..fac473d9b2 100644 --- a/lang/calamares_pt_PT.ts +++ b/lang/calamares_pt_PT.ts @@ -125,31 +125,21 @@ Interface: Interface: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Recarregar a folha de estilo do diretório de marca. - - - Uploads the session log to the configured pastebin. - Envia o registo da sessão para o pastebin configurado. - - - - Send Session Log - Enviar registo de sessão - Reload Stylesheet Recarregar Folha de estilo - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Árvore de Widgets + + + Uploads the session log to the configured pastebin. + Envia o registo da sessão para o pastebin configurado. + + + + Send Session Log + Enviar registo de sessão + Debug Information @@ -379,9 +379,9 @@ (%n second(s)) @status - (%n segundo) - (%n segundos) - (%n segundos) + (%n segundo(s)) + (%n segundo(s)) + (%n segundo(s)) @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + O carregamento não teve êxito. Nenhuma pasta da web foi feita. + + + + Install log posted to + +%1 + +Link copied to clipboard + Registo de instalação publicado em + +%1 + +Ligação copiada para a área de transferência + + + + Install Log Paste URL + Instalar o Registo Colar URL + &Yes @@ -409,7 +432,7 @@ &Fechar - + Setup Failed @title Falha de Instalação @@ -439,13 +462,13 @@ %1 não pode ser instalado. O Calamares não foi capaz de carregar todos os módulos configurados. Isto é um problema da maneira como o Calamares é usado pela distribuição. - + <br/>The following modules could not be loaded: @info <br/>Os módulos seguintes não puderam ser carregados: - + Continue with Setup? @title @@ -463,133 +486,110 @@ O programa de instalação %1 está prestes a efetuar alterações no seu disco a fim de configurar o %2.<br/><strong>Não poderá anular estas alterações.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version O instalador %1 está prestes a efetuar alterações ao seu disco a fim de instalar o %2.<br/><strong>Não será capaz de anular estas alterações.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Instalar - + Setup is complete. Close the setup program. @tooltip Instalação completa. Feche o programa de instalação. - + The installation is complete. Close the installer. @tooltip A instalação está completa. Feche o instalador. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Seguinte - + &Back @button &Voltar - + &Done @button &Concluído - + &Cancel @button &Cancelar - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Instalar o Registo Colar URL - - - - The upload was unsuccessful. No web-paste was done. - O carregamento não teve êxito. Nenhuma pasta da web foi feita. - - - - Install log posted to - -%1 - -Link copied to clipboard - Registo de instalação publicado em - -%1 - -Ligação copiada para a área de transferência - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Quer mesmo cancelar o processo de instalação atual? O programa de instalação irá fechar todas as alterações serão perdidas. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Tem a certeza que pretende cancelar o atual processo de instalação? @@ -599,25 +599,25 @@ O instalador será encerrado e todas as alterações serão perdidas. CalamaresPython::Helper - + Unknown exception type @error Tipo de exceção desconhecido - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -674,16 +674,6 @@ O instalador será encerrado e todas as alterações serão perdidas. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Particionamento manual</strong><br/>Pode criar ou redimensionar partições manualmente. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selecione uma partição para encolher, depois arraste a barra de fundo para redimensionar</strong> - Select storage de&vice: @@ -711,6 +701,11 @@ O instalador será encerrado e todas as alterações serão perdidas.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selecione uma partição para encolher, depois arraste a barra de fundo para redimensionar</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -832,6 +827,11 @@ O instalador será encerrado e todas as alterações serão perdidas.@label Swap para ficheiro + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Particionamento manual</strong><br/>Pode criar ou redimensionar partições manualmente. + Bootloader location: @@ -842,44 +842,44 @@ O instalador será encerrado e todas as alterações serão perdidas. ClearMountsJob - + Successfully unmounted %1. %1 desmontado com sucesso. - + Successfully disabled swap %1. Swap %1 desativada com sucesso. - + Successfully cleared swap %1. Swap %1 limpa com sucesso. - + Successfully closed mapper device %1. Dispositivo mapeador %1 fechado com sucesso. - + Successfully disabled volume group %1. Grupo de volume %1 desativado com sucesso. - + Clear mounts for partitioning operations on %1 @title Limpar montagens para operações de particionamento em %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Limpar todas as montagens para %1 @@ -915,129 +915,112 @@ O instalador será encerrado e todas as alterações serão perdidas. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalação de rede. (Desativada: Configuração incorreta) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalação de Rede. (Desativada: Recebeu dados de grupos inválidos) - - - - Network Installation. (Disabled: Internal error) - Instalação de rede. (Desativada: Erro interno) - - - - Network Installation. (Disabled: No package list) - Instalação de rede. (Desativada: Sem lista de pacotes) - - - - Package selection - Seleção de pacotes - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalação de rede. (Desativada: Incapaz de buscar listas de pacotes, verifique a sua ligação de rede) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Este computador não satisfaz os requisitos mínimos para configurar o %1.<br/>A configuração não poderá prosseguir. + + Setup Failed + @title + Falha de Instalação - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Este computador não satisfaz os requisitos mínimos para instalar o %1.<br/>A instalação não poderá prosseguir. + + Installation Failed + @title + Falha na Instalação - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funcionalidades podem ser desativadas. + + The setup of %1 did not complete successfully. + @info + A configuração de %1 não foi concluída com sucesso. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requisitos recomendados para instalar o %1.<br/>A instalação pode continuar, mas algumas funcionalidades poderão ser desativadas. + + The installation of %1 did not complete successfully. + @info + A instalação de %1 não foi concluída com sucesso. - - This program will ask you some questions and set up %2 on your computer. - Este programa vai fazer-lhe algumas perguntas e configurar o %2 no seu computador. + + Setup Complete + @title + Instalação Completa - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Bem-vindo ao programa de configuração do Calamares para %1</h1> + + Installation Complete + @title + Instalação Completa - - <h1>Welcome to %1 setup</h1> - <h1>Bem-vindo à configuração de %1</h1> + + The setup of %1 is complete. + @info + A instalação de %1 está completa. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Bem-vindo ao instalador do Calamares para %1</h1> + + The installation of %1 is complete. + @info + A instalação de %1 está completa. - - <h1>Welcome to the %1 installer</h1> - <h1>Bem-vindo ao instalador do %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - O seu nome de utilizador é demasiado longo. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' não é permitido como nome de utilizador. + + Set timezone to %1/%2 + @action + Configurar fuso horário para %1/%2 - - Your username must start with a lowercase letter or underscore. - O seu nome de utilizador deve começar com uma letra minúscula ou underscore. + + The system language will be set to %1. + @info + O idioma do sistema será definido para %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Apenas letras minúsculas, números, underscore e hífen são permitidos. + + The numbers and dates locale will be set to %1. + @info + Os números e datas locais serão definidos para %1. - - Your hostname is too short. - O nome da sua máquina é demasiado curto. + + Network Installation. (Disabled: Incorrect configuration) + Instalação de rede. (Desativada: Configuração incorreta) - - Your hostname is too long. - O nome da sua máquina é demasiado longo. + + Network Installation. (Disabled: Received invalid groups data) + Instalação de Rede. (Desativada: Recebeu dados de grupos inválidos) - - '%1' is not allowed as hostname. - '%1' não é permitido como nome da máquina. + + Network Installation. (Disabled: Internal error) + Instalação de rede. (Desativada: Erro interno) - - Only letters, numbers, underscore and hyphen are allowed. - Apenas letras, números, underscore e hífen são permitidos. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalação de rede. (Desativada: Incapaz de buscar listas de pacotes, verifique a sua ligação de rede) - - Your passwords do not match! - As suas palavras-passe não coincidem! + + Network Installation. (Disabled: No package list) + Instalação de rede. (Desativada: Sem lista de pacotes) - - OK! - OK! + + Package selection + Seleção de pacotes @@ -1071,92 +1054,109 @@ O instalador será encerrado e todas as alterações serão perdidas.Resumo - - This is an overview of what will happen once you start the setup procedure. - Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de configuração. + + This is an overview of what will happen once you start the setup procedure. + Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de configuração. + + + + This is an overview of what will happen once you start the install procedure. + Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de instalação. + + + + Your username is too long. + O seu nome de utilizador é demasiado longo. + + + + Your username must start with a lowercase letter or underscore. + O seu nome de utilizador deve começar com uma letra minúscula ou underscore. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Apenas letras minúsculas, números, underscore e hífen são permitidos. + + + + '%1' is not allowed as username. + '%1' não é permitido como nome de utilizador. + + + + Your hostname is too short. + O nome da sua máquina é demasiado curto. - - This is an overview of what will happen once you start the install procedure. - Isto é uma visão geral do que acontecerá assim que iniciar o procedimento de instalação. + + Your hostname is too long. + O nome da sua máquina é demasiado longo. - - Setup Failed - @title - Falha de Instalação + + '%1' is not allowed as hostname. + '%1' não é permitido como nome da máquina. - - Installation Failed - @title - Falha na Instalação + + Only letters, numbers, underscore and hyphen are allowed. + Apenas letras, números, underscore e hífen são permitidos. - - The setup of %1 did not complete successfully. - @info - A configuração de %1 não foi concluída com sucesso. + + Your passwords do not match! + As suas palavras-passe não coincidem! - - The installation of %1 did not complete successfully. - @info - A instalação de %1 não foi concluída com sucesso. + + OK! + OK! - - Setup Complete - @title - Instalação Completa + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Este computador não satisfaz os requisitos mínimos para configurar o %1.<br/>A configuração não poderá prosseguir. - - Installation Complete - @title - Instalação Completa + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Este computador não satisfaz os requisitos mínimos para instalar o %1.<br/>A instalação não poderá prosseguir. - - The setup of %1 is complete. - @info - A instalação de %1 está completa. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funcionalidades podem ser desativadas. - - The installation of %1 is complete. - @info - A instalação de %1 está completa. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Este computador não satisfaz alguns dos requisitos recomendados para instalar o %1.<br/>A instalação pode continuar, mas algumas funcionalidades poderão ser desativadas. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + Este programa vai fazer-lhe algumas perguntas e configurar o %2 no seu computador. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Bem-vindo ao programa de configuração do Calamares para %1</h1> - - Set timezone to %1/%2 - @action - Configurar fuso horário para %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Bem-vindo à configuração de %1</h1> - - The system language will be set to %1. - @info - O idioma do sistema será definido para %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Bem-vindo ao instalador do Calamares para %1</h1> - - The numbers and dates locale will be set to %1. - @info - Os números e datas locais serão definidos para %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Bem-vindo ao instalador do %1</h1> @@ -1481,9 +1481,14 @@ O instalador será encerrado e todas as alterações serão perdidas. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Este dispositivo tem uma tabela de partições <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Este tipo de tabela de partições é aconselhável apenas em sistemas mais antigos que iniciam a partir de um ambiente de arranque <strong>BIOS</strong>. GPT é recomendado na maior parte dos outros casos.<br><br><strong>Aviso:</strong> A tabela de partições MBR é um padrão obsoleto da era MS-DOS.<br>Apenas 4 partições <em>primárias</em> podem ser criadas, e dessas 4, apenas uma pode ser partição <em>estendida</em>, que por sua vez podem ser tornadas em várias partições <em>lógicas</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Este é o tipo de tabela de partições recomendado para sistema modernos que arrancam a partir de um ambiente <strong>EFI</strong> de arranque. @@ -1496,14 +1501,9 @@ O instalador será encerrado e todas as alterações serão perdidas.Este instalador <strong>não consegue detetar uma tabela de partições</strong> no dispositivo de armazenamento selecionado.<br><br>O dispositivo ou não tem tabela de partições, ou a tabela de partições está corrompida ou é de tipo desconhecido.<br>Este instalador pode criar uma nova tabela de partições para si, quer automativamente, ou através da página de particionamento manual. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Este é o tipo de tabela de partições recomendado para sistema modernos que arrancam a partir de um ambiente <strong>EFI</strong> de arranque. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Este tipo de tabela de partições é aconselhável apenas em sistemas mais antigos que iniciam a partir de um ambiente de arranque <strong>BIOS</strong>. GPT é recomendado na maior parte dos outros casos.<br><br><strong>Aviso:</strong> A tabela de partições MBR é um padrão obsoleto da era MS-DOS.<br>Apenas 4 partições <em>primárias</em> podem ser criadas, e dessas 4, apenas uma pode ser partição <em>estendida</em>, que por sua vez podem ser tornadas em várias partições <em>lógicas</em>. + + This device has a <strong>%1</strong> partition table. + Este dispositivo tem uma tabela de partições <strong>%1</strong>. @@ -2279,7 +2279,7 @@ O instalador será encerrado e todas as alterações serão perdidas. LocaleTests - + Quit Sair @@ -2453,6 +2453,11 @@ O instalador será encerrado e todas as alterações serão perdidas.label for netinstall module, choose desktop environment Ambiente de trabalho + + + Applications + Aplicações + Communication @@ -2501,11 +2506,6 @@ O instalador será encerrado e todas as alterações serão perdidas.label for netinstall module Utilitários - - - Applications - Aplicações - NotesQmlViewStep @@ -2678,11 +2678,29 @@ O instalador será encerrado e todas as alterações serão perdidas.The password contains forbidden words in some form A palavra-passe contém de alguma forma palavras proibidas + + + The password contains fewer than %n digits + + A palavra-passe contém menos do que %n dígito + A palavra-passe contém menos do que %n dígitos + A palavra-passe contém menos do que %n dígitos + + The password contains too few digits A palavra-passe contém muito poucos dígitos + + + The password contains fewer than %n uppercase letters + + A palavra-passe contém menos do que %n caracter em maiúscula + A palavra-passe contém menos do que %n caracteres em maiúsculas + A palavra-passe contém menos do que %n caracteres em maiúsculas + + The password contains too few uppercase letters @@ -2702,49 +2720,6 @@ O instalador será encerrado e todas as alterações serão perdidas.The password contains too few lowercase letters A palavra-passe contém muito poucas letras minúsculas - - - The password contains too few non-alphanumeric characters - A palavra-passe contém muito poucos caracteres não alfanuméricos - - - - The password is too short - A palavra-passe é demasiado pequena - - - - The password does not contain enough character classes - A palavra-passe não contém classes de carateres suficientes - - - - The password contains too many same characters consecutively - A palavra-passe contém demasiados carateres iguais consecutivos - - - - The password contains too many characters of the same class consecutively - A palavra-passe contém demasiados carateres consecutivos da mesma classe - - - - The password contains fewer than %n digits - - A palavra-passe contém menos do que %n dígito - A palavra-passe contém menos do que %n dígitos - A palavra-passe contém menos do que %n dígitos - - - - - The password contains fewer than %n uppercase letters - - A palavra-passe contém menos do que %n caracter em maiúscula - A palavra-passe contém menos do que %n caracteres em maiúsculas - A palavra-passe contém menos do que %n caracteres em maiúsculas - - The password contains fewer than %n non-alphanumeric characters @@ -2754,6 +2729,11 @@ O instalador será encerrado e todas as alterações serão perdidas.A palavra-passe contém menos do que %n caracteres não alfanuméricos + + + The password contains too few non-alphanumeric characters + A palavra-passe contém muito poucos caracteres não alfanuméricos + The password is shorter than %n characters @@ -2763,6 +2743,11 @@ O instalador será encerrado e todas as alterações serão perdidas.A palavra-passe é menor do que %n caracteres + + + The password is too short + A palavra-passe é demasiado pequena + The password is a rotated version of the previous one @@ -2777,6 +2762,11 @@ O instalador será encerrado e todas as alterações serão perdidas.A palavra-passe contém menos do que %n classes de caracteres + + + The password does not contain enough character classes + A palavra-passe não contém classes de carateres suficientes + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ O instalador será encerrado e todas as alterações serão perdidas.A palavra-passe contém mais do que %n caracteres iguais consecutivamente + + + The password contains too many same characters consecutively + A palavra-passe contém demasiados carateres iguais consecutivos + The password contains more than %n characters of the same class consecutively @@ -2795,6 +2790,11 @@ O instalador será encerrado e todas as alterações serão perdidas.A palavra-passe contém mais do que %n caracteres da mesma classe consecutivamente + + + The password contains too many characters of the same class consecutively + A palavra-passe contém demasiados carateres consecutivos da mesma classe + The password contains monotonic sequence longer than %n characters @@ -3219,6 +3219,18 @@ O instalador será encerrado e todas as alterações serão perdidas. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partições + Unsafe partition actions are enabled. @@ -3235,35 +3247,27 @@ O instalador será encerrado e todas as alterações serão perdidas.Nenhuma partição será alterada. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Nenhuma partição de sistema EFI configurada - - - - EFI system partition configured incorrectly - Partição de sistema EFI configurada incorretamente + + Current: + @label + Atual: + + + + After: + @label + Depois: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Uma partição de sistema EFI é necessária para iniciar o %1. <br/><br/>Para configurar uma partição de sistema EFI, volte atrás e selecione ou crie um sistema de ficheiros adequado. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3274,6 +3278,11 @@ O instalador será encerrado e todas as alterações serão perdidas.The filesystem must have type FAT32. O sistema de ficheiros deve ter o tipo FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + O sistema de ficheiros deve ter a "flag" %1 definida. + @@ -3281,38 +3290,29 @@ O instalador será encerrado e todas as alterações serão perdidas.O sistema de ficheiros deve ter pelo menos %1 MiB de tamanho. - - The filesystem must have flag <strong>%1</strong> set. - O sistema de ficheiros deve ter a "flag" %1 definida. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Partições + + You can continue without setting up an EFI system partition but your system may fail to start. + Pode continuar sem configurar uma partição do sistema EFI, mas o seu sistema pode não arrancar. - - Current: - @label - Atual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Depois: + + No EFI system partition configured + Nenhuma partição de sistema EFI configurada - - You can continue without setting up an EFI system partition but your system may fail to start. - Pode continuar sem configurar uma partição do sistema EFI, mas o seu sistema pode não arrancar. + + EFI system partition configured incorrectly + Partição de sistema EFI configurada incorretamente @@ -3409,14 +3409,14 @@ O instalador será encerrado e todas as alterações serão perdidas. ProcessResult - + There was no output from the command. O comando não produziu saída de dados. - + Output: @@ -3425,52 +3425,52 @@ Saída de Dados: - + External command crashed. O comando externo "crashou". - + Command <i>%1</i> crashed. Comando <i>%1</i> "crashou". - + External command failed to start. Comando externo falhou ao iniciar. - + Command <i>%1</i> failed to start. Comando <i>%1</i> falhou a inicialização. - + Internal error when starting command. Erro interno ao iniciar comando. - + Bad parameters for process job call. Maus parâmetros para chamada de processamento de tarefa. - + External command failed to finish. Comando externo falhou a finalização. - + Command <i>%1</i> failed to finish in %2 seconds. Comando <i>%1</i> falhou ao finalizar em %2 segundos. - + External command finished with errors. Comando externo finalizou com erros. - + Command <i>%1</i> finished with exit code %2. Comando <i>%1</i> finalizou com código de saída %2. @@ -3482,6 +3482,30 @@ Saída de Dados: %1 (%2) %1 (%2) + + + unknown + @partition info + desconhecido + + + + extended + @partition info + estendida + + + + unformatted + @partition info + não formatado + + + + swap + @partition info + swap + @@ -3513,30 +3537,6 @@ Saída de Dados: (no mount point) (sem ponto de montagem) - - - unknown - @partition info - desconhecido - - - - extended - @partition info - estendida - - - - unformatted - @partition info - não formatado - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3973,17 +3973,17 @@ Saída de Dados: Cannot disable root account. Não é possível desativar a conta root. - - - Cannot set password for user %1. - Não é possível definir a palavra-passe para o utilizador %1. - usermod terminated with error code %1. usermod terminou com código de erro %1. + + + Cannot set password for user %1. + Não é possível definir a palavra-passe para o utilizador %1. + SetTimezoneJob @@ -4076,7 +4076,8 @@ Saída de Dados: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4895,11 +4896,21 @@ Saída de Dados: What is your name? Qual é o seu nome? + + + Your full name + + What name do you want to use to log in? Que nome deseja usar para iniciar a sessão? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4920,11 +4931,21 @@ Saída de Dados: What is the name of this computer? Qual o nome deste computador? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Este nome será utilizado se tornar o computador visível a outros numa rede. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Apenas são permitidas letras, números, sublinhado e hífen, mínimo de dois caracteres. + localhost is not allowed as hostname. @@ -4940,11 +4961,31 @@ Saída de Dados: Password Palavra-passe + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduzir a mesma palavra-passe duas vezes, para que possa ser verificada a existência de erros de escrita. Uma boa palavra-passe conterá uma mistura de letras, números e pontuação, deve ter pelo menos oito caracteres, e deve ser alterada a intervalos regulares. + + + Reuse user password as root password + Reutilizar palavra-passe de utilizador como palavra-passe de root + + + + Use the same password for the administrator account. + Usar a mesma palavra-passe para a conta de administrador. + + + + Choose a root password to keep your account safe. + Escolha uma palavra-passe de root para manter a sua conta segura. + Root password @@ -4956,14 +4997,9 @@ Saída de Dados: - - Validate passwords quality - Validar qualidade das palavras-passe - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Quando esta caixa é assinalada, a verificação da força da palavra-passe é feita e não será possível utilizar uma palavra-passe fraca. + + Enter the same password twice, so that it can be checked for typing errors. + Introduzir a mesma palavra-passe duas vezes, para que possa ser verificada a existência de erros de escrita. @@ -4971,49 +5007,14 @@ Saída de Dados: Iniciar sessão automaticamente sem pedir a palavra-passe - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Apenas são permitidas letras, números, sublinhado e hífen, mínimo de dois caracteres. - - - - Repeat password - - - - - Reuse user password as root password - Reutilizar palavra-passe de utilizador como palavra-passe de root - - - - Use the same password for the administrator account. - Usar a mesma palavra-passe para a conta de administrador. - - - - Choose a root password to keep your account safe. - Escolha uma palavra-passe de root para manter a sua conta segura. + + Validate passwords quality + Validar qualidade das palavras-passe - - Enter the same password twice, so that it can be checked for typing errors. - Introduzir a mesma palavra-passe duas vezes, para que possa ser verificada a existência de erros de escrita. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Quando esta caixa é assinalada, a verificação da força da palavra-passe é feita e não será possível utilizar uma palavra-passe fraca. @@ -5028,11 +5029,21 @@ Saída de Dados: What is your name? Qual é o seu nome? + + + Your full name + + What name do you want to use to log in? Que nome deseja usar para iniciar a sessão? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5053,16 +5064,6 @@ Saída de Dados: What is the name of this computer? Qual o nome deste computador? - - - Your full name - - - - - Login name - - Computer name @@ -5098,16 +5099,6 @@ Saída de Dados: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5128,6 +5119,16 @@ Saída de Dados: Choose a root password to keep your account safe. Escolha uma palavra-passe de root para manter a sua conta segura. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ro.ts b/lang/calamares_ro.ts index 3484c3a344..8c00ace942 100644 --- a/lang/calamares_ro.ts +++ b/lang/calamares_ro.ts @@ -125,31 +125,21 @@ Interface: Interfața: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Reîncarcă foaia de stil din directorul branding. - - - Uploads the session log to the configured pastebin. - Încarcă jurnalul sesiunii pe pastebin-ul configurat. - - - - Send Session Log - Trimite log sesiune - Reload Stylesheet Reincarcă stilul - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Arborele de widget + + + Uploads the session log to the configured pastebin. + Încarcă jurnalul sesiunii pe pastebin-ul configurat. + + + + Send Session Log + Trimite log sesiune + Debug Information @@ -393,6 +393,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Încărcarea a eșuat. Niciun web-paste a fost facut. + + + + Install log posted to + +%1 + +Link copied to clipboard + Log de instalare postat catre + +%1 + +Link-ul a fost copiat in clipboard + + + + Install Log Paste URL + + &Yes @@ -409,7 +432,7 @@ În&chide - + Setup Failed @title Configurarea a eșuat @@ -439,13 +462,13 @@ %1 nu a putut fi instalat. Calamares nu a reușit sa incărce toate modulele configurate. Aceasta este o problema de modul cum este utilizat Calamares de către distribuție. - + <br/>The following modules could not be loaded: @info <br/>Următoarele module nu au putut fi incărcate: - + Continue with Setup? @title @@ -463,133 +486,110 @@ %1 Programul de instalare va urma sa faca schimbari la discul dumneavoastră pentru a se configura %2 <br/> Aceste schimbari sunt ireversibile.<strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Programul de instalare %1 este pregătit să facă schimbări pe discul dumneavoastră pentru a instala %2.<br/><strong>Nu veți putea anula aceste schimbări.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button Instalează - + Setup is complete. Close the setup program. @tooltip Configurarea este finalizată. Inchideți programul. - + The installation is complete. Close the installer. @tooltip Instalarea este completă. Închideți Programul de Instalare. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Următorul - + &Back @button &Înapoi - + &Done @button &Gata - + &Cancel @button &Anulează - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - Încărcarea a eșuat. Niciun web-paste a fost facut. - - - - Install log posted to - -%1 - -Link copied to clipboard - Log de instalare postat catre - -%1 - -Link-ul a fost copiat in clipboard - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Doriți sa anulați procesul de instalare? Programul de instalare se va inchide si toate schimbările se vor pierde. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Doriți să anulați procesul curent de instalare? @@ -599,25 +599,25 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. CalamaresPython::Helper - + Unknown exception type @error Tip de excepție necunoscut - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -674,16 +674,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Partiționare manuală</strong><br/>Puteți crea sau redimensiona partițiile. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Selectează o partiție de micșorat, apoi trageți bara din jos pentru a redimensiona</strong> - Select storage de&vice: @@ -711,6 +701,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.@label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Selectează o partiție de micșorat, apoi trageți bara din jos pentru a redimensiona</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -832,6 +827,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.@label Swap către fișier. + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Partiționare manuală</strong><br/>Puteți crea sau redimensiona partițiile. + Bootloader location: @@ -842,44 +842,44 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. ClearMountsJob - + Successfully unmounted %1. %1 a fost demontat cu succes. - + Successfully disabled swap %1. Swap %1 a fost dezactivat cu succes. - + Successfully cleared swap %1. Swap %1 a fost curațat cu succes. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Eliminați montările pentru operațiunea de partiționare pe %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 S-au eliminat toate punctele de montare pentru %1 @@ -915,129 +915,112 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. Config - - Network Installation. (Disabled: Incorrect configuration) - + + Setup Failed + @title + Configurarea a eșuat - - Network Installation. (Disabled: Received invalid groups data) - Instalare prin rețea. (Dezactivată: S-au recepționat grupuri de date invalide) + + Installation Failed + @title + Instalare eșuată - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection - Selecția pachetelor - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalarea rețelei. (Dezactivat: Nu se pot obține listele de pachete, verificați conexiunea la rețea) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + Instalarea s-a terminat - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Acest calculator nu satisface unele din cerințele recomandate pentru instalarea %1.<br/>Instalarea poate continua, dar unele funcții ar putea fi dezactivate. - - - - This program will ask you some questions and set up %2 on your computer. - Acest program vă va pune mai multe întrebări și va seta %2 pe calculatorul dumneavoastră. - - - - <h1>Welcome to the Calamares setup program for %1</h1> - + + The installation of %1 is complete. + @info + Instalarea este %1 completă. - - <h1>Welcome to %1 setup</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to the %1 installer</h1> - + + Set timezone to %1/%2 + @action + Setează fusul orar la %1/%2 - - Your username is too long. - Numele de utilizator este prea lung. + + The system language will be set to %1. + @info + Limba sistemului va fi %1. - - '%1' is not allowed as username. - + + The numbers and dates locale will be set to %1. + @info + Formatul numerelor și datelor calendaristice va fi %1. - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Incorrect configuration) - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Doar litere mici, numere, lini si cratime sunt permise. - - - - Your hostname is too short. - Hostname este prea scurt. - - - - Your hostname is too long. - Hostname este prea lung. + + Network Installation. (Disabled: Received invalid groups data) + Instalare prin rețea. (Dezactivată: S-au recepționat grupuri de date invalide) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. - + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalarea rețelei. (Dezactivat: Nu se pot obține listele de pachete, verificați conexiunea la rețea) - - Your passwords do not match! - Parolele nu se potrivesc! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Selecția pachetelor @@ -1081,82 +1064,99 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.Acesta este un rezumat a ce se va întâmpla după ce începeți procedura de instalare. - - Setup Failed - @title - Configurarea a eșuat + + Your username is too long. + Numele de utilizator este prea lung. - - Installation Failed - @title - Instalare eșuată + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Doar litere mici, numere, lini si cratime sunt permise. + + + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Hostname este prea scurt. + + + + Your hostname is too long. + Hostname este prea lung. + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title - Instalarea s-a terminat + + Your passwords do not match! + Parolele nu se potrivesc! - - The setup of %1 is complete. - @info + + OK! - - The installation of %1 is complete. - @info - Instalarea este %1 completă. + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action - Setează fusul orar la %1/%2 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Acest calculator nu satisface unele din cerințele recomandate pentru instalarea %1.<br/>Instalarea poate continua, dar unele funcții ar putea fi dezactivate. - - The system language will be set to %1. - @info - Limba sistemului va fi %1. + + This program will ask you some questions and set up %2 on your computer. + Acest program vă va pune mai multe întrebări și va seta %2 pe calculatorul dumneavoastră. - - The numbers and dates locale will be set to %1. - @info - Formatul numerelor și datelor calendaristice va fi %1. + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> + @@ -1481,9 +1481,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Acest dispozitiv are o tabelă de partiții <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Această tabelă de partiții este recomandabilă doar pentru sisteme mai vechi care pornesc de la un mediu de boot <strong>BIOS</strong>. GPT este recomandabil în cele mai multe cazuri.<br><br><strong>Atenție:</strong> tabela de partiții MBR partition este un standard învechit din epoca MS-DOS.<br>Acesta permite doar 4 partiții <em>primare</em>, iar din acestea 4 doar una poate fi de tip <em>extins</em>, care la rândul ei mai poate conține un număr mare de partiții <em>logice</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Acesta este tipul de tabelă de partiții recomandat pentru sisteme moderne ce pornesc de pe un mediu de boot <strong>EFI</strong>. @@ -1496,14 +1501,9 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.Programul de instalare <strong>nu poate detecta o tabelă de partiții</strong> pe dispozitivul de stocare selectat.<br><br>Dispozitivul fie nu are o tabelă de partiții, sau tabela de partiții este coruptă sau de un tip necunoscut.<br>Acest program de instalare poate crea o nouă tabelă de partiție în mod automat sau prin intermediul paginii de partiționare manuală. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Acesta este tipul de tabelă de partiții recomandat pentru sisteme moderne ce pornesc de pe un mediu de boot <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Această tabelă de partiții este recomandabilă doar pentru sisteme mai vechi care pornesc de la un mediu de boot <strong>BIOS</strong>. GPT este recomandabil în cele mai multe cazuri.<br><br><strong>Atenție:</strong> tabela de partiții MBR partition este un standard învechit din epoca MS-DOS.<br>Acesta permite doar 4 partiții <em>primare</em>, iar din acestea 4 doar una poate fi de tip <em>extins</em>, care la rândul ei mai poate conține un număr mare de partiții <em>logice</em>. + + This device has a <strong>%1</strong> partition table. + Acest dispozitiv are o tabelă de partiții <strong>%1</strong>. @@ -2279,7 +2279,7 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. LocaleTests - + Quit @@ -2449,6 +2449,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2497,11 +2502,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2674,11 +2674,29 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.The password contains forbidden words in some form Parola contine cuvinte interzise int-o anumita formă + + + The password contains fewer than %n digits + + + + + + The password contains too few digits Parola contine prea putine caractere + + + The password contains fewer than %n uppercase letters + + + + + + The password contains too few uppercase letters @@ -2698,52 +2716,6 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.The password contains too few lowercase letters Parola contine prea putine minuscule - - - The password contains too few non-alphanumeric characters - Parola contine prea putine caractere non-alfanumerice - - - - - - - The password is too short - Parola este prea mica - - - - The password does not contain enough character classes - Parola nu contine destule clase de caractere - - - - The password contains too many same characters consecutively - Parola ontine prea multe caractere identice consecutive - - - - The password contains too many characters of the same class consecutively - Parola contine prea multe caractere ale aceleiaşi clase consecutive - - - - The password contains fewer than %n digits - - - - - - - - - The password contains fewer than %n uppercase letters - - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2753,6 +2725,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + + The password contains too few non-alphanumeric characters + Parola contine prea putine caractere non-alfanumerice + + + + The password is shorter than %n characters @@ -2762,6 +2742,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + + The password is too short + Parola este prea mica + The password is a rotated version of the previous one @@ -2776,6 +2761,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + + The password does not contain enough character classes + Parola nu contine destule clase de caractere + The password contains more than %n same characters consecutively @@ -2785,6 +2775,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + + The password contains too many same characters consecutively + Parola ontine prea multe caractere identice consecutive + The password contains more than %n characters of the same class consecutively @@ -2794,6 +2789,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + + The password contains too many characters of the same class consecutively + Parola contine prea multe caractere ale aceleiaşi clase consecutive + The password contains monotonic sequence longer than %n characters @@ -3218,6 +3218,18 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Partiții + Unsafe partition actions are enabled. @@ -3234,33 +3246,25 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Actual: - - No EFI system partition configured - Nicio partiție de sistem EFI nu a fost configurată + + After: + @label + După: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3273,6 +3277,11 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3280,37 +3289,28 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Partiții - - - - Current: - @label - Actual: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - După: + + No EFI system partition configured + Nicio partiție de sistem EFI nu a fost configurată - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3408,14 +3408,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. ProcessResult - + There was no output from the command. Nu a existat nici o iesire din comanda - + Output: @@ -3424,52 +3424,52 @@ Output - + External command crashed. Comanda externă a eșuat. - + Command <i>%1</i> crashed. Comanda <i>%1</i> a eșuat. - + External command failed to start. Comanda externă nu a putut fi pornită. - + Command <i>%1</i> failed to start. Comanda <i>%1</i> nu a putut fi pornită. - + Internal error when starting command. Eroare internă la pornirea comenzii. - + Bad parameters for process job call. Parametri proști pentru apelul sarcinii de proces. - + External command failed to finish. Finalizarea comenzii externe a eșuat. - + Command <i>%1</i> failed to finish in %2 seconds. Comanda <i>%1</i> nu a putut fi finalizată în %2 secunde. - + External command finished with errors. Comanda externă finalizată cu erori. - + Command <i>%1</i> finished with exit code %2. Comanda <i>%1</i> finalizată cu codul de ieșire %2. @@ -3481,6 +3481,30 @@ Output %1 (%2) %1 (%2) + + + unknown + @partition info + necunoscut + + + + extended + @partition info + extins + + + + unformatted + @partition info + neformatat + + + + swap + @partition info + swap + @@ -3512,30 +3536,6 @@ Output (no mount point) - - - unknown - @partition info - necunoscut - - - - extended - @partition info - extins - - - - unformatted - @partition info - neformatat - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3969,17 +3969,17 @@ Output Cannot disable root account. Nu pot dezactiva contul root - - - Cannot set password for user %1. - Nu se poate seta parola pentru utilizatorul %1. - usermod terminated with error code %1. usermod s-a terminat cu codul de eroare %1. + + + Cannot set password for user %1. + Nu se poate seta parola pentru utilizatorul %1. + SetTimezoneJob @@ -4072,7 +4072,8 @@ Output SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4861,11 +4862,21 @@ Output What is your name? Cum vă numiți? + + + Your full name + + What name do you want to use to log in? Ce nume doriți să utilizați pentru logare? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4886,11 +4897,21 @@ Output What is the name of this computer? Care este numele calculatorului? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Acest nume va fi folosit daca vă faceți calculatorul vizibil la alți pe o rețea. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Doar litere, numere, lini si cratime sunt permise, minim doua caractere. + localhost is not allowed as hostname. @@ -4906,11 +4927,31 @@ Output Password Parola + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Introduceți aceeași parolă de doua ori, pentru a putea verifica de greșeli de scriere. O parola buna contine o combinatie de litere, numere si punctuatie, trebuie ca aceasta sa fie lunga de minim 8 caractere, si ar trebui sa fie schimbată la intervale regulate. + + + Reuse user password as root password + Refolosește parola utilizatorului ca și parolă administrator + + + + Use the same password for the administrator account. + Folosește aceeași parolă pentru contul de administrator. + + + + Choose a root password to keep your account safe. + Alege-ți o parolă root pentru a va păstra contul in siguranta. + Root password @@ -4922,14 +4963,9 @@ Output - - Validate passwords quality - Validați calitatea parolelor - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Când această casetă este bifată, se face verificarea severității parolei și nu veți putea folosi o parolă slabă. + + Enter the same password twice, so that it can be checked for typing errors. + Introduceți aceeasi parola de două ori, pentru a fi verificata de greșeli de scriere. @@ -4937,49 +4973,14 @@ Output Conectați-vă automat fără a cere parola. - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Doar litere, numere, lini si cratime sunt permise, minim doua caractere. - - - - Repeat password - - - - - Reuse user password as root password - Refolosește parola utilizatorului ca și parolă administrator - - - - Use the same password for the administrator account. - Folosește aceeași parolă pentru contul de administrator. - - - - Choose a root password to keep your account safe. - Alege-ți o parolă root pentru a va păstra contul in siguranta. + + Validate passwords quality + Validați calitatea parolelor - - Enter the same password twice, so that it can be checked for typing errors. - Introduceți aceeasi parola de două ori, pentru a fi verificata de greșeli de scriere. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Când această casetă este bifată, se face verificarea severității parolei și nu veți putea folosi o parolă slabă. @@ -4994,11 +4995,21 @@ Output What is your name? Cum vă numiți? + + + Your full name + + What name do you want to use to log in? Ce nume doriți să utilizați pentru logare? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5019,16 +5030,6 @@ Output What is the name of this computer? Care este numele calculatorului? - - - Your full name - - - - - Login name - - Computer name @@ -5064,16 +5065,6 @@ Output Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5094,6 +5085,16 @@ Output Choose a root password to keep your account safe. Alege-ți o parolă root pentru a va păstra contul in siguranta. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ro_RO.ts b/lang/calamares_ro_RO.ts index f5f4683577..7ed5473fe0 100644 --- a/lang/calamares_ro_RO.ts +++ b/lang/calamares_ro_RO.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ - + Setup Failed @title @@ -439,13 +458,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -909,247 +909,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1475,8 +1475,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1490,13 +1495,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,19 +2668,9 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2688,53 +2678,38 @@ The installer will quit and all changes will be lost. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2753,6 +2733,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2767,6 +2752,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2776,6 +2766,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3210,48 +3210,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3265,43 +3269,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3399,65 +3399,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3469,6 +3469,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3500,30 +3524,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3957,17 +3957,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4060,7 +4060,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4847,11 +4848,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4872,11 +4883,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4893,78 +4914,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4980,11 +4981,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5005,16 +5016,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5050,16 +5051,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5080,6 +5071,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ru.ts b/lang/calamares_ru.ts index 27ecfe1550..7b75b842e6 100644 --- a/lang/calamares_ru.ts +++ b/lang/calamares_ru.ts @@ -125,31 +125,21 @@ Interface: Интерфейс: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Перезапуск стилей из помеченной папки - - - Uploads the session log to the configured pastebin. - Загрузка журнала сессии на pastebin. - - - - Send Session Log - Отправить журнал сессии - Reload Stylesheet Перезагрузить таблицу стилей - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Дерево виджетов + + + Uploads the session log to the configured pastebin. + Загрузка журнала сессии на pastebin. + + + + Send Session Log + Отправить журнал сессии + Debug Information @@ -383,7 +383,7 @@ (%n секунда) (%n секунды) (%n секунд) - (%n секунд) + (%n секунд(ы)) @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Загрузка не удалась. Сетевая вставка не была завершена. + + + + Install log posted to + +%1 + +Link copied to clipboard + Журнал установки отправлен в + +%1 + +Ссылка скопирована + + + + Install Log Paste URL + Адрес для отправки журнала установки + &Yes @@ -411,7 +434,7 @@ &Закрыть - + Setup Failed @title Сбой установки @@ -441,13 +464,13 @@ Не удалось установить %1. Calamares не удалось загрузить все сконфигурированные модули. Эта проблема вызвана тем, как ваш дистрибутив использует Calamares. - + <br/>The following modules could not be loaded: @info <br/>Не удалось загрузить следующие модули: - + Continue with Setup? @title Продолжить настройку? @@ -465,133 +488,110 @@ Программа установки %1 готова внести изменения на Ваш диск, чтобы установить %2.<br/><strong>Отменить эти изменения будет невозможно.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Программа установки %1 готова внести изменения на Ваш диск, чтобы установить %2.<br/><strong>Отменить эти изменения будет невозможно.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Установить - + Setup is complete. Close the setup program. @tooltip Установка завершена. Закройте программу установки. - + The installation is complete. Close the installer. @tooltip Установка завершена. Закройте установщик. - + Cancel the setup process without changing the system. @tooltip Отменить процесс настройки без изменения системы. - + Cancel the installation process without changing the system. @tooltip Отменить процесс установки без изменения системы. - + &Next @button &Далее - + &Back @button &Назад - + &Done @button &Готово - + &Cancel @button &Отмена - + Cancel Setup? @title Отменить настройку? - + Cancel Installation? @title Отменить установку? - - Install Log Paste URL - Адрес для отправки журнала установки - - - - The upload was unsuccessful. No web-paste was done. - Загрузка не удалась. Сетевая вставка не была завершена. - - - - Install log posted to - -%1 - -Link copied to clipboard - Журнал установки отправлен в - -%1 - -Ссылка скопирована - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Прервать процесс установки? Программа установки прекратит работу и все изменения будут потеряны. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Действительно прервать процесс установки? Программа установки сразу прекратит работу, все изменения будут потеряны. @@ -600,25 +600,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Неизвестный тип исключения - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -675,16 +675,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ручная разметка</strong><br/>Вы можете самостоятельно создавать разделы или изменять их размеры. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Выберите раздел для уменьшения, затем двигайте ползунок, изменяя размер</strong> - Select storage de&vice: @@ -712,6 +702,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Выберите раздел для уменьшения, затем двигайте ползунок, изменяя размер</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -833,6 +828,11 @@ The installer will quit and all changes will be lost. @label Файл подкачки + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ручная разметка</strong><br/>Вы можете самостоятельно создавать разделы или изменять их размеры. + Bootloader location: @@ -843,44 +843,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. Успешно размонтирован %1. - + Successfully disabled swap %1. Успешно отключён раздел подкачки %1. - + Successfully cleared swap %1. Успешно очищен раздел подкачки %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. Успешно отключена группа томов %1. - + Clear mounts for partitioning operations on %1 @title Освободить точки монтирования для выполнения разметки на %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Освобождены все точки монтирования для %1 @@ -916,129 +916,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Сетевая установка. (Отключено: неверная конфигурация) - - - - Network Installation. (Disabled: Received invalid groups data) - Установка по сети. (Отключено: получены неверные сведения о группах) - - - - Network Installation. (Disabled: Internal error) - Сетевая установка. (Отключено: внутренняя ошибка) - - - - Network Installation. (Disabled: No package list) - Сетевая установка. (Отключено: нет списка пакетов) - - - - Package selection - Выбор пакетов - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Установка по сети. (Отключено: не удается получить список пакетов, проверьте сетевое подключение) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Этот компьютер не соответствует минимальным требованиям для настройки %1.<br/>Настройка не может быть продолжена. + + Setup Failed + @title + Сбой установки - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Установка не может быть продолжена. + + Installation Failed + @title + Установка завершилась неудачей - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. + + The setup of %1 did not complete successfully. + @info + Настройка %1 завершена неудачно. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Этот компьютер соответствует не всем желательным требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. + + The installation of %1 did not complete successfully. + @info + Установка %1 завершена неудачно. - - This program will ask you some questions and set up %2 on your computer. - Эта программа задаст вам несколько вопросов и поможет установить %2 на ваш компьютер. + + Setup Complete + @title + Установка завершена - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Добро пожаловать в установщик Calamares для %1</h1> + + Installation Complete + @title + Установка завершена - - <h1>Welcome to %1 setup</h1> - <h1>Добро пожаловать в установщик %1</h1> + + The setup of %1 is complete. + @info + Установка %1 завершена. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Добро пожаловать в установщик Calamares для %1</h1> + + The installation of %1 is complete. + @info + Установка %1 завершена. - - <h1>Welcome to the %1 installer</h1> - <h1>Добро пожаловать в установщик %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Модель клавиатуры установлена ​​на %1<br/>. - - Your username is too long. - Ваше имя пользователя слишком длинное. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Раскладка клавиатуры установлена ​​на %1/%2. - - '%1' is not allowed as username. - «%1» нельзя использовать как имя пользователя + + Set timezone to %1/%2 + @action + Установить часовой пояс на %1/%2 - - Your username must start with a lowercase letter or underscore. - Ваше имя пользователя должно начинаться со строчной буквы или подчёркивания. + + The system language will be set to %1. + @info + Системным языком будет установлен %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Допускаются только строчные буквы, числа, символы подчёркивания и дефисы. + + The numbers and dates locale will be set to %1. + @info + Региональным форматом чисел и дат будет установлен %1. - - Your hostname is too short. - Имя вашего компьютера слишком короткое. + + Network Installation. (Disabled: Incorrect configuration) + Сетевая установка. (Отключено: неверная конфигурация) - - Your hostname is too long. - Имя вашего компьютера слишком длинное. + + Network Installation. (Disabled: Received invalid groups data) + Установка по сети. (Отключено: получены неверные сведения о группах) - - '%1' is not allowed as hostname. - «%1» нельзя использовать как имя хоста + + Network Installation. (Disabled: Internal error) + Сетевая установка. (Отключено: внутренняя ошибка) - - Only letters, numbers, underscore and hyphen are allowed. - Допускаются только буквы, цифры, символы подчёркивания и дефисы. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Установка по сети. (Отключено: не удается получить список пакетов, проверьте сетевое подключение) - - Your passwords do not match! - Пароли не совпадают! + + Network Installation. (Disabled: No package list) + Сетевая установка. (Отключено: нет списка пакетов) - - OK! - Успешно! + + Package selection + Выбор пакетов @@ -1077,87 +1060,104 @@ The installer will quit and all changes will be lost. Это обзор изменений, которые будут применены при запуске процедуры установки. - - This is an overview of what will happen once you start the install procedure. - Это обзор изменений, которые будут применены при запуске процедуры установки. + + This is an overview of what will happen once you start the install procedure. + Это обзор изменений, которые будут применены при запуске процедуры установки. + + + + Your username is too long. + Ваше имя пользователя слишком длинное. + + + + Your username must start with a lowercase letter or underscore. + Ваше имя пользователя должно начинаться со строчной буквы или подчёркивания. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Допускаются только строчные буквы, числа, символы подчёркивания и дефисы. + + + + '%1' is not allowed as username. + «%1» нельзя использовать как имя пользователя + + + + Your hostname is too short. + Имя вашего компьютера слишком короткое. - - Setup Failed - @title - Сбой установки + + Your hostname is too long. + Имя вашего компьютера слишком длинное. - - Installation Failed - @title - Установка завершилась неудачей + + '%1' is not allowed as hostname. + «%1» нельзя использовать как имя хоста - - The setup of %1 did not complete successfully. - @info - Настройка %1 завершена неудачно. + + Only letters, numbers, underscore and hyphen are allowed. + Допускаются только буквы, цифры, символы подчёркивания и дефисы. - - The installation of %1 did not complete successfully. - @info - Установка %1 завершена неудачно. + + Your passwords do not match! + Пароли не совпадают! - - Setup Complete - @title - Установка завершена + + OK! + Успешно! - - Installation Complete - @title - Установка завершена + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Этот компьютер не соответствует минимальным требованиям для настройки %1.<br/>Настройка не может быть продолжена. - - The setup of %1 is complete. - @info - Установка %1 завершена. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Установка не может быть продолжена. - - The installation of %1 is complete. - @info - Установка %1 завершена. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Модель клавиатуры установлена ​​на %1<br/>. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Этот компьютер соответствует не всем желательным требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Раскладка клавиатуры установлена ​​на %1/%2. + + This program will ask you some questions and set up %2 on your computer. + Эта программа задаст вам несколько вопросов и поможет установить %2 на ваш компьютер. - - Set timezone to %1/%2 - @action - Установить часовой пояс на %1/%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Добро пожаловать в установщик Calamares для %1</h1> - - The system language will be set to %1. - @info - Системным языком будет установлен %1. + + <h1>Welcome to %1 setup</h1> + <h1>Добро пожаловать в установщик %1</h1> - - The numbers and dates locale will be set to %1. - @info - Региональным форматом чисел и дат будет установлен %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Добро пожаловать в установщик Calamares для %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Добро пожаловать в установщик %1</h1> @@ -1482,9 +1482,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - На этом устройстве имеется <strong>%1</strong> таблица разделов. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Этот тип таблицы разделов рекомендуется только для старых систем, запускаемых из среды загрузки <strong>BIOS</strong>. В большинстве случаев вместо этого лучше использовать GPT.<br><br><strong>Внимание:</strong> MBR стандарт таблицы разделов является устаревшим.<br>Он допускает максимум 4 <em>первичных</em> раздела, только один из них может быть <em>расширенным</em> и содержать много <em>логических</em> под-разделов. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Это рекомендуемый тип таблицы разделов для современных систем, которые используют окружение <strong>EFI</strong> для загрузки. @@ -1497,14 +1502,9 @@ The installer will quit and all changes will be lost. Программа установки <strong>не обнаружила таблицы разделов</strong> на выбранном устройстве хранения.<br><br>На этом устройстве либо нет таблицы разделов, либо она повреждена, либо неизвестного типа.<br>Эта программа установки может создать для Вас новую таблицу разделов автоматически или через страницу ручной разметки. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Это рекомендуемый тип таблицы разделов для современных систем, которые используют окружение <strong>EFI</strong> для загрузки. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Этот тип таблицы разделов рекомендуется только для старых систем, запускаемых из среды загрузки <strong>BIOS</strong>. В большинстве случаев вместо этого лучше использовать GPT.<br><br><strong>Внимание:</strong> MBR стандарт таблицы разделов является устаревшим.<br>Он допускает максимум 4 <em>первичных</em> раздела, только один из них может быть <em>расширенным</em> и содержать много <em>логических</em> под-разделов. + + This device has a <strong>%1</strong> partition table. + На этом устройстве имеется <strong>%1</strong> таблица разделов. @@ -2280,7 +2280,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit Выйти @@ -2450,6 +2450,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Рабочий стол + + + Applications + Приложения + Communication @@ -2498,11 +2503,6 @@ The installer will quit and all changes will be lost. label for netinstall module Утилиты - - - Applications - Приложения - NotesQmlViewStep @@ -2675,11 +2675,31 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form Пароль содержит запрещённые слова + + + The password contains fewer than %n digits + + + + + + + The password contains too few digits В пароле слишком мало цифр + + + The password contains fewer than %n uppercase letters + + + + + + + The password contains too few uppercase letters @@ -2700,51 +2720,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters В пароле слишком мало строчных букв - - - The password contains too few non-alphanumeric characters - В пароле слишком мало не буквенно-цифровых символов - - - - The password is too short - Пароль слишком короткий - - - - The password does not contain enough character classes - Пароль содержит недостаточно классов символов - - - - The password contains too many same characters consecutively - Пароль содержит слишком много одинаковых последовательных символов - - - - The password contains too many characters of the same class consecutively - Пароль содержит слишком длинную последовательность символов одного и того же класса - - - - The password contains fewer than %n digits - - - - - - - - - - The password contains fewer than %n uppercase letters - - - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2755,6 +2730,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + В пароле слишком мало не буквенно-цифровых символов + The password is shorter than %n characters @@ -2765,6 +2745,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + Пароль слишком короткий + The password is a rotated version of the previous one @@ -2780,6 +2765,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + Пароль содержит недостаточно классов символов + The password contains more than %n same characters consecutively @@ -2790,6 +2780,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + Пароль содержит слишком много одинаковых последовательных символов + The password contains more than %n characters of the same class consecutively @@ -2800,6 +2795,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + Пароль содержит слишком длинную последовательность символов одного и того же класса + The password contains monotonic sequence longer than %n characters @@ -3225,6 +3225,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Разделы + Unsafe partition actions are enabled. @@ -3241,35 +3253,27 @@ The installer will quit and all changes will be lost. Никакие разделы не будут изменены. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Нет настроенного системного раздела EFI - - - - EFI system partition configured incorrectly - Системный раздел EFI настроен неправильно + + Current: + @label + Текущий: + + + + After: + @label + После: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Для запуска %1 необходим системный раздел EFI.<br/><br/> Чтобы настроить системный раздел EFI, вернитесь назад и выберите или создайте подходящую файловую систему. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3280,6 +3284,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. Файловая система должна иметь тип FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + В файловой системе должен быть установлен флаг <strong>%1</strong>. + @@ -3287,38 +3296,29 @@ The installer will quit and all changes will be lost. Файловая система должна быть размером не менее %1 МиБ. - - The filesystem must have flag <strong>%1</strong> set. - В файловой системе должен быть установлен флаг <strong>%1</strong>. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Разделы + + You can continue without setting up an EFI system partition but your system may fail to start. + Вы можете продолжить без настройки системного раздела EFI, но ваша система может не запуститься. - - Current: - @label - Текущий: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - После: + + No EFI system partition configured + Нет настроенного системного раздела EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Вы можете продолжить без настройки системного раздела EFI, но ваша система может не запуститься. + + EFI system partition configured incorrectly + Системный раздел EFI настроен неправильно @@ -3415,14 +3415,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. Вывода из команды не последовало. - + Output: @@ -3431,52 +3431,52 @@ Output: - + External command crashed. Сбой внешней команды. - + Command <i>%1</i> crashed. Сбой команды <i>%1</i>. - + External command failed to start. Не удалось запустить внешнюю команду. - + Command <i>%1</i> failed to start. Не удалось запустить команду <i>%1</i>. - + Internal error when starting command. Внутренняя ошибка при запуске команды. - + Bad parameters for process job call. Неверные параметры для вызова процесса. - + External command failed to finish. Не удалось завершить внешнюю команду. - + Command <i>%1</i> failed to finish in %2 seconds. Команда <i>%1</i> не завершилась за %2 с. - + External command finished with errors. Внешняя команда завершилась с ошибками. - + Command <i>%1</i> finished with exit code %2. Команда <i>%1</i> завершилась с кодом %2. @@ -3488,6 +3488,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + неизвестный + + + + extended + @partition info + расширенный + + + + unformatted + @partition info + неформатированный + + + + swap + @partition info + swap + @@ -3519,30 +3543,6 @@ Output: (no mount point) (без точки монтирования) - - - unknown - @partition info - неизвестный - - - - extended - @partition info - расширенный - - - - unformatted - @partition info - неформатированный - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3978,17 +3978,17 @@ Output: Cannot disable root account. Невозможно отключить корневую учётную запись. - - - Cannot set password for user %1. - Не удалось задать пароль для пользователя %1. - usermod terminated with error code %1. Команда usermod завершилась с кодом ошибки %1. + + + Cannot set password for user %1. + Не удалось задать пароль для пользователя %1. + SetTimezoneJob @@ -4081,7 +4081,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4874,11 +4875,21 @@ Output: What is your name? Как Вас зовут? + + + Your full name + + What name do you want to use to log in? Какое имя Вы хотите использовать для входа? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4899,11 +4910,21 @@ Output: What is the name of this computer? Какое имя у компьютера? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Это имя будет использоваться, если вы сделаете компьютер видимым для других в сети. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Можно использовать только латинские буквы, цифры, символы подчёркивания и дефисы; не менее двух символов. + localhost is not allowed as hostname. @@ -4919,11 +4940,31 @@ Output: Password Пароль + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Введите один и тот же пароль дважды, для проверки на ошибки. Хороший пароль должен состоять из сочетания букв, цифр и знаков препинания; должен иметь длину от 8 знаков и иногда изменяться. + + + Reuse user password as root password + Использовать пароль пользователя как пароль корневого пользователя + + + + Use the same password for the administrator account. + Использовать тот же пароль для учётной записи администратора. + + + + Choose a root password to keep your account safe. + Выберите пароль корневого пользователя для защиты своей учётной записи. + Root password @@ -4935,14 +4976,9 @@ Output: - - Validate passwords quality - Проверить качество паролей - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Когда галочка отмечена, выполняется проверка надёжности пароля, и вы не сможете использовать простой пароль. + + Enter the same password twice, so that it can be checked for typing errors. + Введите пароль повторно, чтобы не допустить ошибок при вводе @@ -4950,49 +4986,14 @@ Output: Входить автоматически, не спрашивая пароль - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Можно использовать только латинские буквы, цифры, символы подчёркивания и дефисы; не менее двух символов. - - - - Repeat password - - - - - Reuse user password as root password - Использовать пароль пользователя как пароль корневого пользователя - - - - Use the same password for the administrator account. - Использовать тот же пароль для учётной записи администратора. - - - - Choose a root password to keep your account safe. - Выберите пароль корневого пользователя для защиты своей учётной записи. + + Validate passwords quality + Проверить качество паролей - - Enter the same password twice, so that it can be checked for typing errors. - Введите пароль повторно, чтобы не допустить ошибок при вводе + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Когда галочка отмечена, выполняется проверка надёжности пароля, и вы не сможете использовать простой пароль. @@ -5007,11 +5008,21 @@ Output: What is your name? Как Вас зовут? + + + Your full name + + What name do you want to use to log in? Какое имя Вы хотите использовать для входа? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5032,16 +5043,6 @@ Output: What is the name of this computer? Какое имя у компьютера? - - - Your full name - - - - - Login name - - Computer name @@ -5077,16 +5078,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5107,6 +5098,16 @@ Output: Choose a root password to keep your account safe. Выберите пароль корневого пользователя для защиты своей учётной записи. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_si.ts b/lang/calamares_si.ts index 469aee4573..13eb5bb868 100644 --- a/lang/calamares_si.ts +++ b/lang/calamares_si.ts @@ -125,31 +125,21 @@ Interface: අතුරුමුහුණත: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. සන්නාම නාමාවලියෙන් මෝස්තර පත්‍රය නැවත පූරණය කරයි. - - - Uploads the session log to the configured pastebin. - සැසි ලඝු සැකසුම් පේස්ට්බින් වෙත උඩුගත කරයි. - - - - Send Session Log - සැසි ලඝු යවන්න - Reload Stylesheet මෝස්තර පත්‍රිකාව නැවත පූරණය කරන්න - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree විජට් ගස + + + Uploads the session log to the configured pastebin. + සැසි ලඝු සැකසුම් පේස්ට්බින් වෙත උඩුගත කරයි. + + + + Send Session Log + සැසි ලඝු යවන්න + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (තත්පර %n) + (තත්පර %n) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + උඩුගත කිරීම අසාර්ථක විය. කිසිම වෙබ් පේස්ට් කිරීමක් නොකලේය. + + + + Install log posted to + +%1 + +Link copied to clipboard + ස්ථාපන ලොගය පළ කර ඇත + +%1 + +සබැඳිය පසුරු පුවරුවට පිටපත් කරන ලදී + + + + Install Log Paste URL + ස්ථාපන ලොගයේ URLය අලවන්න + &Yes @@ -407,7 +430,7 @@ වසන්න (C) - + Setup Failed @title පිහිටුවීම අසාර්ථක විය @@ -437,13 +460,13 @@ %1 ස්ථාපනය කල නොහැක. Calamares හට සැකසුම් කළ මොඩියුල සියල්ල පූරණය කිරීමට නොහැකි විය. මෙය බෙදා හැරීම මගින් Calamares භාවිතා කරන ආකාරය පිළිබඳ ගැටළුවකි. - + <br/>The following modules could not be loaded: @info <br/>මෙම මොඩියුල පූරණය කළ නොහැක: - + Continue with Setup? @title @@ -461,133 +484,110 @@ %1 පිහිටුවීම් වැඩසටහන %2 පිහිටුවීම සඳහා ඔබගේ තැටියේ වෙනස්කම් සිදු කිරීමට සූදානම් වේ. <br/><strong>ඔබට මෙම වෙනස්කම් පසුගමනය කිරීමට නොහැකි වනු ඇත.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %2 ස්ථාපනය කිරීම සඳහා %1 ස්ථාපකය ඔබගේ තැටියේ වෙනස්කම් සිදු කිරීමට සූදානම් වේ. <br/><strong>ඔබට මෙම වෙනස්කම් පසුගමනය කිරීමට නොහැකි වනු ඇත.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button ස්ථාපනය කරන්න - + Setup is complete. Close the setup program. @tooltip පිහිටුවීම සම්පූර්ණයි. සැකසුම් වැඩසටහන වසන්න. - + The installation is complete. Close the installer. @tooltip ස්ථාපනය සම්පූර්ණයි. ස්ථාපකය වසන්න. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button ඊළඟ (&N) - + &Back @button ආපසු (&B) - + &Done @button අවසන්(&D) - + &Cancel @button අවලංගු කරන්න (&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - ස්ථාපන ලොගයේ URLය අලවන්න - - - - The upload was unsuccessful. No web-paste was done. - උඩුගත කිරීම අසාර්ථක විය. කිසිම වෙබ් පේස්ට් කිරීමක් නොකලේය. - - - - Install log posted to - -%1 - -Link copied to clipboard - ස්ථාපන ලොගය පළ කර ඇත - -%1 - -සබැඳිය පසුරු පුවරුවට පිටපත් කරන ලදී - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ඔබට ඇත්තටම වත්මන් පිහිටුවීම් ක්‍රියාවලිය අවලංගු කිරීමට අවශ්‍යද? සැකසුම් වැඩසටහන ඉවත් වන අතර සියලු වෙනස්කම් අහිමි වනු ඇත. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ඔබට ඇත්තටම වත්මන් ස්ථාපන ක්‍රියාවලිය අවලංගු කිරීමට අවශ්‍යද? @@ -597,25 +597,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error නොදන්නා ව්‍යතිරේක වර්ගය - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>අතින් කොටස් කිරීම</strong> <br/>ඔබට අවශ්‍ය අකාරයට කොටස් සෑදීමට හෝ ප්‍රමාණය වෙනස් කිරීමට හැකිය. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>ප්‍රමාණය අඩුකිරීමට කොටසක් තෝරන්න, පසුව ප්‍රමාණය වෙනස් කිරීමට පහළ තීරුව අදින්න</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>ප්‍රමාණය අඩුකිරීමට කොටසක් තෝරන්න, පසුව ප්‍රමාණය වෙනස් කිරීමට පහළ තීරුව අදින්න</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -830,6 +825,11 @@ The installer will quit and all changes will be lost. @label Swap ගොනුව + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>අතින් කොටස් කිරීම</strong> <br/>ඔබට අවශ්‍ය අකාරයට කොටස් සෑදීමට හෝ ප්‍රමාණය වෙනස් කිරීමට හැකිය. + Bootloader location: @@ -840,44 +840,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 සාර්ථකව ඉවත් කරන ලදී. - + Successfully disabled swap %1. swap % 1 සාර්ථකව අක්‍රීය කරන ලදී. - + Successfully cleared swap %1. swap %1 සාර්ථකව හිස් කරන ලදී. - + Successfully closed mapper device %1. සිතියම් උපාංගය %1 සාර්ථකව වසා ඇත. - + Successfully disabled volume group %1. %1 වෙළුම් සමූහය සාර්ථකව ක්‍රියා කරයි. - + Clear mounts for partitioning operations on %1 @title කොටස් කිරීම සදහා %1 තැටි හිස් කරනු ලැබේ - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 %1 සඳහා සියලුම සවි කිරීම් හිස් කරන ලදී @@ -913,129 +913,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - ජාල ස්ථාපනය. (අක්‍රියයි: වැරදි සැකසීමකි) - - - - Network Installation. (Disabled: Received invalid groups data) - ජාල ස්ථාපනය. (අක්‍රියයි: වලංගු නොවන කණ්ඩායම් දත්ත ලැබී ඇත) - - - - Network Installation. (Disabled: Internal error) - ජාල ස්ථාපනය. (අක්‍රියයි: අභ්‍යන්තර දෝෂයකි) - - - - Network Installation. (Disabled: No package list) - ජාල ස්ථාපනය. (අක්‍රියයි: පැකේජ ලැයිස්තුවක් නැත) - - - - Package selection - පැකේජ තේරීම - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - ජාල ස්ථාපනය. (අක්‍රියයි: පැකේජ ලැයිස්තු ලබා ගැනීමට නොහැක, ඔබගේ ජාල සම්බන්ධතාවය පරීක්ෂා කරන්න) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + පිහිටුවීම අසාර්ථක විය - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + ස්ථාපනය අසාර්ථක විය - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - මෙම පරිගණකය %1 පිහිටුවීම සඳහා නිර්දේශිත සමහර අවශ්‍යතා සපුරාලන්නේ නැත. <br/>පිහිටුවීම දිගටම කරගෙන යා හැක, නමුත් සමහර විශේෂාංග ක්‍රියා විරහිත විය හැක. + + The setup of %1 did not complete successfully. + @info + %1 හි පිහිටුවීම සාර්ථකව සම්පූර්ණ නොවීය. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - මෙම පරිගණකය %1 ස්ථාපනය කිරීම සඳහා නිර්දේශිත සමහර අවශ්‍යතා සපුරාලන්නේ නැත. <br/>ස්ථාපනය දිගටම කරගෙන යා හැක, නමුත් සමහර විශේෂාංග ක්‍රියා විරහිත විය හැක. + + The installation of %1 did not complete successfully. + @info + %1 ස්ථාපනය සාර්ථකව නිම නොවීය. - - This program will ask you some questions and set up %2 on your computer. - මෙම වැඩසටහන ඔබෙන් ප්‍රශ්න කිහිපයක් අසන අතර ඔබේ පරිගණකයේ %2 සකසනු ඇත. + + Setup Complete + @title + පිහිටුවීම සම්පූර්ණයි - - <h1>Welcome to the Calamares setup program for %1</h1> - <strong>%1 සඳහා Calamares සැකසුම් වැඩසටහන වෙත සාදරයෙන් පිළිගනිමු</strong> + + Installation Complete + @title + ස්ථාපනය සම්පූර්ණයි - - <h1>Welcome to %1 setup</h1> - <strong>%1 පිහිටුවීමට සාදරයෙන් පිළිගනිමු</strong> + + The setup of %1 is complete. + @info + %1 හි පිහිටුවීම සම්පූර්ණයි. - - <h1>Welcome to the Calamares installer for %1</h1> - <strong>%1 සඳහා Calamares ස්ථාපකය වෙත සාදරයෙන් පිළිගනිමු</strong> + + The installation of %1 is complete. + @info + %1 ස්ථාපනය සම්පූර්ණයි. - - <h1>Welcome to the %1 installer</h1> - <strong>%1 ස්ථාපකය වෙත සාදරයෙන් පිළිගනිමු</strong> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - පරිශීලක නාමය දිග වැඩිය. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' පරිශීලක නාමයක් ලෙස ඉඩ නොදේ. + + Set timezone to %1/%2 + @action + වේලා කලාපය %1/%2 ලෙස සකසන්න - - Your username must start with a lowercase letter or underscore. - ඔබගේ පරිශීලක නාමය කුඩා අකුරකින් හෝ යටි ඉරකින් ආරම්භ විය යුතුය. + + The system language will be set to %1. + @info + පද්ධති භාෂාව %1 ලෙස සැකසෙනු ඇත. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - කුඩා අකුරු, ඉලක්කම්, යටි ඉරි සහ තනි ඉර පමණක් ඉඩ දෙනු ලැබේ. + + The numbers and dates locale will be set to %1. + @info + අංක සහ දින පෙදෙසිය %1 ලෙස සකසනු ඇත. - - Your hostname is too short. - ඔබගේ සත්කාරක නාමය කෙටි වැඩිය. + + Network Installation. (Disabled: Incorrect configuration) + ජාල ස්ථාපනය. (අක්‍රියයි: වැරදි සැකසීමකි) - - Your hostname is too long. - ඔබේ සත්කාරක නාමය දිග වැඩියි. + + Network Installation. (Disabled: Received invalid groups data) + ජාල ස්ථාපනය. (අක්‍රියයි: වලංගු නොවන කණ්ඩායම් දත්ත ලැබී ඇත) - - '%1' is not allowed as hostname. - '%1' ධාරක නාමය ලෙස ඉඩ නොදේ. + + Network Installation. (Disabled: Internal error) + ජාල ස්ථාපනය. (අක්‍රියයි: අභ්‍යන්තර දෝෂයකි) - - Only letters, numbers, underscore and hyphen are allowed. - අකුරු, ඉලක්කම්, යටි ඉරි සහ තනි ඉර පමණක් ඉඩ දෙනු ලැබේ. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + ජාල ස්ථාපනය. (අක්‍රියයි: පැකේජ ලැයිස්තු ලබා ගැනීමට නොහැක, ඔබගේ ජාල සම්බන්ධතාවය පරීක්ෂා කරන්න) - - Your passwords do not match! - ඔබගේ මුරපද නොගැලපේ! + + Network Installation. (Disabled: No package list) + ජාල ස්ථාපනය. (අක්‍රියයි: පැකේජ ලැයිස්තුවක් නැත) - - OK! - හරි! + + Package selection + පැකේජ තේරීම @@ -1063,98 +1046,115 @@ The installer will quit and all changes will be lost. කිසිවක් නැත - - Summary - @label - සාරාංශය + + Summary + @label + සාරාංශය + + + + This is an overview of what will happen once you start the setup procedure. + මෙය ඔබ සැකසුම් ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. + + + + This is an overview of what will happen once you start the install procedure. + මෙය ඔබ ස්ථාපන ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. + + + + Your username is too long. + පරිශීලක නාමය දිග වැඩිය. + + + + Your username must start with a lowercase letter or underscore. + ඔබගේ පරිශීලක නාමය කුඩා අකුරකින් හෝ යටි ඉරකින් ආරම්භ විය යුතුය. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + කුඩා අකුරු, ඉලක්කම්, යටි ඉරි සහ තනි ඉර පමණක් ඉඩ දෙනු ලැබේ. + + + + '%1' is not allowed as username. + '%1' පරිශීලක නාමයක් ලෙස ඉඩ නොදේ. - - This is an overview of what will happen once you start the setup procedure. - මෙය ඔබ සැකසුම් ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. + + Your hostname is too short. + ඔබගේ සත්කාරක නාමය කෙටි වැඩිය. - - This is an overview of what will happen once you start the install procedure. - මෙය ඔබ ස්ථාපන ක්‍රියා පටිපාටිය ආරම්භ කළ පසු කුමක් සිදුවේද යන්න පිළිබඳ දළ විශ්ලේෂණයකි. + + Your hostname is too long. + ඔබේ සත්කාරක නාමය දිග වැඩියි. - - Setup Failed - @title - පිහිටුවීම අසාර්ථක විය + + '%1' is not allowed as hostname. + '%1' ධාරක නාමය ලෙස ඉඩ නොදේ. - - Installation Failed - @title - ස්ථාපනය අසාර්ථක විය + + Only letters, numbers, underscore and hyphen are allowed. + අකුරු, ඉලක්කම්, යටි ඉරි සහ තනි ඉර පමණක් ඉඩ දෙනු ලැබේ. - - The setup of %1 did not complete successfully. - @info - %1 හි පිහිටුවීම සාර්ථකව සම්පූර්ණ නොවීය. + + Your passwords do not match! + ඔබගේ මුරපද නොගැලපේ! - - The installation of %1 did not complete successfully. - @info - %1 ස්ථාපනය සාර්ථකව නිම නොවීය. + + OK! + හරි! - - Setup Complete - @title - පිහිටුවීම සම්පූර්ණයි + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - Installation Complete - @title - ස්ථාපනය සම්පූර්ණයි + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The setup of %1 is complete. - @info - %1 හි පිහිටුවීම සම්පූර්ණයි. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + මෙම පරිගණකය %1 පිහිටුවීම සඳහා නිර්දේශිත සමහර අවශ්‍යතා සපුරාලන්නේ නැත. <br/>පිහිටුවීම දිගටම කරගෙන යා හැක, නමුත් සමහර විශේෂාංග ක්‍රියා විරහිත විය හැක. - - The installation of %1 is complete. - @info - %1 ස්ථාපනය සම්පූර්ණයි. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + මෙම පරිගණකය %1 ස්ථාපනය කිරීම සඳහා නිර්දේශිත සමහර අවශ්‍යතා සපුරාලන්නේ නැත. <br/>ස්ථාපනය දිගටම කරගෙන යා හැක, නමුත් සමහර විශේෂාංග ක්‍රියා විරහිත විය හැක. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + මෙම වැඩසටහන ඔබෙන් ප්‍රශ්න කිහිපයක් අසන අතර ඔබේ පරිගණකයේ %2 සකසනු ඇත. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <strong>%1 සඳහා Calamares සැකසුම් වැඩසටහන වෙත සාදරයෙන් පිළිගනිමු</strong> - - Set timezone to %1/%2 - @action - වේලා කලාපය %1/%2 ලෙස සකසන්න + + <h1>Welcome to %1 setup</h1> + <strong>%1 පිහිටුවීමට සාදරයෙන් පිළිගනිමු</strong> - - The system language will be set to %1. - @info - පද්ධති භාෂාව %1 ලෙස සැකසෙනු ඇත. + + <h1>Welcome to the Calamares installer for %1</h1> + <strong>%1 සඳහා Calamares ස්ථාපකය වෙත සාදරයෙන් පිළිගනිමු</strong> - - The numbers and dates locale will be set to %1. - @info - අංක සහ දින පෙදෙසිය %1 ලෙස සකසනු ඇත. + + <h1>Welcome to the %1 installer</h1> + <strong>%1 ස්ථාපකය වෙත සාදරයෙන් පිළිගනිමු</strong> @@ -1479,9 +1479,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - මෙම උපාංගයට අදාලව <strong>%1</strong> කොටස් වගුවක් ඇත. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>මෙම කොටස් වගු වර්ගය සුදුසු වන්නේ <strong>BIOS</strong> ඇරඹුම් පරිසරයකින් ආරම්භ වන පැරණි පද්ධති සඳහා පමණි. අනෙකුත් බොහෝ අවස්ථාවන්හිදී GPT නිර්දේශ කෙරේ. <br><br><strong>අවවාදයයි:</strong> MBR කොටස් වගුව යල් පැන ගිය MS-DOS යුගයේ සම්මතයකි. <br><em>ප්‍රධාන</em> කොටස් 4ක් පමණක් සෑදිය හැකි අතර, එම 4න් එකක් <strong>දීර්ඝ</strong> කළ කොටසක් විය හැක, එහි බොහෝ <strong>තාර්කික</strong> කොටස් අඩංගු විය හැක. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br><strong>EFI</strong> ඇරඹුම් පරිසරයකින් ආරම්භ වන නවීන පද්ධති සඳහා නිර්දේශිත කොටස් වගු වර්ගය මෙයයි. @@ -1494,14 +1499,9 @@ The installer will quit and all changes will be lost. මෙම ස්ථාපකයට <strong>තෝරාගත් ගබඩා උපාංගයේ කොටස් වගුවක් හඳුනාගත නොහැක</strong>. <br/><br/>උපාංගයට කොටස් වගුවක් නැත, නැතහොත් කොටස් වගුව දූෂිත වී හෝ නොදන්නා වර්ගයකි. <br/>මෙම ස්ථාපකයට ඔබ වෙනුවෙන් ස්වයංක්‍රීයව හෝ අතින් කොටස් කිරීමේ පිටුව හරහා නව කොටස් වගුවක් සෑදිය හැක. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br><strong>EFI</strong> ඇරඹුම් පරිසරයකින් ආරම්භ වන නවීන පද්ධති සඳහා නිර්දේශිත කොටස් වගු වර්ගය මෙයයි. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>මෙම කොටස් වගු වර්ගය සුදුසු වන්නේ <strong>BIOS</strong> ඇරඹුම් පරිසරයකින් ආරම්භ වන පැරණි පද්ධති සඳහා පමණි. අනෙකුත් බොහෝ අවස්ථාවන්හිදී GPT නිර්දේශ කෙරේ. <br><br><strong>අවවාදයයි:</strong> MBR කොටස් වගුව යල් පැන ගිය MS-DOS යුගයේ සම්මතයකි. <br><em>ප්‍රධාන</em> කොටස් 4ක් පමණක් සෑදිය හැකි අතර, එම 4න් එකක් <strong>දීර්ඝ</strong> කළ කොටසක් විය හැක, එහි බොහෝ <strong>තාර්කික</strong> කොටස් අඩංගු විය හැක. + + This device has a <strong>%1</strong> partition table. + මෙම උපාංගයට අදාලව <strong>%1</strong> කොටස් වගුවක් ඇත. @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit ඉවත් වන්න @@ -2451,6 +2451,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment ඩෙස්ක්ටොප් + + + Applications + යෙදුම් + Communication @@ -2499,11 +2504,6 @@ The installer will quit and all changes will be lost. label for netinstall module උපයෝගිතා - - - Applications - යෙදුම් - NotesQmlViewStep @@ -2676,11 +2676,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form මුරපදයේ යම් ආකාරයක තහනම් වචන අඩංගු වේ + + + The password contains fewer than %n digits + + මුරපදයේ ඉලක්කම් %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ + මුරපදයේ ඉලක්කම් %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ + + The password contains too few digits මුරපදයේ ඉතා අඩු ඉලක්කම් ඇත + + + The password contains fewer than %n uppercase letters + + මුරපදයේ ලොකු අකුරු %n කට වඩා අඩු ප්‍රමාණයක් ඇත + මුරපදයේ ලොකු අකුරු %n කට වඩා අඩු ප්‍රමාණයක් ඇත + + The password contains too few uppercase letters @@ -2699,47 +2715,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters මුරපදයේ කුඩා අකුරු ඉතා ස්වල්පයක් ඇත - - - The password contains too few non-alphanumeric characters - මුරපදයේ අක්ෂරාංක නොවන අක්ෂර ඉතා ස්වල්පයක් අඩංගු වේ - - - - The password is too short - මුරපදය ඉතා කෙටිය - - - - The password does not contain enough character classes - මුරපදයේ ප්‍රමාණවත් අක්ෂර පන්ති අඩංගු නොවේ - - - - The password contains too many same characters consecutively - මුරපදයේ එක හා සමාන අනුලකුණු කිහිපයක් එක දිගට අඩංගු වේ - - - - The password contains too many characters of the same class consecutively - මුරපදයේ එකම පන්තියේ අනුලකුණු වැඩි ගණනක් එක දිගට අඩංගු වේ - - - - The password contains fewer than %n digits - - මුරපදයේ ඉලක්කම් %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ - මුරපදයේ ඉලක්කම් %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ - - - - - The password contains fewer than %n uppercase letters - - මුරපදයේ ලොකු අකුරු %n කට වඩා අඩු ප්‍රමාණයක් ඇත - මුරපදයේ ලොකු අකුරු %n කට වඩා අඩු ප්‍රමාණයක් ඇත - - The password contains fewer than %n non-alphanumeric characters @@ -2748,6 +2723,11 @@ The installer will quit and all changes will be lost. මුරපදයේ අක්ෂරාංක නොවන අක්ෂර %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ + + + The password contains too few non-alphanumeric characters + මුරපදයේ අක්ෂරාංක නොවන අක්ෂර ඉතා ස්වල්පයක් අඩංගු වේ + The password is shorter than %n characters @@ -2756,6 +2736,11 @@ The installer will quit and all changes will be lost. මුරපදය අක්ෂර %n ට වඩා කෙටිය + + + The password is too short + මුරපදය ඉතා කෙටිය + The password is a rotated version of the previous one @@ -2769,6 +2754,11 @@ The installer will quit and all changes will be lost. මුරපදයේ අක්ෂර පන්ති %n කට වඩා අඩු ප්‍රමාණයක් අඩංගු වේ + + + The password does not contain enough character classes + මුරපදයේ ප්‍රමාණවත් අක්ෂර පන්ති අඩංගු නොවේ + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ The installer will quit and all changes will be lost. මුරපදයේ එක දිගට එකම අක්ෂර %nකට වඩා අඩංගු වේ + + + The password contains too many same characters consecutively + මුරපදයේ එක හා සමාන අනුලකුණු කිහිපයක් එක දිගට අඩංගු වේ + The password contains more than %n characters of the same class consecutively @@ -2785,6 +2780,11 @@ The installer will quit and all changes will be lost. මුරපදයේ එක පන්තියේ අනුලකුණු %n කට වඩා එක දිගට අඩංගු වේ + + + The password contains too many characters of the same class consecutively + මුරපදයේ එකම පන්තියේ අනුලකුණු වැඩි ගණනක් එක දිගට අඩංගු වේ + The password contains monotonic sequence longer than %n characters @@ -3208,6 +3208,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + කොටස් + Unsafe partition actions are enabled. @@ -3224,35 +3236,27 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - EFI පද්ධති කොටසක් වින්‍යාස කර නොමැත - - - - EFI system partition configured incorrectly - EFI පද්ධති කොටස වැරදි ලෙස වින්‍යාස කර ඇත + + Current: + @label + වත්මන්: + + + + After: + @label + පසු: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1 ආරම්භ කිරීමට EFI පද්ධති කොටසක් අවශ්‍ය වේ. <br/><br/>EFI පද්ධති කොටසක් වින්‍යාස කිරීමට, ආපසු ගොස් සුදුසු ගොනු පද්ධතියක් තෝරන්න හෝ සාදන්න. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3263,6 +3267,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. ගොනු පද්ධතියට FAT32 වර්ගය තිබිය යුතුය. + + + The filesystem must have flag <strong>%1</strong> set. + ගොනු පද්ධතියට ධජය <strong>%1</strong> කට්ටලයක් තිබිය යුතුය. + @@ -3270,38 +3279,29 @@ The installer will quit and all changes will be lost. ගොනු පද්ධතිය අවම වශයෙන් %1 MiB විශාලත්වයකින් යුක්ත විය යුතුය. - - The filesystem must have flag <strong>%1</strong> set. - ගොනු පද්ධතියට ධජය <strong>%1</strong> කට්ටලයක් තිබිය යුතුය. - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - කොටස් + + You can continue without setting up an EFI system partition but your system may fail to start. + ඔබට EFI පද්ධති කොටසක් සැකසීමෙන් තොරව ඉදිරියට යා හැකි නමුත් ඔබේ පද්ධතිය ආරම්භ කිරීමට අසමත් විය හැක. - - Current: - @label - වත්මන්: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - පසු: + + No EFI system partition configured + EFI පද්ධති කොටසක් වින්‍යාස කර නොමැත - - You can continue without setting up an EFI system partition but your system may fail to start. - ඔබට EFI පද්ධති කොටසක් සැකසීමෙන් තොරව ඉදිරියට යා හැකි නමුත් ඔබේ පද්ධතිය ආරම්භ කිරීමට අසමත් විය හැක. + + EFI system partition configured incorrectly + EFI පද්ධති කොටස වැරදි ලෙස වින්‍යාස කර ඇත @@ -3398,14 +3398,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. විධානයෙන් ප්‍රතිදානයක් නොතිබුණි. - + Output: @@ -3414,52 +3414,52 @@ Output: - + External command crashed. බාහිර විධානය බිඳ වැටුණි. - + Command <i>%1</i> crashed. %1 විධානය බිඳ වැටුණි. - + External command failed to start. බාහිර විධානය ආරම්භ කිරීමට අසමත් විය. - + Command <i>%1</i> failed to start. %1 විධානය ආරම්භ කිරීමට අසමත් විය. - + Internal error when starting command. විධානය ආරම්භ කිරීමේදී අභ්යන්තර දෝෂයකි. - + Bad parameters for process job call. රැකියා ඇමතුම් ක්‍රියාවලි සඳහා නරක පරාමිතීන්. - + External command failed to finish. බාහිර විධානය අවසන් කිරීමට අසමත් විය. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> විධානය තත්පර %2කින් අවසන් කිරීමට අසමත් විය. - + External command finished with errors. බාහිර විධානය දෝෂ සහිතව අවසන් විය. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> විධානය පිටවීමේ කේතය %2 සමඟ අවසන් විය. @@ -3471,6 +3471,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + නොදන්නා + + + + extended + @partition info + දිගුව + + + + unformatted + @partition info + ආකෘතිකරණය නොකළ + + + + swap + @partition info + ස්වප් + @@ -3502,30 +3526,6 @@ Output: (no mount point) (සවිකිරීම් ස්ථානයක් නොමැත) - - - unknown - @partition info - නොදන්නා - - - - extended - @partition info - දිගුව - - - - unformatted - @partition info - ආකෘතිකරණය නොකළ - - - - swap - @partition info - ස්වප් - Unpartitioned space or unknown partition table @@ -3962,17 +3962,17 @@ Output: Cannot disable root account. මූල ගිණුම අක්‍රිය කළ නොහැක. - - - Cannot set password for user %1. - පරිශීලක %1 සඳහා මුරපදය සැකසිය නොහැක. - usermod terminated with error code %1. පරිශීලක මොඩ් දෝෂ කේතය % 1 සමඟ අවසන් කරන ලදී. + + + Cannot set password for user %1. + පරිශීලක %1 සඳහා මුරපදය සැකසිය නොහැක. + SetTimezoneJob @@ -4065,7 +4065,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4880,11 +4881,21 @@ Output: What is your name? ඔබගේ නම කුමක් ද? + + + Your full name + + What name do you want to use to log in? ඔබට පුරනය වීමට භාවිතා කිරීමට අවශ්‍ය නම කුමක්ද? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4905,11 +4916,21 @@ Output: What is the name of this computer? මෙම පරිගණකයේ නම කුමක්ද? + + + Computer name + + This name will be used if you make the computer visible to others on a network. ඔබ පරිගණකය ජාලයක අන් අයට පෙනෙන ලෙස සලස්වන්නේ නම් මෙම නම භාවිතා වේ. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + අකුරු, ඉලක්කම්, යටි ඉරි සහ යටි ඉරි පමණක් ඉඩ දෙනු ලැබේ, අවම වශයෙන් අක්ෂර දෙකක්. + localhost is not allowed as hostname. @@ -4925,11 +4946,31 @@ Output: Password රහස් පදය + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. එකම මුරපදය දෙවරක් ඇතුල් කරන්න, එවිට එය ටයිප් කිරීමේ දෝෂ සඳහා පරීක්ෂා කළ හැක. හොඳ මුරපදයක අකුරු, ඉලක්කම් සහ විරාම ලකුණු මිශ්‍රණයක් අඩංගු වන අතර, අවම වශයෙන් අක්ෂර අටක්වත් දිග විය යුතු අතර නියමිත කාල පරාසයන්හිදී වෙනස් කළ යුතුය. + + + Reuse user password as root password + පරිශීලක මුරපදය root මුරපදය ලෙස නැවත භාවිතා කරන්න + + + + Use the same password for the administrator account. + පරිපාලක ගිණුම සඳහා එකම මුරපදය භාවිතා කරන්න. + + + + Choose a root password to keep your account safe. + ඔබගේ ගිණුම ආරක්ෂිතව තබා ගැනීමට root මුරපදයක් තෝරන්න. + Root password @@ -4941,14 +4982,9 @@ Output: - - Validate passwords quality - මුරපදවල ගුණාත්මකභාවය තහවුරු කරන්න - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - මෙම කොටුව සලකුණු කළ විට, මුරපදය-ශක්තිය පරීක්ෂා කිරීම සිදු කරනු ලබන අතර ඔබට දුර්වල මුරපදයක් භාවිතා කිරීමට නොහැකි වනු ඇත. + + Enter the same password twice, so that it can be checked for typing errors. + එකම මුරපදය දෙවරක් ඇතුල් කරන්න, එවිට එය ටයිප් කිරීමේ දෝෂ සඳහා පරීක්ෂා කළ හැක. @@ -4956,49 +4992,14 @@ Output: මුරපදය ඉල්ලන්නේ නැතිව ස්වයංක්‍රීයව ලොග් වන්න - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - අකුරු, ඉලක්කම්, යටි ඉරි සහ යටි ඉරි පමණක් ඉඩ දෙනු ලැබේ, අවම වශයෙන් අක්ෂර දෙකක්. - - - - Repeat password - - - - - Reuse user password as root password - පරිශීලක මුරපදය root මුරපදය ලෙස නැවත භාවිතා කරන්න - - - - Use the same password for the administrator account. - පරිපාලක ගිණුම සඳහා එකම මුරපදය භාවිතා කරන්න. - - - - Choose a root password to keep your account safe. - ඔබගේ ගිණුම ආරක්ෂිතව තබා ගැනීමට root මුරපදයක් තෝරන්න. + + Validate passwords quality + මුරපදවල ගුණාත්මකභාවය තහවුරු කරන්න - - Enter the same password twice, so that it can be checked for typing errors. - එකම මුරපදය දෙවරක් ඇතුල් කරන්න, එවිට එය ටයිප් කිරීමේ දෝෂ සඳහා පරීක්ෂා කළ හැක. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + මෙම කොටුව සලකුණු කළ විට, මුරපදය-ශක්තිය පරීක්ෂා කිරීම සිදු කරනු ලබන අතර ඔබට දුර්වල මුරපදයක් භාවිතා කිරීමට නොහැකි වනු ඇත. @@ -5013,11 +5014,21 @@ Output: What is your name? ඔබගේ නම කුමක් ද? + + + Your full name + + What name do you want to use to log in? ඔබට පුරනය වීමට භාවිතා කිරීමට අවශ්‍ය නම කුමක්ද? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5038,16 +5049,6 @@ Output: What is the name of this computer? මෙම පරිගණකයේ නම කුමක්ද? - - - Your full name - - - - - Login name - - Computer name @@ -5083,16 +5084,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5113,6 +5104,16 @@ Output: Choose a root password to keep your account safe. ඔබගේ ගිණුම ආරක්ෂිතව තබා ගැනීමට root මුරපදයක් තෝරන්න. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sk.ts b/lang/calamares_sk.ts index fc6f89eb2a..b2aad09710 100644 --- a/lang/calamares_sk.ts +++ b/lang/calamares_sk.ts @@ -126,30 +126,20 @@ Rozhranie: - - Reloads the stylesheet from the branding directory. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Uploads the session log to the configured pastebin. + + Reloads the stylesheet from the branding directory. - - - Send Session Log - Odoslať záznam relácie - Reload Stylesheet Znovu načítať hárok so štýlmi - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Strom miniaplikácií + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + Odoslať záznam relácie + Debug Information @@ -379,11 +379,11 @@ (%n second(s)) @status - - - - - + + (%n sekunda) + (%n sekundy) + (%n sekúnd) + (%n sekúnd) @@ -395,6 +395,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Odovzdanie nebolo úspešné. Nebolo dokončené žiadne webové vloženie. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -411,7 +430,7 @@ &Zavrieť - + Setup Failed @title Inštalácia zlyhala @@ -441,13 +460,13 @@ Nie je možné nainštalovať %1. Calamares nemohol načítať všetky konfigurované moduly. Je problém s tým, ako sa Calamares používa pri distribúcii. - + <br/>The following modules could not be loaded: @info <br/>Nebolo možné načítať nasledujúce moduly - + Continue with Setup? @title @@ -465,129 +484,110 @@ Inštalačný program distribúcie %1 sa chystá vykonať zmeny na vašom disku, aby nainštaloval distribúciu %2. <br/><strong>Tieto zmeny nebudete môcť vrátiť späť.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Inštalátor distribúcie %1 sa chystá vykonať zmeny na vašom disku, aby nainštaloval distribúciu %2. <br/><strong>Tieto zmeny nebudete môcť vrátiť späť.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Inštalovať - + Setup is complete. Close the setup program. @tooltip Inštalácia je dokončená. Zavrite inštalačný program. - + The installation is complete. Close the installer. @tooltip Inštalácia je dokončená. Zatvorí inštalátor. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button Ď&alej - + &Back @button &Späť - + &Done @button &Dokončiť - + &Cancel @button &Zrušiť - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - Odovzdanie nebolo úspešné. Nebolo dokončené žiadne webové vloženie. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Naozaj chcete zrušiť aktuálny priebeh inštalácie? Inštalačný program bude ukončený a zmeny budú stratené. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Skutočne chcete zrušiť aktuálny priebeh inštalácie? @@ -597,25 +597,25 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CalamaresPython::Helper - + Unknown exception type @error Neznámy typ výnimky - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -672,16 +672,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ručné rozdelenie oddielov</strong><br/>Môžete vytvoriť alebo zmeniť veľkosť oddielov podľa seba. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Vyberte oddiel na zmenšenie a potom potiahnutím spodného pruhu zmeňte veľkosť</strong> - Select storage de&vice: @@ -709,6 +699,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Vyberte oddiel na zmenšenie a potom potiahnutím spodného pruhu zmeňte veľkosť</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -831,6 +826,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. @label Odkladací priestor v súbore + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ručné rozdelenie oddielov</strong><br/>Môžete vytvoriť alebo zmeniť veľkosť oddielov podľa seba. + Bootloader location: @@ -841,44 +841,44 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ClearMountsJob - + Successfully unmounted %1. Úspešne odpojený oddiel %1. - + Successfully disabled swap %1. Úspešne zakázaný odkladací priestor na oddieli %1. - + Successfully cleared swap %1. Úspešne vymazaný odkladací priestor na oddieli %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. Úspešne zakázaná skupina zväzkov %1. - + Clear mounts for partitioning operations on %1 @title Vymazať pripojenia pre operácie rozdelenia oddielov na zariadení %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Vymazané všetky pripojenia pre zariadenie %1 @@ -914,129 +914,112 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Config - - Network Installation. (Disabled: Incorrect configuration) - Sieťová inštalácia. (Zakázaná: Nesprávna konfigurácia) - - - - Network Installation. (Disabled: Received invalid groups data) - Sieťová inštalácia. (Zakázaná: Boli prijaté neplatné údaje o skupinách) - - - - Network Installation. (Disabled: Internal error) - Sieťová inštalácia. (Zakázaná: vnútorná chyba) - - - - Network Installation. (Disabled: No package list) - Sieťová inštalácia. (Zakázaná: bez zoznamu balíkov) - - - - Package selection - Výber balíkov - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Sieťová inštalácia. (Zakázaná: Nie je možné získať zoznamy balíkov. Skontrolujte vaše sieťové pripojenie.) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Setup Failed + @title + Inštalácia zlyhala - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Inštalácia zlyhala - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. + + The setup of %1 did not complete successfully. + @info + Inštalácia distribúcie %1 nebola úspešne dokončená. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. + + The installation of %1 did not complete successfully. + @info + Inštalácia distribúcie %1 bola úspešne dokončená. - - This program will ask you some questions and set up %2 on your computer. - Tento program vám položí niekoľko otázok a nainštaluje distribúciu %2 do vášho počítača. + + Setup Complete + @title + Inštalácia dokončená - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Vitajte v inštalačnom programe Calamares pre distribúciu %1</h1> + + Installation Complete + @title + Inštalácia dokončená - - <h1>Welcome to %1 setup</h1> - <h1>Vitajte pri inštalácii distribúcie %1</h1> + + The setup of %1 is complete. + @info + Inštalácia distribúcie %1 je dokončená. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Vitajte v aplikácii Calamares, inštalátore distribúcie %1</h1> + + The installation of %1 is complete. + @info + Inštalácia distribúcie %1s je dokončená. - - <h1>Welcome to the %1 installer</h1> - <h1>Vitajte v inštalátore distribúcie %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Vaše používateľské meno je príliš dlhé. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - „%1“ nie je možné použiť ako používateľské meno. + + Set timezone to %1/%2 + @action + Nastavenie časovej zóny na %1/%2 - - Your username must start with a lowercase letter or underscore. - Vaše používateľské meno musí začínať malým písmenom alebo podčiarkovníkom. + + The system language will be set to %1. + @info + Jazyk systému bude nastavený na %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Sú povolené iba malé písmená, číslice, podtržníky a pomlčky. + + The numbers and dates locale will be set to %1. + @info + Miestne nastavenie čísel a dátumov bude nastavené na %1. - - Your hostname is too short. - Váš názov hostiteľa je príliš krátky. + + Network Installation. (Disabled: Incorrect configuration) + Sieťová inštalácia. (Zakázaná: Nesprávna konfigurácia) - - Your hostname is too long. - Váš názov hostiteľa je príliš dlhý. + + Network Installation. (Disabled: Received invalid groups data) + Sieťová inštalácia. (Zakázaná: Boli prijaté neplatné údaje o skupinách) - - '%1' is not allowed as hostname. - „%1“ nie je možné použiť ako názov hostiteľa. + + Network Installation. (Disabled: Internal error) + Sieťová inštalácia. (Zakázaná: vnútorná chyba) - - Only letters, numbers, underscore and hyphen are allowed. - Sú povolené iba písmená, číslice, podtržníky a pomlčky. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Sieťová inštalácia. (Zakázaná: Nie je možné získať zoznamy balíkov. Skontrolujte vaše sieťové pripojenie.) - - Your passwords do not match! - Vaše heslá sa nezhodujú! + + Network Installation. (Disabled: No package list) + Sieťová inštalácia. (Zakázaná: bez zoznamu balíkov) - - OK! - OK! + + Package selection + Výber balíkov @@ -1075,87 +1058,104 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Toto je prehľad toho, čo sa stane, keď spustíte inštaláciu. - - This is an overview of what will happen once you start the install procedure. - Toto je prehľad toho, čo sa stane, keď spustíte inštaláciu. + + This is an overview of what will happen once you start the install procedure. + Toto je prehľad toho, čo sa stane, keď spustíte inštaláciu. + + + + Your username is too long. + Vaše používateľské meno je príliš dlhé. + + + + Your username must start with a lowercase letter or underscore. + Vaše používateľské meno musí začínať malým písmenom alebo podčiarkovníkom. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Sú povolené iba malé písmená, číslice, podtržníky a pomlčky. + + + + '%1' is not allowed as username. + „%1“ nie je možné použiť ako používateľské meno. + + + + Your hostname is too short. + Váš názov hostiteľa je príliš krátky. - - Setup Failed - @title - Inštalácia zlyhala + + Your hostname is too long. + Váš názov hostiteľa je príliš dlhý. - - Installation Failed - @title - Inštalácia zlyhala + + '%1' is not allowed as hostname. + „%1“ nie je možné použiť ako názov hostiteľa. - - The setup of %1 did not complete successfully. - @info - Inštalácia distribúcie %1 nebola úspešne dokončená. + + Only letters, numbers, underscore and hyphen are allowed. + Sú povolené iba písmená, číslice, podtržníky a pomlčky. - - The installation of %1 did not complete successfully. - @info - Inštalácia distribúcie %1 bola úspešne dokončená. + + Your passwords do not match! + Vaše heslá sa nezhodujú! - - Setup Complete - @title - Inštalácia dokončená + + OK! + OK! - - Installation Complete - @title - Inštalácia dokončená + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + - - The setup of %1 is complete. - @info - Inštalácia distribúcie %1 je dokončená. + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The installation of %1 is complete. - @info - Inštalácia distribúcie %1s je dokončená. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + This program will ask you some questions and set up %2 on your computer. + Tento program vám položí niekoľko otázok a nainštaluje distribúciu %2 do vášho počítača. - - Set timezone to %1/%2 - @action - Nastavenie časovej zóny na %1/%2 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Vitajte v inštalačnom programe Calamares pre distribúciu %1</h1> - - The system language will be set to %1. - @info - Jazyk systému bude nastavený na %1. + + <h1>Welcome to %1 setup</h1> + <h1>Vitajte pri inštalácii distribúcie %1</h1> - - The numbers and dates locale will be set to %1. - @info - Miestne nastavenie čísel a dátumov bude nastavené na %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Vitajte v aplikácii Calamares, inštalátore distribúcie %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Vitajte v inštalátore distribúcie %1</h1> @@ -1480,9 +1480,14 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Toto zariadenie obsahuje tabuľku oddielov <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Tento typ tabuľky oddielov je vhodný iba pre staršie systémy, ktoré sa spúšťajú zo zavádzacieho prostredia <strong>BIOS</strong>. GPT je odporúčaná vo väčšine ďalších prípadov.<br><br><strong>Upozornenie:</strong> Tabuľka oddielov MBR je zastaralý štandard z éry operačného systému MS-DOS.<br>Môžu byť vytvorené iba 4 <em>primárne</em> oddiely a z nich môže byť jeden <em>rozšíreným</em> oddielom, ktorý môže následne obsahovať viacero <em>logických</em> oddielov. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Toto je odporúčaná tabuľka oddielov pre moderné systémy, ktoré sa spúšťajú zo zavádzacieho prostredia <strong>EFI</strong>. @@ -1495,14 +1500,9 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Inštalátor <strong>nemôže rozpoznať tabuľku oddielov</strong> na vybranom úložnom zariadení.<br><br>Zariadenie buď neobsahuje žiadnu tabuľku oddielov, alebo je tabuľka oddielov poškodená, alebo je neznámeho typu.<br>Inštalátor môže vytvoriť novú tabuľku oddielov buď automaticky alebo prostredníctvom stránky s ručným rozdelením oddielov. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Toto je odporúčaná tabuľka oddielov pre moderné systémy, ktoré sa spúšťajú zo zavádzacieho prostredia <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Tento typ tabuľky oddielov je vhodný iba pre staršie systémy, ktoré sa spúšťajú zo zavádzacieho prostredia <strong>BIOS</strong>. GPT je odporúčaná vo väčšine ďalších prípadov.<br><br><strong>Upozornenie:</strong> Tabuľka oddielov MBR je zastaralý štandard z éry operačného systému MS-DOS.<br>Môžu byť vytvorené iba 4 <em>primárne</em> oddiely a z nich môže byť jeden <em>rozšíreným</em> oddielom, ktorý môže následne obsahovať viacero <em>logických</em> oddielov. + + This device has a <strong>%1</strong> partition table. + Toto zariadenie obsahuje tabuľku oddielov <strong>%1</strong>. @@ -2278,7 +2278,7 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. LocaleTests - + Quit Ukončiť @@ -2450,6 +2450,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. label for netinstall module, choose desktop environment Pracovné prostredie + + + Applications + Aplikácie + Communication @@ -2498,11 +2503,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. label for netinstall module Nástroje - - - Applications - Aplikácie - NotesQmlViewStep @@ -2675,11 +2675,31 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. The password contains forbidden words in some form Heslo obsahuje zakázané slová v určitom tvare + + + The password contains fewer than %n digits + + Heslo obsahuje menej ako %n číslo + Heslo obsahuje menej ako %n čísla + Heslo obsahuje menej ako %n čísla + Heslo obsahuje menej ako %n čísel + + The password contains too few digits Heslo tiež obsahuje pár číslic + + + The password contains fewer than %n uppercase letters + + Heslo obsahuje menej ako %n veľké písmeno + Heslo obsahuje menej ako %n veľké písmená + Heslo obsahuje menej ako %n veľkého písmena + Heslo obsahuje menej ako %n veľkých písmen + + The password contains too few uppercase letters @@ -2700,51 +2720,6 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. The password contains too few lowercase letters Heslo obsahuje príliš málo malých písmen - - - The password contains too few non-alphanumeric characters - Heslo obsahuje príliš málo nealfanumerických znakov - - - - The password is too short - Heslo je príliš krátke - - - - The password does not contain enough character classes - Heslo neobsahuje dostatok tried znakov - - - - The password contains too many same characters consecutively - Heslo obsahuje príliš veľa rovnakých znakov - - - - The password contains too many characters of the same class consecutively - Heslo obsahuje postupne príliš veľa znakov toho istého typu - - - - The password contains fewer than %n digits - - Heslo obsahuje menej ako %n číslo - Heslo obsahuje menej ako %n čísla - Heslo obsahuje menej ako %n čísla - Heslo obsahuje menej ako %n čísel - - - - - The password contains fewer than %n uppercase letters - - Heslo obsahuje menej ako %n veľké písmeno - Heslo obsahuje menej ako %n veľké písmená - Heslo obsahuje menej ako %n veľkého písmena - Heslo obsahuje menej ako %n veľkých písmen - - The password contains fewer than %n non-alphanumeric characters @@ -2755,6 +2730,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. + + + The password contains too few non-alphanumeric characters + Heslo obsahuje príliš málo nealfanumerických znakov + The password is shorter than %n characters @@ -2765,6 +2745,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Heslo je kratšie ako %n znakov + + + The password is too short + Heslo je príliš krátke + The password is a rotated version of the previous one @@ -2780,6 +2765,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Heslo obsahuje menej ako %n tried znakov + + + The password does not contain enough character classes + Heslo neobsahuje dostatok tried znakov + The password contains more than %n same characters consecutively @@ -2790,6 +2780,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Heslo obsahuje viac ako %n rovnakých znakov opakujúcich sa po sebe + + + The password contains too many same characters consecutively + Heslo obsahuje príliš veľa rovnakých znakov + The password contains more than %n characters of the same class consecutively @@ -2800,6 +2795,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Heslo obsahuje viac ako %n znakov rovnakej triedy opakujúcich sa po sebe + + + The password contains too many characters of the same class consecutively + Heslo obsahuje postupne príliš veľa znakov toho istého typu + The password contains monotonic sequence longer than %n characters @@ -3225,6 +3225,18 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Oddiely + Unsafe partition actions are enabled. @@ -3241,35 +3253,27 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Nebudú zmenené žiadne oddiely. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - Nie je nastavený žiadny oddiel systému EFI - - - - EFI system partition configured incorrectly - Systémový oddiel EFI nie je správne nastavený + + Current: + @label + Teraz: + + + + After: + @label + Potom: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Na spustenie distribúcie %1 je potrebný systémový oddiel EFI.<br/><br/>Na konfiguráciu systémového oddielu EFI, prejdite späť a vyberte alebo vytvorte vhodný systém súborov. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3280,6 +3284,11 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. The filesystem must have type FAT32. Systém súborov musí byť typu FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Systém súborov musí mať nastavený príznak <strong>%1 . + @@ -3287,38 +3296,29 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Systém súborov musí mať veľkosť aspoň %1. - - The filesystem must have flag <strong>%1</strong> set. - Systém súborov musí mať nastavený príznak <strong>%1 . - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - Oddiely + + You can continue without setting up an EFI system partition but your system may fail to start. + Môžete pokračovať bez nastavenia systémového oddielu EFI, ale váš systém môže zlyhať pri spúšťaní. - - Current: - @label - Teraz: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Potom: + + No EFI system partition configured + Nie je nastavený žiadny oddiel systému EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Môžete pokračovať bez nastavenia systémového oddielu EFI, ale váš systém môže zlyhať pri spúšťaní. + + EFI system partition configured incorrectly + Systémový oddiel EFI nie je správne nastavený @@ -3415,14 +3415,14 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ProcessResult - + There was no output from the command. Žiadny výstup z príkazu. - + Output: @@ -3431,52 +3431,52 @@ Výstup: - + External command crashed. Externý príkaz nečakane skončil. - + Command <i>%1</i> crashed. Príkaz <i>%1</i> nečakane skončil. - + External command failed to start. Zlyhalo spustenie externého príkazu. - + Command <i>%1</i> failed to start. Zlyhalo spustenie príkazu <i>%1</i> . - + Internal error when starting command. Počas spúšťania príkazu sa vyskytla interná chyba. - + Bad parameters for process job call. Nesprávne parametre pre volanie úlohy procesu. - + External command failed to finish. Zlyhalo dokončenie externého príkazu. - + Command <i>%1</i> failed to finish in %2 seconds. Zlyhalo dokončenie príkazu <i>%1</i> počas doby %2 sekúnd. - + External command finished with errors. Externý príkaz bol dokončený s chybami. - + Command <i>%1</i> finished with exit code %2. Príkaz <i>%1</i> skončil s ukončovacím kódom %2. @@ -3488,6 +3488,30 @@ Výstup: %1 (%2) %1 (%2) + + + unknown + @partition info + neznámy + + + + extended + @partition info + rozšírený + + + + unformatted + @partition info + nenaformátovaný + + + + swap + @partition info + odkladací + @@ -3519,30 +3543,6 @@ Výstup: (no mount point) (žiadny bod pripojenia) - - - unknown - @partition info - neznámy - - - - extended - @partition info - rozšírený - - - - unformatted - @partition info - nenaformátovaný - - - - swap - @partition info - odkladací - Unpartitioned space or unknown partition table @@ -3979,17 +3979,17 @@ Výstup: Cannot disable root account. Nedá sa zakázať účet správcu. - - - Cannot set password for user %1. - Nedá sa nastaviť heslo pre používateľa %1. - usermod terminated with error code %1. Príkaz usermod ukončený s chybovým kódom %1. + + + Cannot set password for user %1. + Nedá sa nastaviť heslo pre používateľa %1. + SetTimezoneJob @@ -4082,7 +4082,8 @@ Výstup: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4875,11 +4876,21 @@ Výstup: What is your name? Aké je vaše meno? + + + Your full name + + What name do you want to use to log in? Aké meno chcete použiť na prihlásenie? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4900,11 +4911,21 @@ Výstup: What is the name of this computer? Aký je názov tohto počítača? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Tento názov bude použitý, keď zviditeľníte počítač ostatným v sieti. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4920,11 +4941,31 @@ Výstup: Password Heslo + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Zadajte rovnaké heslo dvakrát, aby sa predišlo preklepom. Dobré heslo by malo obsahovať mix písmen, čísel a diakritiky, malo by mať dĺžku aspoň osem znakov a malo by byť pravidelne menené. + + + Reuse user password as root password + Znovu použiť používateľské heslo ako heslo správcu + + + + Use the same password for the administrator account. + Použiť rovnaké heslo pre účet správcu. + + + + Choose a root password to keep your account safe. + Zvoľte heslo správcu pre zachovanie vášho účtu v bezpečí. + Root password @@ -4936,14 +4977,9 @@ Výstup: - - Validate passwords quality - Overiť kvalitu hesiel - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Keď je zaškrtnuté toto políčko, kontrola kvality hesla bude ukončená a nebudete môcť použiť slabé heslo. + + Enter the same password twice, so that it can be checked for typing errors. + Zadajte rovnaké heslo dvakrát, aby sa predišlo preklepom. @@ -4951,49 +4987,14 @@ Výstup: Prihlásiť automaticky bez pýtania hesla - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Znovu použiť používateľské heslo ako heslo správcu - - - - Use the same password for the administrator account. - Použiť rovnaké heslo pre účet správcu. - - - - Choose a root password to keep your account safe. - Zvoľte heslo správcu pre zachovanie vášho účtu v bezpečí. + + Validate passwords quality + Overiť kvalitu hesiel - - Enter the same password twice, so that it can be checked for typing errors. - Zadajte rovnaké heslo dvakrát, aby sa predišlo preklepom. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Keď je zaškrtnuté toto políčko, kontrola kvality hesla bude ukončená a nebudete môcť použiť slabé heslo. @@ -5008,11 +5009,21 @@ Výstup: What is your name? Aké je vaše meno? + + + Your full name + + What name do you want to use to log in? Aké meno chcete použiť na prihlásenie? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5033,16 +5044,6 @@ Výstup: What is the name of this computer? Aký je názov tohto počítača? - - - Your full name - - - - - Login name - - Computer name @@ -5078,16 +5079,6 @@ Výstup: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5108,6 +5099,16 @@ Výstup: Choose a root password to keep your account safe. Zvoľte heslo správcu pre zachovanie vášho účtu v bezpečí. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sl.ts b/lang/calamares_sl.ts index f2d24aa03c..8c6279a42e 100644 --- a/lang/calamares_sl.ts +++ b/lang/calamares_sl.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -395,6 +395,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -411,7 +430,7 @@ - + Setup Failed @title @@ -441,13 +460,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -465,128 +484,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Naprej - + &Back @button &Nazaj - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ali res želite preklicati trenutni namestitveni proces? @@ -596,25 +596,25 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CalamaresPython::Helper - + Unknown exception type @error Neznana vrsta izjeme - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -671,16 +671,6 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -708,6 +698,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -829,6 +824,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -839,44 +839,44 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -912,128 +912,111 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Failed + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Failed + @title + Namestitev je spodletela - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This program will ask you some questions and set up %2 on your computer. + + Setup Complete + @title - - <h1>Welcome to the Calamares setup program for %1</h1> + + Installation Complete + @title - - <h1>Welcome to %1 setup</h1> + + The setup of %1 is complete. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + The installation of %1 is complete. + @info - - <h1>Welcome to the %1 installer</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - Your username is too long. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - '%1' is not allowed as username. + + Set timezone to %1/%2 + @action - - Your username must start with a lowercase letter or underscore. + + The system language will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + The numbers and dates locale will be set to %1. + @info - - Your hostname is too short. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too long. + + Network Installation. (Disabled: Received invalid groups data) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! + + Network Installation. (Disabled: No package list) - - OK! + + Package selection @@ -1078,81 +1061,98 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - - Setup Failed - @title + + Your username is too long. - - Installation Failed - @title - Namestitev je spodletela + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. - - Installation Complete - @title + + Your hostname is too long. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. - - The installation of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + OK! - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The system language will be set to %1. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + + + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1478,8 +1478,13 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1493,13 +1498,8 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2276,7 +2276,7 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. LocaleTests - + Quit @@ -2446,6 +2446,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2494,11 +2499,6 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2671,19 +2671,9 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2692,38 +2682,13 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters @@ -2731,9 +2696,14 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters @@ -2741,6 +2711,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2751,6 +2726,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2761,6 +2741,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password is too short + + The password is a rotated version of the previous one @@ -2776,6 +2761,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2786,6 +2776,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2796,6 +2791,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3218,9 +3218,21 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Razdelki + Unsafe partition actions are enabled. @@ -3237,33 +3249,25 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured - + + After: + @label + Potem: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3276,6 +3280,11 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3283,37 +3292,28 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Razdelki - - - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label - Potem: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3411,65 +3411,65 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Nepravilni parametri za klic procesa opravila. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3481,6 +3481,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3512,30 +3536,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3969,17 +3969,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4072,7 +4072,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4859,11 +4860,21 @@ Output: What is your name? Vaše ime? + + + Your full name + + What name do you want to use to log in? Katero ime želite uporabiti za prijavljanje? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4884,11 +4895,21 @@ Output: What is the name of this computer? Ime računalnika? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4905,78 +4926,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4992,11 +4993,21 @@ Output: What is your name? Vaše ime? + + + Your full name + + What name do you want to use to log in? Katero ime želite uporabiti za prijavljanje? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5017,16 +5028,6 @@ Output: What is the name of this computer? Ime računalnika? - - - Your full name - - - - - Login name - - Computer name @@ -5062,16 +5063,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5092,6 +5083,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sq.ts b/lang/calamares_sq.ts index 1518deb096..106ec67ef2 100644 --- a/lang/calamares_sq.ts +++ b/lang/calamares_sq.ts @@ -125,31 +125,21 @@ Interface: Ndërfaqe: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Bën vithisjen e Calamares-it, që kështu Dr. Konqi të mund t’i hedhë një sy. + Reloads the stylesheet from the branding directory. Ringarkon fletëstilin prej drejtorisë së markës. - - - Uploads the session log to the configured pastebin. - Ngarkon regjistrin e sesionit te pastebin-i i formësuar. - - - - Send Session Log - Dërgo Regjistër Sesioni - Reload Stylesheet Ringarko Fletëstilin - - - Crashes Calamares, so that Dr. Konqi can look at it. - Bën vithisjen e Calamares-it, që kështu Dr. Konqi të mund t’i hedhë një sy. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Pemë Widget-esh + + + Uploads the session log to the configured pastebin. + Ngarkon regjistrin e sesionit te pastebin-i i formësuar. + + + + Send Session Log + Dërgo Regjistër Sesioni + Debug Information @@ -378,8 +378,8 @@ (%n second(s)) @status - (%n sekondë) - (%n sekonda) + (%n sekondë(a)) + (%n sekondë(a)) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Ngarkimi s’qe i suksesshëm. S’u bë hedhje në web. + + + + Install log posted to + +%1 + +Link copied to clipboard + Regjistri i instalimit u postua te + +%1 + +Lidhja u kopjua në të papastër + + + + Install Log Paste URL + URL Ngjitjeje Regjistri Instalimi + &Yes @@ -407,7 +430,7 @@ &Mbylle - + Setup Failed @title Ujdisja Dështoi @@ -437,13 +460,13 @@ %1 s’mund të instalohet. Calamares s’qe në gjendje të ngarkonte krejt modulet e formësuar. Ky është një problem që lidhet me mënyrën se si përdoret Calamares nga shpërndarja. - + <br/>The following modules could not be loaded: @info <br/>S’u ngarkuan dot modulet vijues: - + Continue with Setup? @title Të vazhdohet me Ujdisjen? @@ -461,133 +484,110 @@ Programi i ujdisjes %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të ujdisë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Instaluesi %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të instalojë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> - + &Set Up Now @button &Ujdise Tani - + &Install Now @button &Instaloje Tani - + Go &Back @button Kthehu &Mbrapsht - + &Set Up @button &Ujdise - + &Install @button &Instaloje - + Setup is complete. Close the setup program. @tooltip Ujdisja është e plotë. Mbylleni programin e ujdisjes. - + The installation is complete. Close the installer. @tooltip Instalimi u plotësua. Mbylleni instaluesin. - + Cancel the setup process without changing the system. @tooltip Anuloje procesin e ujdisjes pa ndryshuar sistemin. - + Cancel the installation process without changing the system. @tooltip Anuloje procesin e instalimit pa ndryshuar sistemin. - + &Next @button Pas&uesi - + &Back @button &Mbrapsht - + &Done @button &U bë - + &Cancel @button &Anuloje - + Cancel Setup? @title Të Anulohet Ujdisja? - + Cancel Installation? @title Të Anulohet Instalimi? - - Install Log Paste URL - URL Ngjitjeje Regjistri Instalimi - - - - The upload was unsuccessful. No web-paste was done. - Ngarkimi s’qe i suksesshëm. S’u bë hedhje në web. - - - - Install log posted to - -%1 - -Link copied to clipboard - Regjistri i instalimit u postua te - -%1 - -Lidhja u kopjua në të papastër - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Doni vërtet të anulohet procesi i tanishëm i ujdisjes? Programi i ujdisjes do të mbyllet dhe krejt ndryshimet do të humbin. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Doni vërtet të anulohet procesi i tanishëm i instalimit? @@ -597,25 +597,25 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CalamaresPython::Helper - + Unknown exception type @error Lloj i panjohur përjashtimi - + Unparseable Python error @error Gabim Python i papërtypshëm - + Unparseable Python traceback @error Pasgjurmim Python i papërtypshëm - + Unfetchable Python error @error Gabim Python që s’sillet dot @@ -672,16 +672,6 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Pjesëtim dorazi</strong><br/>Pjesët mund t’i krijoni dhe ripërmasoni ju vetë. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Përzgjidhni një pjesë që të zvogëlohet, mandej tërhiqni shtyllën e poshtme që ta ripërmasoni</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Reuse %1 as home partition for %2 @label - Ripërdore %1 si pjesën shtëpi për %2. {1 ?} {2?} + Ripërdore %1 si pjesën shtëpi për %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Përzgjidhni një pjesë që të zvogëlohet, mandej tërhiqni shtyllën e poshtme që ta ripërmasoni</strong> @@ -830,6 +825,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. @label Swap në kartelë + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Pjesëtim dorazi</strong><br/>Pjesët mund t’i krijoni dhe ripërmasoni ju vetë. + Bootloader location: @@ -840,44 +840,44 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ClearMountsJob - + Successfully unmounted %1. %1 u çmontua me sukses. - + Successfully disabled swap %1. Pjesa swap %1 u çaktivizua me sukses. - + Successfully cleared swap %1. Pjesa swap %1 u spastrua me sukses. - + Successfully closed mapper device %1. Pajisja “mapper” %1 u mbyll me sukses. - + Successfully disabled volume group %1. Grupi i vëllimeve %1 u çaktivizua me sukses. - + Clear mounts for partitioning operations on %1 @title Hiqi montimet për veprime pjesëtimi te %1 - + Clearing mounts for partitioning operations on %1… @status - Po hiqen montimet për veprime pjesëtimi te %1. {1…?} + Po hiqen montimet për veprime pjesëtimi te %1… - + Cleared all mounts for %1 U hoqën krejt montimet për %1 @@ -913,129 +913,112 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Config - - Network Installation. (Disabled: Incorrect configuration) - Instalim Nga Rrjeti. (I çaktivizuar: Formësim i pasaktë) - - - - Network Installation. (Disabled: Received invalid groups data) - Instalim Nga Rrjeti. (U çaktivizua: U morën të dhëna të pavlefshme grupesh) - - - - Network Installation. (Disabled: Internal error) - Instalim Nga Rrjeti. (I çaktivizuar: Gabim i brendshëm) - - - - Network Installation. (Disabled: No package list) - Instalim Nga Rrjeti. (I çaktivizuar: S’ka listë paketash) - - - - Package selection - Përzgjedhje paketash - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Instalim Nga Rrjeti. (U çaktivizua: S’arrihet të sillen lista paketash, kontrolloni lidhjen tuaj në rrjet) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Ky kompjuter nuk plotëson domosdoshmëritë minimum për ujdisjen e %1.<br/>Ujdisja s’mund të vazhdojë. + + Setup Failed + @title + Ujdisja Dështoi - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Ky kompjuter nuk plotëson domosdoshmëritë minimum për instalimin e %1.<br/>Instalimi s’mund të vazhdojë. + + Installation Failed + @title + Instalimi Dështoi - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Ky kompjuter nuk plotëson disa nga domosdoshmëritë e rekomanduara për ujdisjen e %1.<br/>Ujdisja mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. + + The setup of %1 did not complete successfully. + @info + Ujdisja e %1 s’u plotësua me sukses. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Ky kompjuter nuk plotëson disa nga domosdoshmëritë e rekomanduara për instalimin e %1.<br/>Instalimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. + + The installation of %1 did not complete successfully. + @info + Instalimi i %1 s’u plotësua me sukses. - - This program will ask you some questions and set up %2 on your computer. - Ky program do t’ju bëjë disa pyetje dhe do të ujdisë %2 në kompjuterin tuaj. + + Setup Complete + @title + Ujdisje e Plotësuar - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Mirë se vini te programi Calamares i ujdisjes për %1</h1> + + Installation Complete + @title + Instalimi u Plotësua - - <h1>Welcome to %1 setup</h1> - <h1>Mirë se vini te ujdisja e %1</h1> + + The setup of %1 is complete. + @info + Ujdisja e %1 u plotësua. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Mirë se vini te instaluesi Calamares për %1</h1> + + The installation of %1 is complete. + @info + Instalimi i %1 u plotësua. - - <h1>Welcome to the %1 installer</h1> - <h1>Mirë se vini te instaluesi i %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Si model tastiere është caktuar %1<br/>. - - Your username is too long. - Emri juaj i përdoruesit është shumë i gjatë. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Si model tastiere është caktuar %1/%2. - - '%1' is not allowed as username. - “%1” s’lejohet si emër përdoruesi. + + Set timezone to %1/%2 + @action + Si zonë kohore do të caktohet %1/%2 - - Your username must start with a lowercase letter or underscore. - Emri juaj i përdoruesit duhet të fillojë me një shkronjë të vogël ose nënvijë. + + The system language will be set to %1. + @info + Si gjuhë sistemi do të vihet %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Lejohen vetëm shkronja të vogla, numra, nënvijë dhe vijë ndarëse. + + The numbers and dates locale will be set to %1. + @info + Si vendore për numra dhe data do të vihet %1. - - Your hostname is too short. - Strehëemri juaj është shumë i shkurtër. + + Network Installation. (Disabled: Incorrect configuration) + Instalim Nga Rrjeti. (I çaktivizuar: Formësim i pasaktë) - - Your hostname is too long. - Strehëemri juaj është shumë i gjatë. + + Network Installation. (Disabled: Received invalid groups data) + Instalim Nga Rrjeti. (U çaktivizua: U morën të dhëna të pavlefshme grupesh) - - '%1' is not allowed as hostname. - “%1” s’lejohet si strehëemër. + + Network Installation. (Disabled: Internal error) + Instalim Nga Rrjeti. (I çaktivizuar: Gabim i brendshëm) - - Only letters, numbers, underscore and hyphen are allowed. - Lejohen vetëm shkronja, numra, nënvijë dhe vijë ndarëse. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Instalim Nga Rrjeti. (U çaktivizua: S’arrihet të sillen lista paketash, kontrolloni lidhjen tuaj në rrjet) - - Your passwords do not match! - Fjalëkalimet tuaj s’përputhen! + + Network Installation. (Disabled: No package list) + Instalim Nga Rrjeti. (I çaktivizuar: S’ka listë paketash) - - OK! - OK! + + Package selection + Përzgjedhje paketash @@ -1063,98 +1046,115 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Asnjë - - Summary - @label - Përmbledhje + + Summary + @label + Përmbledhje + + + + This is an overview of what will happen once you start the setup procedure. + Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e ujdisjes. + + + + This is an overview of what will happen once you start the install procedure. + Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e instalimit. + + + + Your username is too long. + Emri juaj i përdoruesit është shumë i gjatë. + + + + Your username must start with a lowercase letter or underscore. + Emri juaj i përdoruesit duhet të fillojë me një shkronjë të vogël ose nënvijë. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Lejohen vetëm shkronja të vogla, numra, nënvijë dhe vijë ndarëse. + + + + '%1' is not allowed as username. + “%1” s’lejohet si emër përdoruesi. - - This is an overview of what will happen once you start the setup procedure. - Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e ujdisjes. + + Your hostname is too short. + Strehëemri juaj është shumë i shkurtër. - - This is an overview of what will happen once you start the install procedure. - Kjo është një përmbledhje e asaj që do të ndodhë sapo të nisni procedurën e instalimit. + + Your hostname is too long. + Strehëemri juaj është shumë i gjatë. - - Setup Failed - @title - Ujdisja Dështoi + + '%1' is not allowed as hostname. + “%1” s’lejohet si strehëemër. - - Installation Failed - @title - Instalimi Dështoi + + Only letters, numbers, underscore and hyphen are allowed. + Lejohen vetëm shkronja, numra, nënvijë dhe vijë ndarëse. - - The setup of %1 did not complete successfully. - @info - Ujdisja e %1 s’u plotësua me sukses. + + Your passwords do not match! + Fjalëkalimet tuaj s’përputhen! - - The installation of %1 did not complete successfully. - @info - Instalimi i %1 s’u plotësua me sukses. + + OK! + OK! - - Setup Complete - @title - Ujdisje e Plotësuar + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Ky kompjuter nuk plotëson domosdoshmëritë minimum për ujdisjen e %1.<br/>Ujdisja s’mund të vazhdojë. - - Installation Complete - @title - Instalimi u Plotësua + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Ky kompjuter nuk plotëson domosdoshmëritë minimum për instalimin e %1.<br/>Instalimi s’mund të vazhdojë. - - The setup of %1 is complete. - @info - Ujdisja e %1 u plotësua. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Ky kompjuter nuk plotëson disa nga domosdoshmëritë e rekomanduara për ujdisjen e %1.<br/>Ujdisja mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - - The installation of %1 is complete. - @info - Instalimi i %1 u plotësua. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Ky kompjuter nuk plotëson disa nga domosdoshmëritë e rekomanduara për instalimin e %1.<br/>Instalimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Si model tastiere është caktuar %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Ky program do t’ju bëjë disa pyetje dhe do të ujdisë %2 në kompjuterin tuaj. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Si model tastiere është caktuar %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Mirë se vini te programi Calamares i ujdisjes për %1</h1> - - Set timezone to %1/%2 - @action - Si zonë kohore do të caktohet %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Mirë se vini te ujdisja e %1</h1> - - The system language will be set to %1. - @info - Si gjuhë sistemi do të vihet %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Mirë se vini te instaluesi Calamares për %1</h1> - - The numbers and dates locale will be set to %1. - @info - Si vendore për numra dhe data do të vihet %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Mirë se vini te instaluesi i %1</h1> @@ -1271,7 +1271,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Create new %1MiB partition on %3 (%2) with entries %4 @title - Krijo pjesë të re %1MiB në %3 (%2) me zëra %4. {1M?} {3 ?} {2)?} {4?} + Krijo pjesë të re %1MiB te %3 (%2) me zëra %4 @@ -1308,7 +1308,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Creating new %1 partition on %2… @status - Po krijohet pjesë e re %1 te %2. {1 ?} {2…?} + Po krijohet pjesë e re %1 te %2… @@ -1352,7 +1352,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Creating new %1 partition table on %2… @status - Po krijohet tabelë e re pjesësh %1 te %2. {1 ?} {2…?} + Po krijohet tabelë e re pjesësh %1 te %2… @@ -1420,7 +1420,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Creating new volume group named %1… @status - Po krijohet grup i ri vëllimesh i quajtur %1. {1…?} + Po krijohet grup i ri vëllimesh i quajtur <strong>%1</strong>… @@ -1462,7 +1462,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Deleting partition %1… @status - Po fshihet pjesa %1. {1…?} + Po fshihet pjesa %1… @@ -1479,9 +1479,14 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Kjo pajisje ka një tabelë pjesësh <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ky lloj tabele pjesësh është i këshillueshëm vetëm në sisteme të vjetër, të cilët nisen nga një mjedis nisjesh <strong>BIOS</strong>. Në shumicën e rasteve të tjera këshillohet GPT.<br><br><strong>Kujdes:</strong> Tabela e pjesëve MBR është një standard i vjetruar, i erës MS-DOS.<br>Mund të krijohen vetëm 4 pjesë <em>parësore</em>, dhe, nga këto 4, njëra mund të jetë pjesë <em>extended</em>, e cila nga ana e vet mund të përmbajë mjaft pjesë <em>logjike</em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Ky është lloji i parapëlqyer tabele pjesësh për sisteme modernë që nisen nga një mjedis nisjesh <strong>EFI</strong>. @@ -1494,14 +1499,9 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Ky instalues <strong>s’pikas dot tabelë pjesësh</strong> te pajisja e depozitimit e përzgjedhur.<br><br>Ose pajisja s’ka tabelë pjesësh, ose tabela e pjesëve është e dëmtuar, ose e një lloji të panjohur.<br>Ky instalues mund të krijojë për ju një tabelë të re pjesësh, ose vetvetiu, ose përmes faqes së pjesëtimit dorazi. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Ky është lloji i parapëlqyer tabele pjesësh për sisteme modernë që nisen nga një mjedis nisjesh <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ky lloj tabele pjesësh është i këshillueshëm vetëm në sisteme të vjetër, të cilët nisen nga një mjedis nisjesh <strong>BIOS</strong>. Në shumicën e rasteve të tjera këshillohet GPT.<br><br><strong>Kujdes:</strong> Tabela e pjesëve MBR është një standard i vjetruar, i erës MS-DOS.<br>Mund të krijohen vetëm 4 pjesë <em>parësore</em>, dhe, nga këto 4, njëra mund të jetë pjesë <em>extended</em>, e cila nga ana e vet mund të përmbajë mjaft pjesë <em>logjike</em>. + + This device has a <strong>%1</strong> partition table. + Kjo pajisje ka një tabelë pjesësh <strong>%1</strong>. @@ -1706,7 +1706,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Ujdis pjesë %3 <strong>%1</strong> me pikë montimi <strong>%2</strong>%3. {2 ?} {1<?} {3?} + Ujdisni pjesë të <strong>re</strong> %2, me pikë montimi <strong>%1</strong>%3 @@ -1730,7 +1730,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Ujdisni pjesë %3 1%11 me pikë montimi <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} + Ujdisni pjesë %3 <strong>%1</strong> me pikë montimi <strong>%2</strong>%4… @@ -1813,7 +1813,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Formatoje pjesën %1 (sistem kartelash: %2, madhësi: %3 MiB) te %4. {1 ?} {2,?} {3 ?} {4?} + Formatoje pjesën %1 (sistem kartelash: %2, madhësi: %3 MiB) në %4 @@ -1831,7 +1831,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Formatting partition %1 with file system %2… @status - Po formatohet pjesa %1 me sistem kartelash %2. {1 ?} {2…?} + Po formatohet pjesa %1 me sistem kartelash %2… @@ -2277,7 +2277,7 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. LocaleTests - + Quit Mbylle @@ -2453,6 +2453,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. label for netinstall module, choose desktop environment Desktop + + + Applications + Aplikacione + Communication @@ -2501,11 +2506,6 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. label for netinstall module Të dobishme - - - Applications - Aplikacione - NotesQmlViewStep @@ -2678,11 +2678,27 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. The password contains forbidden words in some form Fjalëkalimi, në një farë mënyre, përmban fjalë të ndaluara + + + The password contains fewer than %n digits + + Fjalëkalim përmban më pak se %n shifër + Fjalëkalimi përmban më pak se %n shifra + + The password contains too few digits Fjalëkalimi përmban shumë pak shifra + + + The password contains fewer than %n uppercase letters + + Fjalëkalimi përmban më pak se %n shkronjë të madhe + Fjalëkalimi përmban më pak se %n shkronja të mëdha + + The password contains too few uppercase letters @@ -2701,47 +2717,6 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. The password contains too few lowercase letters Fjalëkalimi përmban pak shkronja të vogla - - - The password contains too few non-alphanumeric characters - Fjalëkalimi përmban pak shenja jo alfanumerike - - - - The password is too short - Fjalëkalimi është shumë i shkurtër - - - - The password does not contain enough character classes - Fjalëkalimi nuk përmban klasa të mjaftueshme shenjash - - - - The password contains too many same characters consecutively - Fjalëkalimi përmban shumë shenja të njëjta njëra pas tjetrës - - - - The password contains too many characters of the same class consecutively - Fjalëkalimi përmban shumë shenja të së njëjtës klasë njëra pas tjetrës - - - - The password contains fewer than %n digits - - Fjalëkalim përmban më pak se %n shifër - Fjalëkalimi përmban më pak se %n shifra - - - - - The password contains fewer than %n uppercase letters - - Fjalëkalimi përmban më pak se %n shkronjë të madhe - Fjalëkalimi përmban më pak se %n shkronja të mëdha - - The password contains fewer than %n non-alphanumeric characters @@ -2750,6 +2725,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Fjalëkalimi përmban më pak se %n shenja jo alfanumerike + + + The password contains too few non-alphanumeric characters + Fjalëkalimi përmban pak shenja jo alfanumerike + The password is shorter than %n characters @@ -2758,6 +2738,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Fjalëkalimi është më i shkurtër se %n shenja + + + The password is too short + Fjalëkalimi është shumë i shkurtër + The password is a rotated version of the previous one @@ -2771,6 +2756,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Fjalëkalimi përmban më pak se %n klasa shenjash + + + The password does not contain enough character classes + Fjalëkalimi nuk përmban klasa të mjaftueshme shenjash + The password contains more than %n same characters consecutively @@ -2779,6 +2769,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Fjalëkalimi përmban më shumë se %n shenja të njëjta njëra pas tjetrës + + + The password contains too many same characters consecutively + Fjalëkalimi përmban shumë shenja të njëjta njëra pas tjetrës + The password contains more than %n characters of the same class consecutively @@ -2787,6 +2782,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Fjalëkalimi përmban më shumë se %n shenja të së njëjtës klasë njëra pas tjetrës + + + The password contains too many characters of the same class consecutively + Fjalëkalimi përmban shumë shenja të së njëjtës klasë njëra pas tjetrës + The password contains monotonic sequence longer than %n characters @@ -3210,6 +3210,18 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. PartitionViewStep + + + Gathering system information… + @status + Po grumbullohen hollësi mbi sistemin… + + + + Partitions + @label + Pjesë + Unsafe partition actions are enabled. @@ -3226,35 +3238,27 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. S’do të ndryshohet ndonjë pjesë. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Pjesa EFI e sistemit nuk plotëson rekomandimet. Rekomandohet të ktheheni mbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. - - - - The minimum recommended size for the filesystem is %1 MiB. - Madhësi minimum e rekomanduar për sistemin e kartelave është %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Mund të vazhdoni me formësimin e pjesëve të sistemit, por sistemi juaj mund të mos arrijë të niset. - - - - No EFI system partition configured - S’ka të formësuar pjesë sistemi EFI + + Current: + @label + I tanishmi: - - EFI system partition configured incorrectly - Pjesë EFI sistemi e formësuar jo saktë + + After: + @label + Më Pas: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Që të formësoni një pjesë sistemi EFI, kthehuni mbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Që të niset %1, është e nevojshme një pjesë EFI sistemi.<br/><br/>Pjesa EFI e sistemit nuk plotëson rekomandimet. Rekomandohet të ktheheni mbrapsht dhe përzgjidhni ose krijoni një sistem të përshtatshëm kartelash. + The filesystem must be mounted on <strong>%1</strong>. @@ -3265,6 +3269,11 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. The filesystem must have type FAT32. Sistemi i kartelave duhet të jetë i llojit FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Sistemi i kartelave duhet të ketë të përzgjedhur parametrin <strong>%1</strong>. + @@ -3272,38 +3281,29 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Sistemi i kartelave duhet të jetë të paktën %1 MiB i madh. - - The filesystem must have flag <strong>%1</strong> set. - Sistemi i kartelave duhet të ketë të përzgjedhur parametrin <strong>%1</strong>. - - - - Gathering system information… - @status - Po grumbullohen hollësi mbi sistemin… + + The minimum recommended size for the filesystem is %1 MiB. + Madhësi minimum e rekomanduar për sistemin e kartelave është %1 MiB. - - Partitions - @label - Pjesë + + You can continue without setting up an EFI system partition but your system may fail to start. + Mund të vazhdoni pa ujdisur një pjesë EFI sistemi, por nisja e sistemit tuaj mund të dështojë. - - Current: - @label - I tanishmi: + + You can continue with this EFI system partition configuration but your system may fail to start. + Mund të vazhdoni me formësimin e pjesëve të sistemit, por sistemi juaj mund të mos arrijë të niset. - - After: - @label - Më Pas: + + No EFI system partition configured + S’ka të formësuar pjesë sistemi EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Mund të vazhdoni pa ujdisur një pjesë EFI sistemi, por nisja e sistemit tuaj mund të dështojë. + + EFI system partition configured incorrectly + Pjesë EFI sistemi e formësuar jo saktë @@ -3400,14 +3400,14 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ProcessResult - + There was no output from the command. S’pati përfundim nga urdhri. - + Output: @@ -3416,52 +3416,52 @@ Përfundim: - + External command crashed. Urdhri i jashtëm u vithis. - + Command <i>%1</i> crashed. Urdhri <i>%1</i> u vithis. - + External command failed to start. Dështoi nisja e urdhrit të jashtëm. - + Command <i>%1</i> failed to start. Dështoi nisja e urdhrit <i>%1</i>. - + Internal error when starting command. Gabim i brendshëm kur niset urdhri. - + Bad parameters for process job call. Parametra të gabuar për thirrje akti procesi. - + External command failed to finish. S’u arrit të përfundohej urdhër i jashtëm. - + Command <i>%1</i> failed to finish in %2 seconds. Urdhri <i>%1</i> s’arriti të përfundohej në %2 sekonda. - + External command finished with errors. Urdhri i jashtë përfundoi me gabime. - + Command <i>%1</i> finished with exit code %2. Urdhri <i>%1</i> përfundoi me kod daljeje %2. @@ -3473,6 +3473,30 @@ Përfundim: %1 (%2) %1 (%2) + + + unknown + @partition info + e panjohur + + + + extended + @partition info + extended + + + + unformatted + @partition info + e paformatuar + + + + swap + @partition info + swap + @@ -3504,30 +3528,6 @@ Përfundim: (no mount point) (s’ka pikë montimi) - - - unknown - @partition info - e panjohur - - - - extended - @partition info - extended - - - - unformatted - @partition info - e paformatuar - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3719,7 +3719,7 @@ Përfundim: Resize volume group named %1 from %2 to %3 @title - Ripërmasoje grupin e vëllimeve të quajtur %1 nga %2 në %3. {1 ?} {2 ?} {3?} + Ripërmasoje grupin e vëllimeve të quajtur %1 nga %2 në %3. @@ -3778,7 +3778,7 @@ Përfundim: Setting hostname %1… @status - Po caktohet strehëemri %1… {1…?} + Po caktohet strehëemri %1… @@ -3947,7 +3947,7 @@ Përfundim: Setting password for user %1… @status - Po ujdiset fjalëkalim për përdoruesin %1. {1…?} + Po caktohet fjalëkalim për përdoruesin %1… @@ -3964,17 +3964,17 @@ Përfundim: Cannot disable root account. S’mund të çaktivizohet llogaria rrënjë. - - - Cannot set password for user %1. - S’caktohet dot fjalëkalim për përdoruesin %1. - usermod terminated with error code %1. usermod përfundoi me kod gabimi %1. + + + Cannot set password for user %1. + S’caktohet dot fjalëkalim për përdoruesin %1. + SetTimezoneJob @@ -4067,7 +4067,8 @@ Përfundim: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4886,11 +4887,21 @@ Përfundim: What is your name? Si quheni? + + + Your full name + Emri juaj i plotë + What name do you want to use to log in? Ç’emër doni të përdorni për t’u futur? + + + Login name + Emër hyrjeje + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4911,11 +4922,21 @@ Përfundim: What is the name of this computer? Cili është emri i këtij kompjuteri? + + + Computer name + Emër kompjuteri + This name will be used if you make the computer visible to others on a network. Ky emër do të përdoret nëse e bëni kompjuterin të dukshëm për të tjerët në një rrjet. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Lejohen vetëm shkronja, numra, nënvijë dhe vijë ndarëse. minimumi dy shenja. + localhost is not allowed as hostname. @@ -4931,11 +4952,31 @@ Përfundim: Password Fjalëkalim + + + Repeat password + Rijepeni fjalëkalimin + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Jepeni të njëjtin fjalëkalim dy herë, që të kontrollohet për gabime shkrimi. Një fjalëkalim i mirë do të përmbante një përzierje shkronjash, numrash dhe shenjash pikësimi, do të duhej të ishte të paktën tetë shenja i gjatë dhe do të duhej të ndryshohej periodikisht. + + + Reuse user password as root password + Ripërdor fjalëkalim përdoruesi si fjalëkalim përdoruesi rrënjë + + + + Use the same password for the administrator account. + Përdor të njëjtin fjalëkalim për llogarinë e përgjegjësit. + + + + Choose a root password to keep your account safe. + Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje. + Root password @@ -4947,14 +4988,9 @@ Përfundim: Rijepni fjalëkalim rrënje - - Validate passwords quality - Vlerëso cilësi fjalëkalimi - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Kur i vihet shenjë kësaj kutize, bëhet kontroll fortësie fjalëkalimi dhe s’do të jeni në gjendje të përdorni një fjalëkalim të dobët. + + Enter the same password twice, so that it can be checked for typing errors. + Jepeni të njëjtin fjalëkalim dy herë, që të mund të kontrollohet për gabime shkrimi. @@ -4962,49 +4998,14 @@ Përfundim: Kryej hyrje vetvetiu, pa kërkuar fjalëkalimin - - Your full name - Emri juaj i plotë - - - - Login name - Emër hyrjeje - - - - Computer name - Emër kompjuteri - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Lejohen vetëm shkronja, numra, nënvijë dhe vijë ndarëse. minimumi dy shenja. - - - - Repeat password - Rijepeni fjalëkalimin - - - - Reuse user password as root password - Ripërdor fjalëkalim përdoruesi si fjalëkalim përdoruesi rrënjë - - - - Use the same password for the administrator account. - Përdor të njëjtin fjalëkalim për llogarinë e përgjegjësit. - - - - Choose a root password to keep your account safe. - Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje. + + Validate passwords quality + Vlerëso cilësi fjalëkalimi - - Enter the same password twice, so that it can be checked for typing errors. - Jepeni të njëjtin fjalëkalim dy herë, që të mund të kontrollohet për gabime shkrimi. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Kur i vihet shenjë kësaj kutize, bëhet kontroll fortësie fjalëkalimi dhe s’do të jeni në gjendje të përdorni një fjalëkalim të dobët. @@ -5019,11 +5020,21 @@ Përfundim: What is your name? Si quheni? + + + Your full name + Emri juaj i plotë + What name do you want to use to log in? Ç’emër doni të përdorni për t’u futur? + + + Login name + Emër hyrjeje + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5044,16 +5055,6 @@ Përfundim: What is the name of this computer? Cili është emri i këtij kompjuteri? - - - Your full name - Emri juaj i plotë - - - - Login name - Emër hyrjeje - Computer name @@ -5089,16 +5090,6 @@ Përfundim: Repeat password Rijepeni fjalëkalimin - - - Root password - Fjalëkalim rrënje - - - - Repeat root password - Rijepni fjalëkalim rrënje - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5119,6 +5110,16 @@ Përfundim: Choose a root password to keep your account safe. Që ta mbani llogarinë tuaj të parrezik, zgjidhni një fjalëkalim rrënje. + + + Root password + Fjalëkalim rrënje + + + + Repeat root password + Rijepni fjalëkalim rrënje + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sr.ts b/lang/calamares_sr.ts index 1e4b6f49ef..43c6b36f78 100644 --- a/lang/calamares_sr.ts +++ b/lang/calamares_sr.ts @@ -126,18 +126,13 @@ Сучеље: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ - + Setup Failed @title @@ -439,13 +458,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Следеће - + &Back @button &Назад - + &Done @button - + &Cancel @button &Откажи - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Да ли стварно желите да прекинете текући процес инсталације? @@ -594,25 +594,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Непознат тип изузетка - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -669,16 +669,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Ручно партиционисање</strong><br/>Сами можете креирати или мењати партције. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -706,6 +696,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -827,6 +822,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Ручно партиционисање</strong><br/>Сами можете креирати или мењати партције. + Bootloader location: @@ -837,44 +837,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Уклони тачке припајања за операције партиције на %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Уклоњене све тачке припајања за %1 @@ -910,129 +910,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) + + Setup Failed + @title - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + Инсталација није успела - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - Избор пакета - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + Installation Complete + @title - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + The installation of %1 is complete. + @info - - This program will ask you some questions and set up %2 on your computer. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - <h1>Welcome to %1 setup</h1> + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares installer for %1</h1> - + + The system language will be set to %1. + @info + Системски језик биће постављен на %1 - - <h1>Welcome to the %1 installer</h1> + + The numbers and dates locale will be set to %1. + @info - - Your username is too long. - Ваше корисничко име је предугачко. - - - - '%1' is not allowed as username. + + Network Installation. (Disabled: Incorrect configuration) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Received invalid groups data) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Internal error) - - Your hostname is too short. - Име вашег "домаћина" - hostname је прекратко. - - - - Your hostname is too long. - Ваше име домаћина је предуго - hostname - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Лозинке се не поклапају! - - - - OK! - + + Package selection + Избор пакета @@ -1076,81 +1059,98 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title + + Your username is too long. + Ваше корисничко име је предугачко. + + + + Your username must start with a lowercase letter or underscore. - - Installation Failed - @title - Инсталација није успела + + Only lowercase letters, numbers, underscore and hyphen are allowed. + - - The setup of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - The installation of %1 did not complete successfully. - @info + + Your hostname is too short. + Име вашег "домаћина" - hostname је прекратко. + + + + Your hostname is too long. + Ваше име домаћина је предуго - hostname + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title + + Your passwords do not match! + Лозинке се не поклапају! + + + + OK! - - The setup of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The installation of %1 is complete. - @info + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Set timezone to %1/%2 - @action + + This program will ask you some questions and set up %2 on your computer. - - The system language will be set to %1. - @info - Системски језик биће постављен на %1 + + <h1>Welcome to the Calamares setup program for %1</h1> + - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1476,8 +1476,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1491,13 +1496,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2274,7 +2274,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2444,6 +2444,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2492,11 +2497,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2669,19 +2669,9 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2689,53 +2679,38 @@ The installer will quit and all changes will be lost. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2745,6 +2720,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2754,6 +2734,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2768,6 +2753,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2786,6 +2781,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3207,9 +3207,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + + Unsafe partition actions are enabled. @@ -3226,33 +3238,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Тренутно: - - No EFI system partition configured - + + After: + @label + После: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3265,6 +3269,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3272,37 +3281,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - Current: - @label - Тренутно: - - - - After: - @label - После: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3400,65 +3400,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Лоши параметри при позиву посла процеса. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3470,6 +3470,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + непознато + + + + extended + @partition info + проширена + + + + unformatted + @partition info + неформатирана + + + + swap + @partition info + + @@ -3501,30 +3525,6 @@ Output: (no mount point) - - - unknown - @partition info - непознато - - - - extended - @partition info - проширена - - - - unformatted - @partition info - неформатирана - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3958,17 +3958,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4061,7 +4061,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4848,11 +4849,21 @@ Output: What is your name? Како се зовете? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4873,11 +4884,21 @@ Output: What is the name of this computer? Како ћете звати ваш рачунар? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4894,78 +4915,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4981,11 +4982,21 @@ Output: What is your name? Како се зовете? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5006,16 +5017,6 @@ Output: What is the name of this computer? Како ћете звати ваш рачунар? - - - Your full name - - - - - Login name - - Computer name @@ -5051,16 +5052,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5081,6 +5072,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sr@latin.ts b/lang/calamares_sr@latin.ts index f0463428ed..2c81353032 100644 --- a/lang/calamares_sr@latin.ts +++ b/lang/calamares_sr@latin.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ - + Setup Failed @title @@ -439,13 +458,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Dalje - + &Back @button &Nazad - + &Done @button - + &Cancel @button &Prekini - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Da li stvarno želite prekinuti trenutni proces instalacije? @@ -594,25 +594,25 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CalamaresPython::Helper - + Unknown exception type @error Nepoznat tip izuzetka - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -669,16 +669,6 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -706,6 +696,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -827,6 +822,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -837,44 +837,44 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Skini tačke montiranja za operacije nad particijama na %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Sve tačke montiranja na %1 skinute @@ -910,128 +910,111 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Setup Failed + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - + + Installation Failed + @title + Neuspješna instalacija - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Setup Complete + @title - - This program will ask you some questions and set up %2 on your computer. + + Installation Complete + @title - - <h1>Welcome to the Calamares setup program for %1</h1> + + The setup of %1 is complete. + @info - - <h1>Welcome to %1 setup</h1> + + The installation of %1 is complete. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to the %1 installer</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - Your username is too long. + + Set timezone to %1/%2 + @action - - '%1' is not allowed as username. + + The system language will be set to %1. + @info - - Your username must start with a lowercase letter or underscore. + + The numbers and dates locale will be set to %1. + @info - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Incorrect configuration) - - Your hostname is too short. + + Network Installation. (Disabled: Received invalid groups data) - - Your hostname is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: No package list) - - Your passwords do not match! - Vaše lozinke se ne poklapaju - - - - OK! + + Package selection @@ -1076,81 +1059,98 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - - Setup Failed - @title + + Your username is too long. - - Installation Failed - @title - Neuspješna instalacija + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. - - Setup Complete - @title + + Your hostname is too short. - - Installation Complete - @title + + Your hostname is too long. - - The setup of %1 is complete. - @info + + '%1' is not allowed as hostname. - - The installation of %1 is complete. - @info + + Only letters, numbers, underscore and hyphen are allowed. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Vaše lozinke se ne poklapaju + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The system language will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The numbers and dates locale will be set to %1. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + + + + This program will ask you some questions and set up %2 on your computer. + + + + + <h1>Welcome to the Calamares setup program for %1</h1> + + + + + <h1>Welcome to %1 setup</h1> + + + + + <h1>Welcome to the Calamares installer for %1</h1> + + + + + <h1>Welcome to the %1 installer</h1> @@ -1476,8 +1476,13 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1491,13 +1496,8 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2274,7 +2274,7 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. LocaleTests - + Quit @@ -2444,6 +2444,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2492,11 +2497,6 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2669,19 +2669,9 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. The password contains forbidden words in some form - - - The password contains too few digits - - - - - The password contains too few uppercase letters - - - - The password contains fewer than %n lowercase letters + + The password contains fewer than %n digits @@ -2689,53 +2679,38 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - - The password contains too few lowercase letters - - - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively + + The password contains too few digits - - The password contains fewer than %n digits + + The password contains fewer than %n uppercase letters + + + The password contains too few uppercase letters + + - - The password contains fewer than %n uppercase letters + + The password contains fewer than %n lowercase letters + + + The password contains too few lowercase letters + + The password contains fewer than %n non-alphanumeric characters @@ -2745,6 +2720,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2754,6 +2734,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + + The password is too short + + The password is a rotated version of the previous one @@ -2768,6 +2753,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2777,6 +2767,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2786,6 +2781,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3207,9 +3207,21 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Particije + Unsafe partition actions are enabled. @@ -3226,33 +3238,25 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured - + + After: + @label + Poslije: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3265,6 +3269,11 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3272,37 +3281,28 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Particije - - - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label - Poslije: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3400,65 +3400,65 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Pogrešni parametri kod poziva funkcije u procesu. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3470,6 +3470,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3501,30 +3525,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3958,17 +3958,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4061,7 +4061,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4848,11 +4849,21 @@ Output: What is your name? Kako se zovete? + + + Your full name + + What name do you want to use to log in? Koje ime želite koristiti da se prijavite? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4873,11 +4884,21 @@ Output: What is the name of this computer? Kako želite nazvati ovaj računar? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4894,78 +4915,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4981,11 +4982,21 @@ Output: What is your name? Kako se zovete? + + + Your full name + + What name do you want to use to log in? Koje ime želite koristiti da se prijavite? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5006,16 +5017,6 @@ Output: What is the name of this computer? Kako želite nazvati ovaj računar? - - - Your full name - - - - - Login name - - Computer name @@ -5051,16 +5052,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5081,6 +5072,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_sv.ts b/lang/calamares_sv.ts index e1124e072d..bd697850c3 100644 --- a/lang/calamares_sv.ts +++ b/lang/calamares_sv.ts @@ -125,31 +125,21 @@ Interface: Gränssnitt: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Kraschar Calamares, så att Dr. Konqui kan titta på det. + Reloads the stylesheet from the branding directory. Laddar om stilmall från branding katalogen. - - - Uploads the session log to the configured pastebin. - Laddar upp sessionsloggen till den konfigurerade pastebin. - - - - Send Session Log - Skicka Session Logg - Reload Stylesheet Ladda om stilmall - - - Crashes Calamares, so that Dr. Konqi can look at it. - Kraschar Calamares, så att Dr. Konqui kan titta på det. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Widgetträd + + + Uploads the session log to the configured pastebin. + Laddar upp sessionsloggen till den konfigurerade pastebin. + + + + Send Session Log + Skicka Session Logg + Debug Information @@ -378,8 +378,8 @@ (%n second(s)) @status - (%n sekund) - (%n sekunder) + (%n sekund(er)) + (%n sekund(er)) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Sändningen misslyckades. Ingenting sparades på webbplatsen. + + + + Install log posted to + +%1 + +Link copied to clipboard + Installationslogg postad till + +%1 + +Länken kopierades till urklipp + + + + Install Log Paste URL + URL till installationslogg + &Yes @@ -407,7 +430,7 @@ &Stäng - + Setup Failed @title Inställningarna misslyckades @@ -437,13 +460,13 @@ %1 kan inte installeras. Calamares kunde inte ladda alla konfigurerade moduler. Detta är ett problem med hur Calamares används av distributionen. - + <br/>The following modules could not be loaded: @info <br/>Följande moduler kunde inte hämtas: - + Continue with Setup? @title Fortsätt med installation? @@ -461,132 +484,109 @@ %1-installeraren är på väg att göra ändringar på disk för att installera %2.<br/><strong>Du kommer inte att kunna ångra dessa ändringar.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1-installeraren är på väg att göra ändringar för att installera %2.<br/><strong>Du kommer inte att kunna ångra dessa ändringar.</strong> - + &Set Up Now @button &Ställ in nu - + &Install Now @button &Installera nu - + Go &Back @button Gå &bakåt - + &Set Up @button &Installera - + &Install @button &Installera - + Setup is complete. Close the setup program. @tooltip Installationen är klar. Du kan avsluta installationsprogrammet. - + The installation is complete. Close the installer. @tooltip Installationen är klar. Du kan avsluta installationshanteraren. - + Cancel the setup process without changing the system. @tooltip Avbryt installationsprocessen utan att ändra systemet. - + Cancel the installation process without changing the system. @tooltip Avbryt installationsprocessen utan att ändra systemet. - + &Next @button &Nästa - + &Back @button &Bakåt - + &Done @button &Klar - + &Cancel @button &Avsluta - + Cancel Setup? @title Avbryt inställningarna? - + Cancel Installation? @title Avbryt installation? - - Install Log Paste URL - URL till installationslogg - - - - The upload was unsuccessful. No web-paste was done. - Sändningen misslyckades. Ingenting sparades på webbplatsen. - - - - Install log posted to - -%1 - -Link copied to clipboard - Installationslogg postad till - -%1 - -Länken kopierades till urklipp - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Vill du verkligen avbryta den nuvarande uppstartsprocessen? Uppstartsprogrammet kommer avsluta och alla ändringar kommer förloras. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Är du säker på att du vill avsluta installationen i förtid? @@ -596,25 +596,25 @@ Alla ändringar kommer att gå förlorade. CalamaresPython::Helper - + Unknown exception type @error Okänd undantagstyp - + Unparseable Python error @error Otolkbart Pythonfel - + Unparseable Python traceback @error Otolkbar Python-traceback - + Unfetchable Python error @error Ohämtbart Pythonfel @@ -671,16 +671,6 @@ Alla ändringar kommer att gå förlorade. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Manuell partitionering</strong><br/>Du kan själv skapa och ändra storlek på partitionerna. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Välj en partition att minska, sen dra i nedre fältet för att ändra storlek</strong> - Select storage de&vice: @@ -706,7 +696,12 @@ Alla ändringar kommer att gå förlorade. Reuse %1 as home partition for %2 @label - Återanvänd %1 som hempartition för %2. {1 ?} {2?} + + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Välj en partition att minska, sen dra i nedre fältet för att ändra storlek</strong> @@ -829,6 +824,11 @@ Alla ändringar kommer att gå förlorade. @label Använd en fil som växlingsenhet + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Manuell partitionering</strong><br/>Du kan själv skapa och ändra storlek på partitionerna. + Bootloader location: @@ -839,44 +839,44 @@ Alla ändringar kommer att gå förlorade. ClearMountsJob - + Successfully unmounted %1. Framgångsrikt avmonterade %1. - + Successfully disabled swap %1. Framgångsrikt inaktiverade swap %1. - + Successfully cleared swap %1. Framgångsrikt rensade swap %1. - + Successfully closed mapper device %1. Framgångsrikt stängde krypterad enhet %1. - + Successfully disabled volume group %1. Framgångsrikt inaktiverade volymgrupp %1. - + Clear mounts for partitioning operations on %1 @title Rensa monteringspunkter för partitionering på %1 - + Clearing mounts for partitioning operations on %1… @status - Rensar monteringspunkter för partitioneringsoperationer på %1. {1...?}  + - + Cleared all mounts for %1 Rensade alla monteringspunkter för %1 @@ -912,129 +912,112 @@ Alla ändringar kommer att gå förlorade. Config - - Network Installation. (Disabled: Incorrect configuration) - Nätverksinstallation. (Inaktiverad: inkorrekt konfiguration) - - - - Network Installation. (Disabled: Received invalid groups data) - Nätverksinstallation. (Inaktiverad: Fick felaktig gruppdata) - - - - Network Installation. (Disabled: Internal error) - Nätverksinstallation. (Inaktiverad: internt fel) - - - - Network Installation. (Disabled: No package list) - Nätverksinstallation. (Inaktiverad: Ingen paketlista) - - - - Package selection - Paketval - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Nätverksinstallation. (Inaktiverad: Kan inte hämta paketlistor, kontrollera nätverksanslutningen) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Den här datorn uppfyller inte minimikraven för att ställa in %1.<br/> Installationen kan inte fortsätta. + + Setup Failed + @title + Inställningarna misslyckades - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Den här datorn uppfyller inte minimikraven för att installera %1. <br/>Installationen kan inte fortsätta. + + Installation Failed + @title + Installationen misslyckades - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Några av kraven för inställning av %1 uppfylls inte av datorn.<br/>Inställningarna kan ändå göras men vissa funktioner kommer kanske inte att kunna användas. + + The setup of %1 did not complete successfully. + @info + Installationen av %1 slutfördes inte korrekt. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Denna dator uppfyller inte alla rekommenderade krav för att installera %1.<br/>Installationen kan fortsätta, men alla alternativ och funktioner kanske inte kan användas. + + The installation of %1 did not complete successfully. + @info + Installationen av %1 slutfördes inte korrekt. - - This program will ask you some questions and set up %2 on your computer. - Detta program kommer att ställa dig några frågor och installera %2 på din dator. + + Setup Complete + @title + Inställningarna är klara - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Välkommen till Calamares installationsprogram för %1</h1> + + Installation Complete + @title + Installationen är klar - - <h1>Welcome to %1 setup</h1> - <h1>Välkommen till %1 installation</h1> + + The setup of %1 is complete. + @info + Inställningarna för %1 är klara. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Välkommen till Calamares installationsprogram för %1</h1> + + The installation of %1 is complete. + @info + Installationen av %1 är klar. - - <h1>Welcome to the %1 installer</h1> - <h1>Välkommen till %1-installeraren</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Tangentbordsmodellen har ställts in på %1.<br/>. - - Your username is too long. - Ditt användarnamn är för långt. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Tangentbordslayouten har ställts in på %1/%2. - - '%1' is not allowed as username. - '%1' är inte tillåtet som användarnamn. + + Set timezone to %1/%2 + @action + Sätt tidszon till %1/%2 - - Your username must start with a lowercase letter or underscore. - Ditt användarnamn måste börja med en liten bokstav eller ett understreck. + + The system language will be set to %1. + @info + Systemspråket kommer ändras till %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Endast små bokstäver, nummer, understreck och bindestreck är tillåtet. + + The numbers and dates locale will be set to %1. + @info + Systemspråket för siffror och datum kommer sättas till %1. - - Your hostname is too short. - Ditt värdnamn är för kort. + + Network Installation. (Disabled: Incorrect configuration) + Nätverksinstallation. (Inaktiverad: inkorrekt konfiguration) - - Your hostname is too long. - Ditt värdnamn är för långt. + + Network Installation. (Disabled: Received invalid groups data) + Nätverksinstallation. (Inaktiverad: Fick felaktig gruppdata) - - '%1' is not allowed as hostname. - '%1' är inte tillåtet som värdnamn. + + Network Installation. (Disabled: Internal error) + Nätverksinstallation. (Inaktiverad: internt fel) - - Only letters, numbers, underscore and hyphen are allowed. - Endast bokstäver, nummer, understreck och bindestreck är tillåtet. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Nätverksinstallation. (Inaktiverad: Kan inte hämta paketlistor, kontrollera nätverksanslutningen) - - Your passwords do not match! - Lösenorden överensstämmer inte! + + Network Installation. (Disabled: No package list) + Nätverksinstallation. (Inaktiverad: Ingen paketlista) - - OK! - OK! + + Package selection + Paketval @@ -1062,98 +1045,115 @@ Alla ändringar kommer att gå förlorade. Ingen - - Summary - @label - Översikt + + Summary + @label + Översikt + + + + This is an overview of what will happen once you start the setup procedure. + Detta är en översikt över vad som kommer hända när du startar installationsprocessen. + + + + This is an overview of what will happen once you start the install procedure. + Detta är en överblick av vad som kommer att ske när du startar installationsprocessen. + + + + Your username is too long. + Ditt användarnamn är för långt. + + + + Your username must start with a lowercase letter or underscore. + Ditt användarnamn måste börja med en liten bokstav eller ett understreck. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Endast små bokstäver, nummer, understreck och bindestreck är tillåtet. + + + + '%1' is not allowed as username. + '%1' är inte tillåtet som användarnamn. - - This is an overview of what will happen once you start the setup procedure. - Detta är en översikt över vad som kommer hända när du startar installationsprocessen. + + Your hostname is too short. + Ditt värdnamn är för kort. - - This is an overview of what will happen once you start the install procedure. - Detta är en överblick av vad som kommer att ske när du startar installationsprocessen. + + Your hostname is too long. + Ditt värdnamn är för långt. - - Setup Failed - @title - Inställningarna misslyckades + + '%1' is not allowed as hostname. + '%1' är inte tillåtet som värdnamn. - - Installation Failed - @title - Installationen misslyckades + + Only letters, numbers, underscore and hyphen are allowed. + Endast bokstäver, nummer, understreck och bindestreck är tillåtet. - - The setup of %1 did not complete successfully. - @info - Installationen av %1 slutfördes inte korrekt. + + Your passwords do not match! + Lösenorden överensstämmer inte! - - The installation of %1 did not complete successfully. - @info - Installationen av %1 slutfördes inte korrekt. + + OK! + OK! - - Setup Complete - @title - Inställningarna är klara + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Den här datorn uppfyller inte minimikraven för att ställa in %1.<br/> Installationen kan inte fortsätta. - - Installation Complete - @title - Installationen är klar + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Den här datorn uppfyller inte minimikraven för att installera %1. <br/>Installationen kan inte fortsätta. - - The setup of %1 is complete. - @info - Inställningarna för %1 är klara. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Några av kraven för inställning av %1 uppfylls inte av datorn.<br/>Inställningarna kan ändå göras men vissa funktioner kommer kanske inte att kunna användas. - - The installation of %1 is complete. - @info - Installationen av %1 är klar. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Denna dator uppfyller inte alla rekommenderade krav för att installera %1.<br/>Installationen kan fortsätta, men alla alternativ och funktioner kanske inte kan användas. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Tangentbordsmodellen har ställts in på %1.<br/>. + + This program will ask you some questions and set up %2 on your computer. + Detta program kommer att ställa dig några frågor och installera %2 på din dator. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Tangentbordslayouten har ställts in på %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Välkommen till Calamares installationsprogram för %1</h1> - - Set timezone to %1/%2 - @action - Sätt tidszon till %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>Välkommen till %1 installation</h1> - - The system language will be set to %1. - @info - Systemspråket kommer ändras till %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Välkommen till Calamares installationsprogram för %1</h1> - - The numbers and dates locale will be set to %1. - @info - Systemspråket för siffror och datum kommer sättas till %1. + + <h1>Welcome to the %1 installer</h1> + <h1>Välkommen till %1-installeraren</h1> @@ -1270,7 +1270,7 @@ Alla ändringar kommer att gå förlorade. Create new %1MiB partition on %3 (%2) with entries %4 @title - Skapa ny %1MiB partition på %3 (%2) med poster %4. {1M?} {3 ?} {2)?} {4?} + @@ -1307,7 +1307,7 @@ Alla ändringar kommer att gå förlorade. Creating new %1 partition on %2… @status - Skapar ny %1 partition på %2. {1 ?} {2…?} + @@ -1351,7 +1351,7 @@ Alla ändringar kommer att gå förlorade. Creating new %1 partition table on %2… @status - Skapar ny %1 partitionstabell på %2. {1 ?} {2…?} + @@ -1419,7 +1419,7 @@ Alla ändringar kommer att gå förlorade. Creating new volume group named %1… @status - Skapar ny volymgrupp med namnet %1. {1…?} + @@ -1461,7 +1461,7 @@ Alla ändringar kommer att gå förlorade. Deleting partition %1… @status - Tar bort partition %1. {1…?} + @@ -1478,9 +1478,14 @@ Alla ändringar kommer att gå förlorade. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Denna enhet har en <strong>%1</strong> partitionstabell. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Denna partitionstabell är endast lämplig på äldre system som startar från en <strong>BIOS</strong>-startmiljö. GPT rekommenderas i de flesta andra fall.<br><br><strong>Varning:</strong> MBR-partitionstabellen är en föråldrad standard från MS-DOS-tiden.<br>Endast 4 <em>primära</em> partitioner kan skapas, och av dessa 4 kan en vara en <em>utökad</em> partition, som i sin tur kan innehålla många <em>logiska</em> partitioner. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Det här är den rekommenderade typen av partitionstabell för moderna system med en startpartition av typen <strong>EFI</strong>. @@ -1493,14 +1498,9 @@ Alla ändringar kommer att gå förlorade. Installationsprogrammet <strong>kan inte hitta någon partitionstabell</strong> på den valda lagringsenheten.<br><br>Antingen har enheten ingen partitionstabell, eller så är partitionstabellen trasig eller av okänd typ.<br>Installationsprogrammet kan skapa en ny partitionstabell åt dig, antingen automatiskt, eller genom sidan för manuell partitionering. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Det här är den rekommenderade typen av partitionstabell för moderna system med en startpartition av typen <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Denna partitionstabell är endast lämplig på äldre system som startar från en <strong>BIOS</strong>-startmiljö. GPT rekommenderas i de flesta andra fall.<br><br><strong>Varning:</strong> MBR-partitionstabellen är en föråldrad standard från MS-DOS-tiden.<br>Endast 4 <em>primära</em> partitioner kan skapas, och av dessa 4 kan en vara en <em>utökad</em> partition, som i sin tur kan innehålla många <em>logiska</em> partitioner. + + This device has a <strong>%1</strong> partition table. + Denna enhet har en <strong>%1</strong> partitionstabell. @@ -1705,7 +1705,7 @@ Alla ändringar kommer att gå förlorade. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Ställ in en <strong>ny</strong> %2 partition med monteringspunkt <strong>%1</strong>%3. {2 ?} {1<?} {3?} + @@ -1729,7 +1729,7 @@ Alla ändringar kommer att gå förlorade. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Ställ in %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong> %4. {3 ?} {1<?} {2<?} {4…?} + @@ -1812,7 +1812,7 @@ Alla ändringar kommer att gå förlorade. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Formatera partition %1 (filsystem: %2, storlek: %3 MiB) på %4. {1 ?} {2,?} {3 ?} {4?} + @@ -1830,7 +1830,7 @@ Alla ändringar kommer att gå förlorade. Formatting partition %1 with file system %2… @status - Formaterar partition %1 med filsystem %2. {1 ?} {2...?} + @@ -2276,7 +2276,7 @@ Alla ändringar kommer att gå förlorade. LocaleTests - + Quit Avsluta @@ -2452,6 +2452,11 @@ Sök på kartan genom att dra label for netinstall module, choose desktop environment Skrivbord + + + Applications + Program + Communication @@ -2500,11 +2505,6 @@ Sök på kartan genom att dra label for netinstall module Verktyg - - - Applications - Program - NotesQmlViewStep @@ -2677,11 +2677,27 @@ Sök på kartan genom att dra The password contains forbidden words in some form Lösenordet innehåller förbjudna ord i någon form + + + The password contains fewer than %n digits + + Lösenord innehåller mindre än %n siffror + Lösenordet innehåller mindre än %n siffror + + The password contains too few digits Lösenordet innehåller för få siffror + + + The password contains fewer than %n uppercase letters + + Lösenord innehåller mindre än %n stora bokstäver + Lösenordet innehåller mindre än %n stora bokstäver + + The password contains too few uppercase letters @@ -2700,47 +2716,6 @@ Sök på kartan genom att dra The password contains too few lowercase letters Lösenordet innehåller för få små bokstäver - - - The password contains too few non-alphanumeric characters - Lösenordet innehåller för få icke-alfanumeriska tecken - - - - The password is too short - Detta lösenordet är för kort - - - - The password does not contain enough character classes - Lösenordet innehåller inte tillräckligt många teckenklasser - - - - The password contains too many same characters consecutively - Lösenordet innehåller för många liknande tecken efter varandra - - - - The password contains too many characters of the same class consecutively - Lösenordet innehåller för många tecken från samma klass i rad - - - - The password contains fewer than %n digits - - Lösenord innehåller mindre än %n siffror - Lösenordet innehåller mindre än %n siffror - - - - - The password contains fewer than %n uppercase letters - - Lösenord innehåller mindre än %n stora bokstäver - Lösenordet innehåller mindre än %n stora bokstäver - - The password contains fewer than %n non-alphanumeric characters @@ -2749,6 +2724,11 @@ Sök på kartan genom att dra Lösenordet innehåller färre än %n icke alfanumeriska tecken + + + The password contains too few non-alphanumeric characters + Lösenordet innehåller för få icke-alfanumeriska tecken + The password is shorter than %n characters @@ -2757,6 +2737,11 @@ Sök på kartan genom att dra Lösenordet är kortare än %n tecken + + + The password is too short + Detta lösenordet är för kort + The password is a rotated version of the previous one @@ -2770,6 +2755,11 @@ Sök på kartan genom att dra Lösenordet innehåller färre än %n teckenklasser + + + The password does not contain enough character classes + Lösenordet innehåller inte tillräckligt många teckenklasser + The password contains more than %n same characters consecutively @@ -2778,6 +2768,11 @@ Sök på kartan genom att dra Lösenordet innehåller fler än %n likadana tecken i rad + + + The password contains too many same characters consecutively + Lösenordet innehåller för många liknande tecken efter varandra + The password contains more than %n characters of the same class consecutively @@ -2786,6 +2781,11 @@ Sök på kartan genom att dra Lösenordet innehåller fler än %n tecken från samma klass i rad + + + The password contains too many characters of the same class consecutively + Lösenordet innehåller för många tecken från samma klass i rad + The password contains monotonic sequence longer than %n characters @@ -3209,6 +3209,18 @@ Sök på kartan genom att dra PartitionViewStep + + + Gathering system information… + @status + Samlar systeminformation... + + + + Partitions + @label + Partitioner + Unsafe partition actions are enabled. @@ -3225,35 +3237,27 @@ Sök på kartan genom att dra Inga partitioner kommer att ändras. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - En EFI-systempartition krävs för att starta %1. <br/><br/> EFI-systempartitionen uppfyller inte rekommendationerna. Det rekommenderas att gå tillbaka och välja eller skapa ett lämpligt filsystem. - - - - The minimum recommended size for the filesystem is %1 MiB. - Minsta rekommenderade storlek för filsystemet är %1 MiB. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Du kan fortsätta med denna EFI-systempartitionskonfiguration men ditt system kanske inte startar. - - - - No EFI system partition configured - Ingen EFI system partition konfigurerad + + Current: + @label + Nuvarande: - - EFI system partition configured incorrectly - EFI-systempartitionen felaktigt konfigurerad + + After: + @label + Efter: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. En EFI-systempartition krävs för att starta %1 <br/><br/>För att konfigurera en EFI-systempartition, gå tillbaka och välj eller skapa ett lämpligt filsystem. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + En EFI-systempartition krävs för att starta %1. <br/><br/> EFI-systempartitionen uppfyller inte rekommendationerna. Det rekommenderas att gå tillbaka och välja eller skapa ett lämpligt filsystem. + The filesystem must be mounted on <strong>%1</strong>. @@ -3264,6 +3268,11 @@ Sök på kartan genom att dra The filesystem must have type FAT32. Filsystemet måste vara av typ FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Filsystemet måste ha flagga <strong>%1</strong> satt. + @@ -3271,38 +3280,29 @@ Sök på kartan genom att dra Filsystemet måste vara minst %1 MiB i storlek. - - The filesystem must have flag <strong>%1</strong> set. - Filsystemet måste ha flagga <strong>%1</strong> satt. - - - - Gathering system information… - @status - Samlar systeminformation... + + The minimum recommended size for the filesystem is %1 MiB. + Minsta rekommenderade storlek för filsystemet är %1 MiB. - - Partitions - @label - Partitioner + + You can continue without setting up an EFI system partition but your system may fail to start. + Du kan fortsätta utan att ställa in en EFI-systempartition men ditt system kanske inte startar. - - Current: - @label - Nuvarande: + + You can continue with this EFI system partition configuration but your system may fail to start. + Du kan fortsätta med denna EFI-systempartitionskonfiguration men ditt system kanske inte startar. - - After: - @label - Efter: + + No EFI system partition configured + Ingen EFI system partition konfigurerad - - You can continue without setting up an EFI system partition but your system may fail to start. - Du kan fortsätta utan att ställa in en EFI-systempartition men ditt system kanske inte startar. + + EFI system partition configured incorrectly + EFI-systempartitionen felaktigt konfigurerad @@ -3399,14 +3399,14 @@ Sök på kartan genom att dra ProcessResult - + There was no output from the command. Det kom ingen utdata från kommandot. - + Output: @@ -3415,52 +3415,52 @@ Utdata: - + External command crashed. Externt kommando kraschade. - + Command <i>%1</i> crashed. Kommando <i>%1</i> kraschade. - + External command failed to start. Externt kommando misslyckades med att starta - + Command <i>%1</i> failed to start. Kommando <i>%1</i> misslyckades med att starta.  - + Internal error when starting command. Internt fel under kommandostart. - + Bad parameters for process job call. Ogiltiga parametrar för processens uppgiftsanrop. - + External command failed to finish. Fel inträffade när externt kommando kördes. - + Command <i>%1</i> failed to finish in %2 seconds. Kommando <i>%1</i> misslyckades att slutföras på %2 sekunder. - + External command finished with errors. Externt kommando kördes färdigt med fel. - + Command <i>%1</i> finished with exit code %2. Kommando <i>%1</i>avslutades under körning med avslutningskod %2. @@ -3472,6 +3472,30 @@ Utdata: %1 (%2) %1 (%2) + + + unknown + @partition info + okänd + + + + extended + @partition info + utökad + + + + unformatted + @partition info + oformaterad + + + + swap + @partition info + swap + @@ -3503,30 +3527,6 @@ Utdata: (no mount point) (ingen monteringspunkt) - - - unknown - @partition info - okänd - - - - extended - @partition info - utökad - - - - unformatted - @partition info - oformaterad - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3718,7 +3718,7 @@ Installationen kan inte fortsätta.</p> Resize volume group named %1 from %2 to %3 @title - Ändra storlek på volymgrupp med namnet %1 från %2 till %3. {1 ?} {2 ?} {3?} + @@ -3777,7 +3777,7 @@ Installationen kan inte fortsätta.</p> Setting hostname %1… @status - Anger värdnamn till %1. {1…?} + @@ -3946,7 +3946,7 @@ Installationen kan inte fortsätta.</p> Setting password for user %1… @status - Ställer in lösenord för användaren %1. {1...?} + @@ -3963,17 +3963,17 @@ Installationen kan inte fortsätta.</p> Cannot disable root account. Kunde inte inaktivera root konto. - - - Cannot set password for user %1. - Kan inte ställa in lösenord för användare %1. - usermod terminated with error code %1. usermod avslutade med felkod %1. + + + Cannot set password for user %1. + Kan inte ställa in lösenord för användare %1. + SetTimezoneJob @@ -4066,7 +4066,8 @@ Installationen kan inte fortsätta.</p> SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4885,11 +4886,21 @@ Installationen kan inte fortsätta.</p> What is your name? Vad heter du? + + + Your full name + Ditt fullständiga namn + What name do you want to use to log in? Vilket namn vill du använda för att logga in? + + + Login name + Inloggningsnamn + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,11 +4921,21 @@ Installationen kan inte fortsätta.</p> What is the name of this computer? Vad är namnet på datorn? + + + Computer name + Datornamn + This name will be used if you make the computer visible to others on a network. Detta namn kommer användas om du gör datorn synlig för andra i ett nätverk. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Endast bokstäver, nummer, understreck och bindestreck är tillåtet, minst två tecken. + localhost is not allowed as hostname. @@ -4930,11 +4951,31 @@ Installationen kan inte fortsätta.</p> Password Lösenord + + + Repeat password + Repetera lösenord + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ange samma lösenord två gånger, så att det kan kontrolleras för stavfel. Ett bra lösenord innehåller en blandning av bokstäver, nummer och interpunktion, bör vara minst åtta tecken långt, och bör ändras regelbundet. + + + Reuse user password as root password + Återanvänd användarlösenord som root lösenord + + + + Use the same password for the administrator account. + Använd samma lösenord för administratörskontot. + + + + Choose a root password to keep your account safe. + Välj ett root lösenord för att hålla ditt konto säkert. + Root password @@ -4946,14 +4987,9 @@ Installationen kan inte fortsätta.</p> Repetera root lösenord - - Validate passwords quality - Validera lösenords kvalite - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - När den här rutan är förkryssad kommer kontroll av lösenordsstyrka att genomföras, och du kommer inte kunna använda ett svagt lösenord. + + Enter the same password twice, so that it can be checked for typing errors. + Ange samma lösenord två gånger, så att det kan kontrolleras för stavfel. @@ -4961,49 +4997,14 @@ Installationen kan inte fortsätta.</p> Logga in automatiskt utan att fråga efter ett lösenord. - - Your full name - Ditt fullständiga namn - - - - Login name - Inloggningsnamn - - - - Computer name - Datornamn - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Endast bokstäver, nummer, understreck och bindestreck är tillåtet, minst två tecken. - - - - Repeat password - Repetera lösenord - - - - Reuse user password as root password - Återanvänd användarlösenord som root lösenord - - - - Use the same password for the administrator account. - Använd samma lösenord för administratörskontot. - - - - Choose a root password to keep your account safe. - Välj ett root lösenord för att hålla ditt konto säkert. + + Validate passwords quality + Validera lösenords kvalite - - Enter the same password twice, so that it can be checked for typing errors. - Ange samma lösenord två gånger, så att det kan kontrolleras för stavfel. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + När den här rutan är förkryssad kommer kontroll av lösenordsstyrka att genomföras, och du kommer inte kunna använda ett svagt lösenord. @@ -5018,11 +5019,21 @@ Installationen kan inte fortsätta.</p> What is your name? Vad heter du? + + + Your full name + Ditt fullständiga namn + What name do you want to use to log in? Vilket namn vill du använda för att logga in? + + + Login name + Inloggningsnamn + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5043,16 +5054,6 @@ Installationen kan inte fortsätta.</p> What is the name of this computer? Vad är namnet på datorn? - - - Your full name - Ditt fullständiga namn - - - - Login name - Inloggningsnamn - Computer name @@ -5088,16 +5089,6 @@ Installationen kan inte fortsätta.</p> Repeat password Repetera lösenord - - - Root password - Root lösenord - - - - Repeat root password - Repetera root lösenord - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5118,6 +5109,16 @@ Installationen kan inte fortsätta.</p> Choose a root password to keep your account safe. Välj ett root lösenord för att hålla ditt konto säkert. + + + Root password + Root lösenord + + + + Repeat root password + Repetera root lösenord + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ta_IN.ts b/lang/calamares_ta_IN.ts index a1b43a1cff..761d86575f 100644 --- a/lang/calamares_ta_IN.ts +++ b/lang/calamares_ta_IN.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_te.ts b/lang/calamares_te.ts index 8fd34754c4..2f3b51e956 100644 --- a/lang/calamares_te.ts +++ b/lang/calamares_te.ts @@ -128,18 +128,13 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి ఇంటర్ఫేస్ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -147,11 +142,6 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి Reload Stylesheet రీలోడ్ స్టైల్షీట్ - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -162,6 +152,16 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి Widget Tree విడ్జెట్ ట్రీ + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -393,6 +393,25 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -409,7 +428,7 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి - + Setup Failed @title @@ -439,13 +458,13 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -463,128 +482,109 @@ automatic ఉంటుంది, మీరు మాన్యువల్ వి - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -909,247 +909,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1475,8 +1475,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1490,13 +1495,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2443,6 +2443,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2491,11 +2496,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2668,11 +2668,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2691,47 +2707,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2740,6 +2715,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2748,6 +2728,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2769,6 +2759,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2777,6 +2772,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3201,48 +3201,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3256,43 +3260,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3390,65 +3390,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3460,6 +3460,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3491,30 +3515,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3948,17 +3948,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4051,7 +4051,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4838,11 +4839,21 @@ Output: What is your name? మీ పేరు ఏమిటి ? + + + Your full name + + What name do you want to use to log in? ప్రవేశించడానికి ఈ పేరుని ఉపయోగిస్తారు + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4863,11 +4874,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4884,78 +4905,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4971,11 +4972,21 @@ Output: What is your name? మీ పేరు ఏమిటి ? + + + Your full name + + What name do you want to use to log in? ప్రవేశించడానికి ఈ పేరుని ఉపయోగిస్తారు + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4996,16 +5007,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5041,16 +5042,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5071,6 +5062,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_tg.ts b/lang/calamares_tg.ts index 2b77e71523..200c154e2c 100644 --- a/lang/calamares_tg.ts +++ b/lang/calamares_tg.ts @@ -126,18 +126,13 @@ Интерфейс: - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet Аз нав бор кардани варақаи услубҳо - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Дарахти виҷетҳо + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -377,9 +377,9 @@ (%n second(s)) @status - - - + + (%n сония) + (%n сония) @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Боркунӣ иҷро нашуд. Гузариш ба шабака иҷро нашуд. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + Гузоштани нишонии URL-и сабти рӯйдодҳои насб + &Yes @@ -407,7 +426,7 @@ &Пӯшидан - + Setup Failed @title Танзимкунӣ қатъ шуд @@ -437,13 +456,13 @@ %1 насб карда намешавад. Calamares ҳамаи модулҳои танзимкардашударо бор карда натавонист. Ин мушкилие мебошад, ки бо ҳамин роҳ Calamares дар дистрибутиви ҷорӣ кор мекунад. - + <br/>The following modules could not be loaded: @info <br/>Модулҳои зерин бор карда намешаванд: - + Continue with Setup? @title @@ -461,129 +480,110 @@ Барномаи танзимкунии %1 барои танзим кардани %2 ба диски компютери шумо тағйиротро ворид мекунад.<br/><strong>Шумо ин тағйиротро ботил карда наметавонед.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Насбкунандаи %1 барои насб кардани %2 ба диски компютери шумо тағйиротро ворид мекунад.<br/><strong>Шумо ин тағйиротро ботил карда наметавонед.</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Насб кардан - + Setup is complete. Close the setup program. @tooltip Танзим ба анҷом расид. Барномаи танзимкуниро пӯшед. - + The installation is complete. Close the installer. @tooltip Насб ба анҷом расид. Барномаи насбкуниро пӯшед. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Навбатӣ - + &Back @button &Ба қафо - + &Done @button &Анҷоми кор - + &Cancel @button &Бекор кардан - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - Гузоштани нишонии URL-и сабти рӯйдодҳои насб - - - - The upload was unsuccessful. No web-paste was done. - Боркунӣ иҷро нашуд. Гузариш ба шабака иҷро нашуд. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Шумо дар ҳақиқат мехоҳед, ки раванди танзимкунии ҷориро бекор намоед? Барномаи танзимкунӣ хомӯш карда мешавад ва ҳамаи тағйирот гум карда мешаванд. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Шумо дар ҳақиқат мехоҳед, ки раванди насбкунии ҷориро бекор намоед? @@ -593,25 +593,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Навъи истисноии номаълум - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -668,16 +668,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Қисмбандии диск ба таври дастӣ</strong><br/>Шумо худатон метавонед қисмҳои дискро эҷод кунед ё андозаи онҳоро иваз намоед. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Қисми дискеро, ки мехоҳед хурдтар кунед, интихоб намоед, пас лавҳаи поёнро барои ивази андоза кашед</strong> - Select storage de&vice: @@ -705,6 +695,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Қисми дискеро, ки мехоҳед хурдтар кунед, интихоб намоед, пас лавҳаи поёнро барои ивази андоза кашед</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -826,6 +821,11 @@ The installer will quit and all changes will be lost. @label Мубодила ба файл + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Қисмбандии диск ба таври дастӣ</strong><br/>Шумо худатон метавонед қисмҳои дискро эҷод кунед ё андозаи онҳоро иваз намоед. + Bootloader location: @@ -836,44 +836,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Пок кардани васлҳо барои амалиётҳои қисмбандӣ дар %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Ҳамаи васлҳо барои %1 пок карда шуданд. @@ -909,129 +909,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Насбкунии шабака. (Ғайрифаъол: Танзимоти нодуруст) - - - - Network Installation. (Disabled: Received invalid groups data) - Насбкунии шабака. (Ғайрифаъол: Иттилооти гурӯҳии нодуруст қабул шуд) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - Интихоби бастаҳо + + Setup Failed + @title + Танзимкунӣ қатъ шуд - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Насбкунии шабака. (Ғайрифаъол: Рӯйхати қуттиҳо гирифта намешавад. Пайвасти шабакаро тафтиш кунед) + + Installation Failed + @title + Насбкунӣ қатъ шуд - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Ин компютер ба баъзеи талаботи тавсияшуда барои танзимкунии %1 ҷавобгӯ намебошад.<br/>Танзимот идома дода мешавад, аммо баъзеи хусусиятҳо ғайрифаъол карда мешаванд. - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Ин компютер ба баъзеи талаботи тавсияшуда барои насбкунии %1 ҷавобгӯ намебошад.<br/>Насбкунӣ идома дода мешавад, аммо баъзеи хусусиятҳо ғайрифаъол карда мешаванд. - - - - This program will ask you some questions and set up %2 on your computer. - Ин барнома аз Шумо якчанд савол мепурсад ва %2-ро дар компютери шумо танзим мекунад. + + Setup Complete + @title + Анҷоми танзимкунӣ - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Хуш омадед ба барномаи танзимкунии Calamares барои %1</h1> + + Installation Complete + @title + Насбкунӣ ба анҷом расид - - <h1>Welcome to %1 setup</h1> - <h1>Хуш омадед ба танзимкунии %1</h1> + + The setup of %1 is complete. + @info + Танзимкунии %1 ба анҷом расид. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Хуш омадед ба насбкунандаи Calamares барои %1</h1> + + The installation of %1 is complete. + @info + Насбкунии %1 ба анҷом расид. - - <h1>Welcome to the %1 installer</h1> - <h1>Хуш омадед ба насбкунандаи %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Номи корбари шумо хеле дароз аст. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' ҳамчун номи корбар истифода намешавад. + + Set timezone to %1/%2 + @action + Минтақаи вақт ба %1/%2 танзим карда мешавад - - Your username must start with a lowercase letter or underscore. - Номи корбари шумо бояд бо ҳарфи хурд ё зерхат сар шавад. + + The system language will be set to %1. + @info + Забони низом ба %1 танзим карда мешавад. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Шумо метавонед танҳо ҳарфҳои хурд, рақамҳо, зерхат ва нимтиреро истифода баред. + + The numbers and dates locale will be set to %1. + @info + Низоми рақамҳо ва санаҳо ба %1 танзим карда мешавад. - - Your hostname is too short. - Номи мизбони шумо хеле кӯтоҳ аст. + + Network Installation. (Disabled: Incorrect configuration) + Насбкунии шабака. (Ғайрифаъол: Танзимоти нодуруст) - - Your hostname is too long. - Номи мизбони шумо хеле дароз аст. + + Network Installation. (Disabled: Received invalid groups data) + Насбкунии шабака. (Ғайрифаъол: Иттилооти гурӯҳии нодуруст қабул шуд) - - '%1' is not allowed as hostname. - '%1' ҳамчун номи мизбон истифода намешавад. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Шумо метавонед танҳо ҳарфҳо, рақамҳо, зерхат ва нимтиреро истифода баред. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Насбкунии шабака. (Ғайрифаъол: Рӯйхати қуттиҳо гирифта намешавад. Пайвасти шабакаро тафтиш кунед) - - Your passwords do not match! - Ниҳонвожаҳои шумо мувофиқат намекунанд! + + Network Installation. (Disabled: No package list) + - - OK! - ХУБ! + + Package selection + Интихоби бастаҳо @@ -1075,82 +1058,99 @@ The installer will quit and all changes will be lost. Дар ин ҷамъбаст шумо мебинед, ки чӣ мешавад пас аз он ки шумо раванди насбкуниро оғоз мекунед. - - Setup Failed - @title - Танзимкунӣ қатъ шуд + + Your username is too long. + Номи корбари шумо хеле дароз аст. - - Installation Failed - @title - Насбкунӣ қатъ шуд + + Your username must start with a lowercase letter or underscore. + Номи корбари шумо бояд бо ҳарфи хурд ё зерхат сар шавад. - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Шумо метавонед танҳо ҳарфҳои хурд, рақамҳо, зерхат ва нимтиреро истифода баред. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + '%1' ҳамчун номи корбар истифода намешавад. - - Setup Complete - @title - Анҷоми танзимкунӣ + + Your hostname is too short. + Номи мизбони шумо хеле кӯтоҳ аст. - - Installation Complete - @title - Насбкунӣ ба анҷом расид + + Your hostname is too long. + Номи мизбони шумо хеле дароз аст. - - The setup of %1 is complete. - @info - Танзимкунии %1 ба анҷом расид. + + '%1' is not allowed as hostname. + '%1' ҳамчун номи мизбон истифода намешавад. - - The installation of %1 is complete. - @info - Насбкунии %1 ба анҷом расид. + + Only letters, numbers, underscore and hyphen are allowed. + Шумо метавонед танҳо ҳарфҳо, рақамҳо, зерхат ва нимтиреро истифода баред. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Ниҳонвожаҳои шумо мувофиқат намекунанд! + + + + OK! + ХУБ! + + + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - Set timezone to %1/%2 - @action - Минтақаи вақт ба %1/%2 танзим карда мешавад + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Ин компютер ба баъзеи талаботи тавсияшуда барои танзимкунии %1 ҷавобгӯ намебошад.<br/>Танзимот идома дода мешавад, аммо баъзеи хусусиятҳо ғайрифаъол карда мешаванд. - - The system language will be set to %1. - @info - Забони низом ба %1 танзим карда мешавад. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Ин компютер ба баъзеи талаботи тавсияшуда барои насбкунии %1 ҷавобгӯ намебошад.<br/>Насбкунӣ идома дода мешавад, аммо баъзеи хусусиятҳо ғайрифаъол карда мешаванд. - - The numbers and dates locale will be set to %1. - @info - Низоми рақамҳо ва санаҳо ба %1 танзим карда мешавад. + + This program will ask you some questions and set up %2 on your computer. + Ин барнома аз Шумо якчанд савол мепурсад ва %2-ро дар компютери шумо танзим мекунад. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Хуш омадед ба барномаи танзимкунии Calamares барои %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Хуш омадед ба танзимкунии %1</h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Хуш омадед ба насбкунандаи Calamares барои %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Хуш омадед ба насбкунандаи %1</h1> @@ -1475,9 +1475,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Ин дастгоҳ ҷадвали қисми диски <strong>%1</strong>-ро дар бар мегирад. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Ин навъи ҷадвали қисми диск танҳо барои низомҳои куҳна тавсия карда мешавад, ки аз муҳити роҳандозии <strong>BIOS</strong> корро оғоз мекунад. GPT дар аксарияти мавридҳои дигар тавсия карда мешавад.<br><br><strong>Огоҳӣ:</strong> Ҷадвали қисми диски MBR ба стандатри куҳнаи давраи MS-DOS тааллуқ дорад.<br>Танҳо 4 қисми диски <em>асосӣ</em> эҷод карда мешаванд ва аз он 4 қисм танҳо як қисми диск <em>афзуда</em> мешавад, ки дар натиҷа метавонад бисёр қисмҳои диски <em>мантиқиро</em> дар бар гирад. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Ин навъи ҷадвали қисми диски тавсияшуда барои низомҳои муосир мебошад, ки аз муҳити роҳандозии <strong>EFI</strong> ба роҳ монда мешавад. @@ -1490,14 +1495,9 @@ The installer will quit and all changes will be lost. Ин насбкунанда дар дастгоҳи захирагоҳи интихобшуда <strong>ҷадвали қисми дискеро муайян карда наметавонад</strong>.<br><br>Эҳтимол аст, ки дастгоҳ дорои ҷадвали қисми диск намебошад ё ҷадвали қисми диск вайрон ё номаълум аст.<br>Ин насбкунанда метавонад барои шумо ҷадвали қисми диски наверо ба таври худкор ё ба таври дастӣ дар саҳифаи қисмбандии дастӣ эҷод намояд. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Ин навъи ҷадвали қисми диски тавсияшуда барои низомҳои муосир мебошад, ки аз муҳити роҳандозии <strong>EFI</strong> ба роҳ монда мешавад. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Ин навъи ҷадвали қисми диск танҳо барои низомҳои куҳна тавсия карда мешавад, ки аз муҳити роҳандозии <strong>BIOS</strong> корро оғоз мекунад. GPT дар аксарияти мавридҳои дигар тавсия карда мешавад.<br><br><strong>Огоҳӣ:</strong> Ҷадвали қисми диски MBR ба стандатри куҳнаи давраи MS-DOS тааллуқ дорад.<br>Танҳо 4 қисми диски <em>асосӣ</em> эҷод карда мешаванд ва аз он 4 қисм танҳо як қисми диск <em>афзуда</em> мешавад, ки дар натиҷа метавонад бисёр қисмҳои диски <em>мантиқиро</em> дар бар гирад. + + This device has a <strong>%1</strong> partition table. + Ин дастгоҳ ҷадвали қисми диски <strong>%1</strong>-ро дар бар мегирад. @@ -2273,7 +2273,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2447,6 +2447,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Мизи корӣ + + + Applications + Барномаҳо + Communication @@ -2495,11 +2500,6 @@ The installer will quit and all changes will be lost. label for netinstall module Барномаҳои муфид - - - Applications - Барномаҳо - NotesQmlViewStep @@ -2672,11 +2672,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form Ниҳонвожа калимаҳои нораворо дар бар мегирад + + + The password contains fewer than %n digits + + + + + The password contains too few digits Ниҳонвожа якчанд рақамро дар бар мегирад + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2695,47 +2711,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters Ниҳонвожа якчанд ҳарфи хурдро дар бар мегирад - - - The password contains too few non-alphanumeric characters - Ниҳонвожа якчанд аломати ғайри алифбоӣ-ададиро дар бар мегирад - - - - The password is too short - Ниҳонвожа хеле кӯтоҳ аст - - - - The password does not contain enough character classes - Ниҳонвожа синфҳои аломатии кофиро дар бар намегирад - - - - The password contains too many same characters consecutively - Ниҳонвожа аз ҳад зиёд аломати ягонаро пай дар пай дар бар мегирад - - - - The password contains too many characters of the same class consecutively - Ниҳонвожа бисёр аломатро бо синфи ягона пай дар пай дар бар мегирад - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + Ниҳонвожа якчанд аломати ғайри алифбоӣ-ададиро дар бар мегирад + The password is shorter than %n characters @@ -2752,6 +2732,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + Ниҳонвожа хеле кӯтоҳ аст + The password is a rotated version of the previous one @@ -2765,6 +2750,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + Ниҳонвожа синфҳои аломатии кофиро дар бар намегирад + The password contains more than %n same characters consecutively @@ -2773,6 +2763,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + Ниҳонвожа аз ҳад зиёд аломати ягонаро пай дар пай дар бар мегирад + The password contains more than %n characters of the same class consecutively @@ -2781,6 +2776,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + Ниҳонвожа бисёр аломатро бо синфи ягона пай дар пай дар бар мегирад + The password contains monotonic sequence longer than %n characters @@ -3204,6 +3204,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Қисмҳои диск + Unsafe partition actions are enabled. @@ -3220,33 +3232,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Танзимоти ҷорӣ: - - No EFI system partition configured - Ягон қисми диски низомии EFI танзим нашуд + + After: + @label + Баъд аз тағйир: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3259,6 +3263,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3266,37 +3275,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Қисмҳои диск - - - - Current: - @label - Танзимоти ҷорӣ: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Баъд аз тағйир: + + No EFI system partition configured + Ягон қисми диски низомии EFI танзим нашуд - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3394,14 +3394,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. Фармони иҷрошуда ягон натиҷа надод. - + Output: @@ -3410,52 +3410,52 @@ Output: - + External command crashed. Фармони берунӣ иҷро нашуд. - + Command <i>%1</i> crashed. Фармони <i>%1</i> иҷро нашуд. - + External command failed to start. Фармони берунӣ оғоз нашуд. - + Command <i>%1</i> failed to start. Фармони <i>%1</i> оғоз нашуд. - + Internal error when starting command. Ҳангоми оғоз кардани фармон хатои дохилӣ ба миён омад. - + Bad parameters for process job call. Имконоти нодуруст барои дархости вазифаи раванд. - + External command failed to finish. Фармони берунӣ ба анҷом нарасид. - + Command <i>%1</i> failed to finish in %2 seconds. Фармони <i>%1</i> дар муддати %2 сония ба анҷом нарасид. - + External command finished with errors. Фармони берунӣ бо хатоҳо ба анҷом расид. - + Command <i>%1</i> finished with exit code %2. Фармони <i>%1</i> бо рамзи барориши %2 ба анҷом расид. @@ -3467,6 +3467,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + номаълум + + + + extended + @partition info + афзуда + + + + unformatted + @partition info + шаклбандинашуда + + + + swap + @partition info + мубодила + @@ -3498,30 +3522,6 @@ Output: (no mount point) (бе нуқтаи васл) - - - unknown - @partition info - номаълум - - - - extended - @partition info - афзуда - - - - unformatted - @partition info - шаклбандинашуда - - - - swap - @partition info - мубодила - Unpartitioned space or unknown partition table @@ -3958,17 +3958,17 @@ Output: Cannot disable root account. Ҳисоби реша (root) ғайрифаъол карда намешавад. - - - Cannot set password for user %1. - Ниҳонвожа барои корбари %1 танзим карда намешавад. - usermod terminated with error code %1. usermod бо рамзи хатои %1 қатъ шуд. + + + Cannot set password for user %1. + Ниҳонвожа барои корбари %1 танзим карда намешавад. + SetTimezoneJob @@ -4061,7 +4061,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4870,11 +4871,21 @@ Output: What is your name? Номи шумо чист? + + + Your full name + + What name do you want to use to log in? Кадом номро барои ворид шудан ба низом истифода мебаред? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4895,11 +4906,21 @@ Output: What is the name of this computer? Номи ин компютер чист? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Ин ном истифода мешавад, агар шумо компютери худро барои дигарон дар шабака намоён кунед. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4915,11 +4936,31 @@ Output: Password Ниҳонвожаро ворид намоед + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Ниҳонвожаи ягонаро ду маротиба ворид намоед, то ки он барои хатоҳои имлоӣ тафтиш карда шавад. Ниҳонвожаи хуб бояд дар омезиш калимаҳо, рақамҳо ва аломатҳои китобатиро дар бар гирад, ақаллан аз ҳашт аломат иборат шавад ва мунтазам иваз карда шавад. + + + Reuse user password as root password + Ниҳонвожаи корбар ҳам барои ниҳонвожаи root истифода карда шавад + + + + Use the same password for the administrator account. + Ниҳонвожаи ягона барои ҳисоби маъмурӣ истифода бурда шавад. + + + + Choose a root password to keep your account safe. + Барои эмин нигоҳ доштани ҳисоби худ ниҳонвожаи root-ро интихоб намоед. + Root password @@ -4931,14 +4972,9 @@ Output: - - Validate passwords quality - Санҷиши сифати ниҳонвожаҳо - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Агар шумо ин имконро интихоб кунед, қувваи ниҳонвожа тафтиш карда мешавад ва шумо ниҳонвожаи заифро истифода карда наметавонед. + + Enter the same password twice, so that it can be checked for typing errors. + Ниҳонвожаи ягонаро ду маротиба ворид намоед, то ки он барои хатоҳои имлоӣ тафтиш карда шавад. @@ -4946,49 +4982,14 @@ Output: Ба таври худкор бе дархости ниҳонвожа ворид карда шавад - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Ниҳонвожаи корбар ҳам барои ниҳонвожаи root истифода карда шавад - - - - Use the same password for the administrator account. - Ниҳонвожаи ягона барои ҳисоби маъмурӣ истифода бурда шавад. - - - - Choose a root password to keep your account safe. - Барои эмин нигоҳ доштани ҳисоби худ ниҳонвожаи root-ро интихоб намоед. + + Validate passwords quality + Санҷиши сифати ниҳонвожаҳо - - Enter the same password twice, so that it can be checked for typing errors. - Ниҳонвожаи ягонаро ду маротиба ворид намоед, то ки он барои хатоҳои имлоӣ тафтиш карда шавад. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Агар шумо ин имконро интихоб кунед, қувваи ниҳонвожа тафтиш карда мешавад ва шумо ниҳонвожаи заифро истифода карда наметавонед. @@ -5003,11 +5004,21 @@ Output: What is your name? Номи шумо чист? + + + Your full name + + What name do you want to use to log in? Кадом номро барои ворид шудан ба низом истифода мебаред? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5028,16 +5039,6 @@ Output: What is the name of this computer? Номи ин компютер чист? - - - Your full name - - - - - Login name - - Computer name @@ -5073,16 +5074,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5103,6 +5094,16 @@ Output: Choose a root password to keep your account safe. Барои эмин нигоҳ доштани ҳисоби худ ниҳонвожаи root-ро интихоб намоед. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_th.ts b/lang/calamares_th.ts index 79018f2ab5..586cc60f9b 100644 --- a/lang/calamares_th.ts +++ b/lang/calamares_th.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -376,8 +376,8 @@ (%n second(s)) @status - - + + (%n วินาที) @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ ปิ&ด - + Setup Failed @title การตั้งค่าล้มเหลว @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version ตัวติดตั้ง %1 กำลังพยายามที่จะทำการเปลี่ยนแปลงในดิสก์ของคุณเพื่อติดตั้ง %2<br/><strong>คุณจะไม่สามารถยกเลิกการเปลี่ยนแปลงเหล่านี้ได้</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button ติ&ดตั้ง - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &N ถัดไป - + &Back @button &B ย้อนกลับ - + &Done @button - + &Cancel @button &C ยกเลิก - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. คุณต้องการยกเลิกกระบวนการติดตั้งที่กำลังดำเนินการอยู่หรือไม่? @@ -590,25 +590,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error ข้อผิดพลาดไม่ทราบประเภท - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -665,16 +665,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>กำหนดพาร์ทิชันด้วยตนเอง</strong><br/>คุณสามารถสร้างหรือเปลี่ยนขนาดของพาร์ทิชันได้ด้วยตนเอง - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>เลือกพาร์ทิชันที่จะลดขนาด แล้วลากแถบด้านล่างเพื่อปรับขนาด</strong> - Select storage de&vice: @@ -702,6 +692,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>เลือกพาร์ทิชันที่จะลดขนาด แล้วลากแถบด้านล่างเพื่อปรับขนาด</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -823,6 +818,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>กำหนดพาร์ทิชันด้วยตนเอง</strong><br/>คุณสามารถสร้างหรือเปลี่ยนขนาดของพาร์ทิชันได้ด้วยตนเอง + Bootloader location: @@ -833,44 +833,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title ล้างจุดเชื่อมต่อสำหรับการแบ่งพาร์ทิชันบน %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 ล้างจุดเชื่อมต่อทั้งหมดแล้วสำหรับ %1 @@ -906,129 +906,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - - - - - Network Installation. (Disabled: Received invalid groups data) - + + Setup Failed + @title + การตั้งค่าล้มเหลว - - Network Installation. (Disabled: Internal error) - + + Installation Failed + @title + การติดตั้งล้มเหลว - - Network Installation. (Disabled: No package list) + + The setup of %1 did not complete successfully. + @info - - Package selection - เลือกแพ็กเกจ - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + Setup Complete + @title - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - + + Installation Complete + @title + การติดตั้งเสร็จสิ้น - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + The setup of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - คอมพิวเตอร์มีความต้องการไม่เพียงพอที่จะติดตั้ง %1<br/>สามารถทำการติดตั้งต่อไปได้ แต่ฟีเจอร์บางอย่างจะถูกปิดไว้ - - - - This program will ask you some questions and set up %2 on your computer. - โปรแกรมนี้จะถามคำถามต่าง ๆ เพื่อติดตั้ง %2 ลงในคอมพิวเตอร์ของคุณ + + The installation of %1 is complete. + @info + การติดตั้ง %1 เสร็จสิ้น - - <h1>Welcome to the Calamares setup program for %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - <h1>Welcome to %1 setup</h1> - <h1>ยินดีต้อนรับสู่ตัวตั้งค่า %1</h1> - - - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>ยินดีต้อนรับสู่ตัวติดตั้ง Calamares สำหรับ %1</h1> + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - <h1>Welcome to the %1 installer</h1> - <h1>ยินดีต้อนรับสู่ตัวติดตั้ง %1</h1> + + Set timezone to %1/%2 + @action + ตั้งโซนเวลาเป็น %1/%2 - - Your username is too long. - ชื่อผู้ใช้ของคุณยาวเกินไป + + The system language will be set to %1. + @info + ภาษาของระบบจะถูกตั้งค่าเป็น %1 - - '%1' is not allowed as username. - ไม่อนุญาตให้ใช้ '%1' เป็นชื่อผู้ใช้ + + The numbers and dates locale will be set to %1. + @info + ตำแหน่งที่ตั้งสำหรับหมายเลขและวันที่จะถูกตั้งค่าเป็น %1 - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: Incorrect configuration) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Received invalid groups data) - - Your hostname is too short. - ชื่อโฮสต์ของคุณสั้นเกินไป - - - - Your hostname is too long. - ชื่อโฮสต์ของคุณยาวเกินไป - - - - '%1' is not allowed as hostname. + + Network Installation. (Disabled: Internal error) - - Only letters, numbers, underscore and hyphen are allowed. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your passwords do not match! - รหัสผ่านของคุณไม่ตรงกัน! + + Network Installation. (Disabled: No package list) + - - OK! - ตกลง! + + Package selection + เลือกแพ็กเกจ @@ -1072,82 +1055,99 @@ The installer will quit and all changes will be lost. - - Setup Failed - @title - การตั้งค่าล้มเหลว + + Your username is too long. + ชื่อผู้ใช้ของคุณยาวเกินไป - - Installation Failed - @title - การติดตั้งล้มเหลว + + Your username must start with a lowercase letter or underscore. + - - The setup of %1 did not complete successfully. - @info + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - The installation of %1 did not complete successfully. - @info + + '%1' is not allowed as username. + ไม่อนุญาตให้ใช้ '%1' เป็นชื่อผู้ใช้ + + + + Your hostname is too short. + ชื่อโฮสต์ของคุณสั้นเกินไป + + + + Your hostname is too long. + ชื่อโฮสต์ของคุณยาวเกินไป + + + + '%1' is not allowed as hostname. - - Setup Complete - @title + + Only letters, numbers, underscore and hyphen are allowed. - - Installation Complete - @title - การติดตั้งเสร็จสิ้น + + Your passwords do not match! + รหัสผ่านของคุณไม่ตรงกัน! - - The setup of %1 is complete. - @info + + OK! + ตกลง! + + + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - The installation of %1 is complete. - @info - การติดตั้ง %1 เสร็จสิ้น + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + คอมพิวเตอร์มีความต้องการไม่เพียงพอที่จะติดตั้ง %1<br/>สามารถทำการติดตั้งต่อไปได้ แต่ฟีเจอร์บางอย่างจะถูกปิดไว้ + + + + This program will ask you some questions and set up %2 on your computer. + โปรแกรมนี้จะถามคำถามต่าง ๆ เพื่อติดตั้ง %2 ลงในคอมพิวเตอร์ของคุณ + + + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action - ตั้งโซนเวลาเป็น %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>ยินดีต้อนรับสู่ตัวตั้งค่า %1</h1> - - The system language will be set to %1. - @info - ภาษาของระบบจะถูกตั้งค่าเป็น %1 + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>ยินดีต้อนรับสู่ตัวติดตั้ง Calamares สำหรับ %1</h1> - - The numbers and dates locale will be set to %1. - @info - ตำแหน่งที่ตั้งสำหรับหมายเลขและวันที่จะถูกตั้งค่าเป็น %1 + + <h1>Welcome to the %1 installer</h1> + <h1>ยินดีต้อนรับสู่ตัวติดตั้ง %1</h1> @@ -1472,9 +1472,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - อุปกรณ์นี้มีตารางพาร์ทิชัน <strong>%1</strong> + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + @@ -1487,14 +1492,9 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + + This device has a <strong>%1</strong> partition table. + อุปกรณ์นี้มีตารางพาร์ทิชัน <strong>%1</strong> @@ -2270,7 +2270,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit ออก @@ -2440,6 +2440,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment เดสก์ท็อป + + + Applications + แอปพลิเคชัน + Communication @@ -2488,11 +2493,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - แอปพลิเคชัน - NotesQmlViewStep @@ -2665,11 +2665,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2687,45 +2701,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - รหัสผ่านสั้นเกินไป - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2733,6 +2708,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2740,6 +2720,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + รหัสผ่านสั้นเกินไป + The password is a rotated version of the previous one @@ -2752,6 +2737,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2759,6 +2749,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2766,6 +2761,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3185,9 +3185,21 @@ The installer will quit and all changes will be lost. The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - - - PartitionViewStep + + + PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + พาร์ทิชัน + Unsafe partition actions are enabled. @@ -3204,33 +3216,25 @@ The installer will quit and all changes will be lost. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + ปัจจุบัน: - - No EFI system partition configured - + + After: + @label + หลัง: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,6 +3247,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3250,37 +3259,28 @@ The installer will quit and all changes will be lost. - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - พาร์ทิชัน - - - - Current: - @label - ปัจจุบัน: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - หลัง: + + No EFI system partition configured + - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3378,65 +3378,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. พารามิเตอร์ไม่ถูกต้องสำหรับการเรียกการทำงาน - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3448,6 +3448,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3479,30 +3503,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3936,17 +3936,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - ไม่สามารถตั้งค่ารหัสผ่านสำหรับผู้ใช้ %1 - usermod terminated with error code %1. usermod จบด้วยโค้ดข้อผิดพลาด %1 + + + Cannot set password for user %1. + ไม่สามารถตั้งค่ารหัสผ่านสำหรับผู้ใช้ %1 + SetTimezoneJob @@ -4039,7 +4039,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4826,11 +4827,21 @@ Output: What is your name? ชื่อของคุณคืออะไร? + + + Your full name + + What name do you want to use to log in? ใส่ชื่อที่คุณต้องการใช้ในการเข้าสู่ระบบ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4851,11 +4862,21 @@ Output: What is the name of this computer? คอมพิวเตอร์เครื่องนี้ชื่ออะไร? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4872,78 +4893,58 @@ Output: รหัสผ่าน - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4959,11 +4960,21 @@ Output: What is your name? ชื่อของคุณคืออะไร? + + + Your full name + + What name do you want to use to log in? ใส่ชื่อที่คุณต้องการใช้ในการเข้าสู่ระบบ + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4984,16 +4995,6 @@ Output: What is the name of this computer? คอมพิวเตอร์เครื่องนี้ชื่ออะไร? - - - Your full name - - - - - Login name - - Computer name @@ -5029,16 +5030,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5059,6 +5050,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_tr_TR.ts b/lang/calamares_tr_TR.ts index 17a6a4dec4..5ef1932e37 100644 --- a/lang/calamares_tr_TR.ts +++ b/lang/calamares_tr_TR.ts @@ -31,7 +31,7 @@ Managing auto-mount settings… @status - Otomatik bağlama ayarları yönetimi… + Otomatik bağlama ayarları yönetiliyor… @@ -44,12 +44,12 @@ This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - Bu sistem, bir <strong>EFI</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir EFI ortamından başlatmayı yapılandırmak için bu kurulum programı, bir <strong>EFI Sistem Bölümü</strong>'nde <strong>GRUB</strong> veya <strong>systemd-boot</strong> gibi bir önyükleyici yerleştirmelidir. Bu işlem, elle bölümlendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölümlendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. + Bu sistem, bir <strong>EFI</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir EFI ortamından başlatmayı yapılandırmak için bu kurulum programı, bir <strong>EFI Sistem Bölüntüsü</strong>'nde <strong>GRUB</strong> veya <strong>systemd-boot</strong> gibi bir önyükleyici yerleştirmelidir. Bu işlem, elle bölüntülemeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölüntülemeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - Bu sistem, bir <strong>BIOS</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir BIOS ortamından başlatmayı yapılandırmak için bu kurulum programı, bir bölümün başına veya bölümleme tablosunun başlangıcındaki <strong>Ana Önyükleme Kaydı</strong>'na (yeğlenen) <strong>GRUB</strong> gibi bir önyükleyici kurmalıdır. Bu işlem, elle bölümlendirmeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölümlendirmeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. + Bu sistem, bir <strong>BIOS</strong> önyükleme ortamı ile başlatıldı.<br><br>Bir BIOS ortamından başlatmayı yapılandırmak için bu kurulum programı, bir bölüntünün başına veya bölüntüleme tablosunun başlangıcındaki <strong>Ana Önyükleme Kaydı</strong>'na (yeğlenen) <strong>GRUB</strong> gibi bir önyükleyici kurmalıdır. Bu işlem, elle bölüntülemeyi seçmediğiniz sürece kendiliğinden yapılır. Elle bölüntülemeyi seçerseniz onu kendiniz oluşturmanız gerekecektir. @@ -64,13 +64,13 @@ Boot Partition @info - Önyükleme Bölümü + Önyükleme Bölüntüsü System Partition @info - Sistem Bölümü + Sistem Bölüntüsü @@ -125,31 +125,21 @@ Interface: Arayüz: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Calamaresi çökerterek Dr. Konqi'nin bakabilmesini sağlar. + Reloads the stylesheet from the branding directory. Biçem sayfasını marka dizininden yeniden yükler. - - - Uploads the session log to the configured pastebin. - Oturum günlüğünü yapılandırılmış pastebin'e yükler. - - - - Send Session Log - Oturum Günlüğünü Gönder - Reload Stylesheet Biçem Sayfasını Yeniden Yükle - - - Crashes Calamares, so that Dr. Konqi can look at it. - Calamaresi çökerterek Dr. Konqi'nin bakabilmesini sağlar. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Araç Takımı Ağacı + + + Uploads the session log to the configured pastebin. + Oturum günlüğünü yapılandırılmış pastebin'e yükler. + + + + Send Session Log + Oturum Günlüğünü Gönder + Debug Information @@ -378,8 +378,8 @@ (%n second(s)) @status - (%n saniye) - (%n saniye) + (%n saniye(ler)) + (%n saniye(ler)) @@ -391,6 +391,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Karşıya yükleme başarısız oldu. Web yapıştırması yapılmadı. + + + + Install log posted to + +%1 + +Link copied to clipboard + Kurulum günlüğü şuraya gönderildi: + +%1 + +Bağlantı panoya kopyalandı + + + + Install Log Paste URL + Günlük Yapıştırma URL'sini Kur + &Yes @@ -407,7 +430,7 @@ &Kapat - + Setup Failed @title Kurulum Başarısız Oldu @@ -437,13 +460,13 @@ %1 kurulamıyor. Calamares yapılandırılmış modüllerin tümünü yükleyemedi. Bu, Calamares'in kullandığınız dağıtıma uyarlanma yolundan kaynaklanan bir sorundur. - + <br/>The following modules could not be loaded: @info <br/>Aşağıdaki modüller yüklenemedi: - + Continue with Setup? @title Kuruluma devam edilsin mi? @@ -461,133 +484,110 @@ %1 kurulum programı, %2 ayarlarını yapmak için diskinizde değişiklik yapmak üzere.<br/><strong>Bu değişiklikleri geri alamayacaksınız.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 kurulum programı, %2 kurulumu için diskinizde değişiklikler yapmak üzere.<br/><strong>Bu değişiklikleri geri alamayacaksınız.</strong> - + &Set Up Now @button Şimdi &Ayarla - + &Install Now @button Şimdi &Kur - + Go &Back @button Geri &Git - + &Set Up @button &Ayarla - + &Install @button &Kur - + Setup is complete. Close the setup program. @tooltip Kurulum tamamlandı. Programı kapatın. - + The installation is complete. Close the installer. @tooltip Kurulum tamamlandı. Kurulum programını kapatın. - + Cancel the setup process without changing the system. @tooltip Sistemi değiştirmeden kurulum işlemini iptal edin. - + Cancel the installation process without changing the system. @tooltip Sistemi değiştirmeden kurulum işlemini iptal edin. - + &Next @button &Sonraki - + &Back @button &Geri - + &Done @button &Tamam - + &Cancel @button İ&ptal - + Cancel Setup? @title Kurulum iptal edilsin mi? - + Cancel Installation? @title Kurulum iptal edilsin mi? - - Install Log Paste URL - Günlük Yapıştırma URL'sini Kur - - - - The upload was unsuccessful. No web-paste was done. - Karşıya yükleme başarısız oldu. Web yapıştırması yapılmadı. - - - - Install log posted to - -%1 - -Link copied to clipboard - Kurulum günlüğü şuraya gönderildi: - -%1 - -Bağlantı panoya kopyalandı - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Geçerli kurulum sürecini iptal etmeyi gerçekten istiyor musunuz? Program çıkacak ve tüm değişiklikler kaybedilecek. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Geçerli kurulum işlemini iptal etmeyi gerçekten istiyor musunuz? @@ -597,25 +597,25 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. CalamaresPython::Helper - + Unknown exception type @error Bilinmeyen istisna türü - + Unparseable Python error @error Ayrıştırılamayan Python hatası - + Unparseable Python traceback @error Ayrıştırılamayan Python geri izi - + Unfetchable Python error @error Getirilemeyen Python hatası. @@ -672,16 +672,6 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Elle bölümleme</strong><br/>Kendiniz bölümler oluşturabilir ve boyutlandırabilirsiniz. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Küçültmek için bir bölüm seçip alttaki çubuğu sürükleyerek boyutlandır</strong> - Select storage de&vice: @@ -707,7 +697,12 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. Reuse %1 as home partition for %2 @label - %1'i %2 için ana bölüm olarak yeniden kullanın. {1 ?} {2?} + %1 bölüntüsünü %2 için ana kullanıcı bölüntüsü olarak yeniden kullan + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Küçültmek için bir bölüm seçip alttaki çubuğu sürükleyerek boyutlandır</strong> @@ -719,13 +714,13 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. <strong>Select a partition to install on</strong> @label - <strong>Üzerine kurulum yapılacak disk bölümünü seç</strong> + <strong>Üzerine kurulum yapılacak bölüntüyü seçin</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. @info, %1 is product name - Bu sistemde bir EFI sistem bölümü bulunamadı. Lütfen geri için ve %1 ayar süreci için elle bölümlendirme gerçekleştirin. + Bu sistemde bir EFI sistem bölüntüsü bulunamadı. Lütfen geri gidin ve %1 kurulumu için elle bölüntüleme gerçekleştirin. @@ -830,6 +825,11 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. @label Dosyaya Takas Yaz + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Elle bölüntüleme</strong><br/>Kendiniz bölüntüler oluşturabilir ve boyutlandırabilirsiniz. + Bootloader location: @@ -840,46 +840,46 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. ClearMountsJob - + Successfully unmounted %1. %1 bağlantısı başarıyla kesildi. - + Successfully disabled swap %1. %1 takas alanı başarıyla devre dışı bırakıldı. - + Successfully cleared swap %1. %1 takas alanı başarıyla temizlendi. - + Successfully closed mapper device %1. %1 eşleyici aygıtı başarıyla kapatıldı. - + Successfully disabled volume group %1. %1 bölüm grubu başarıyla devre dışı bırakıldı. - + Clear mounts for partitioning operations on %1 @title - %1 üzerinde gerçekleştirilecek bölümleme işlemleri için bağlantıları kes + %1 üzerinde gerçekleştirilecek bölüntüleme işlemleri için bağlamaları çıkar - + Clearing mounts for partitioning operations on %1… @status - %1 üzerinde bölümleme işlemleri için bağlar temizleniyor. {1…?} + %1 üzerindeki bölüntüleme işlemleri için bağlamalar çıkarılıyor… - + Cleared all mounts for %1 - %1 için olan tüm bağlantılar kesildi + %1 için olan tüm bağlamalar çıkarıldı @@ -889,12 +889,12 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. Clearing all temporary mounts… @status - Tüm geçici bağlantılar kesiliyor.... + Tüm geçici bağlamalar çıkarılıyor… Cleared all temporary mounts. - Tüm geçici bağlantılar kesildi. + Tüm geçici bağlamalar çıkarıldı. @@ -913,130 +913,112 @@ Kurulum programı çıkacak ve tüm değişiklikler kaybedilecek. Config - - Network Installation. (Disabled: Incorrect configuration) - Ağ Kurulumu. (Devre dışı: Yanlış yapılandırma) - - - - Network Installation. (Disabled: Received invalid groups data) - Ağ Kurulumu. (Devre dışı: Geçersiz grup verisi alındı) - - - - Network Installation. (Disabled: Internal error) - Ağ Kurulumu. (Devre dışı: İçsel hata) - - - - Network Installation. (Disabled: No package list) - Ağ Kurulumu. (Devre dışı: Paket listesi yok) - - - - Package selection - Paket seçimi - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Ağ Kurulumu. (Devre dışı: Paket listeleri alınamıyor, ağ bağlantısını denetleyin) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Bu bilgisayar, %1 kurulumu için en düşük gereksinimleri karşılamıyor. <br/>Kurulum sürdürülemiyor. + + Setup Failed + @title + Kurulum Başarısız Oldu - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Bu bilgisayar, %1 kurulumu için en düşük gereksinimleri karşılamıyor. <br/>Kurulum sürdürülemiyor. + + Installation Failed + @title + Kurulum Başarısız - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Bu bilgisayar, %1 kurulumu için önerilen gereksinimlerin bazılarını karşılamıyor.<br/>Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir. + + The setup of %1 did not complete successfully. + @info + %1 kurulumu başarıyla tamamlanamadı. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Bu bilgisayar, %1 kurulumu için önerilen gereksinimlerin bazılarını karşılamıyor.<br/> -Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir. + + The installation of %1 did not complete successfully. + @info + %1 kurulumu başarıyla tamamlanamadı. - - This program will ask you some questions and set up %2 on your computer. - Bu program size bazı sorular sorup %2 yazılımını bilgisayarınıza kuracaktır. + + Setup Complete + @title + Kurulum Tamanlandı - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>%1 için Calamares kurulum programına hoş geldiniz</h1> + + Installation Complete + @title + Kurulum Tamamlandı - - <h1>Welcome to %1 setup</h1> - <h1>%1 kurulum programına hoş geldiniz</h1> + + The setup of %1 is complete. + @info + %1 kurulumu tamamlandı. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>%1 için Calamares kurulum programına hoş geldiniz</h1> + + The installation of %1 is complete. + @info + %1 kurulumu tamamlandı. - - <h1>Welcome to the %1 installer</h1> - <h1>%1 kurulum programına hoş geldiniz</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Klavye modeli %1 olarak ayarlandı<br/>. - - Your username is too long. - Kullanıcı adınız pek uzun. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Klavye düzeni %1/%2 olarak ayarlandı. - - '%1' is not allowed as username. - '%1', kullanıcı adı olarak uygun değil. + + Set timezone to %1/%2 + @action + Zaman dilimini %1/%2 olarak ayarla - - Your username must start with a lowercase letter or underscore. - Kullanıcı adınız küçük harf veya alt çizgi ile başlamalıdır. + + The system language will be set to %1. + @info + Sistem dili %1 olarak ayarlanacak. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Yalnızca küçük harflere, sayılara, alt çizgiye ve kısa çizgiye izin verilir. + + The numbers and dates locale will be set to %1. + @info + Sayılar ve günler için sistem yereli %1 olarak ayarlanacak. - - Your hostname is too short. - Makine adınız pek kısa. + + Network Installation. (Disabled: Incorrect configuration) + Ağ Kurulumu. (Devre dışı: Yanlış yapılandırma) - - Your hostname is too long. - Makine adınız pek uzun. + + Network Installation. (Disabled: Received invalid groups data) + Ağ Kurulumu. (Devre dışı: Geçersiz grup verisi alındı) - - '%1' is not allowed as hostname. - '%1', makine adı olarak uygun değil. + + Network Installation. (Disabled: Internal error) + Ağ Kurulumu. (Devre dışı: İçsel hata) - - Only letters, numbers, underscore and hyphen are allowed. - Yalnızca harflere, rakamlara, alt çizgiye ve kısa çizgiye izin verilir. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Ağ Kurulumu. (Devre dışı: Paket listeleri alınamıyor, ağ bağlantısını denetleyin) - - Your passwords do not match! - Parolalarınız eşleşmiyor! + + Network Installation. (Disabled: No package list) + Ağ Kurulumu. (Devre dışı: Paket listesi yok) - - OK! - TAMAM! + + Package selection + Paket seçimi @@ -1064,98 +1046,116 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Yok - - Summary - @label - Kurulum Özeti + + Summary + @label + Kurulum Özeti + + + + This is an overview of what will happen once you start the setup procedure. + Bu, kurulum prosedürünü başlattıktan sonra neler olacağının genel bir görünümüdür. + + + + This is an overview of what will happen once you start the install procedure. + Kurulum süreci başladıktan sonra yapılacak işlere genel bir bakış. + + + + Your username is too long. + Kullanıcı adınız pek uzun. + + + + Your username must start with a lowercase letter or underscore. + Kullanıcı adınız küçük harf veya alt çizgi ile başlamalıdır. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Yalnızca küçük harflere, sayılara, alt çizgiye ve kısa çizgiye izin verilir. + + + + '%1' is not allowed as username. + '%1', kullanıcı adı olarak uygun değil. - - This is an overview of what will happen once you start the setup procedure. - Bu, kurulum prosedürünü başlattıktan sonra neler olacağının genel bir görünümüdür. + + Your hostname is too short. + Makine adınız pek kısa. - - This is an overview of what will happen once you start the install procedure. - Kurulum süreci başladıktan sonra yapılacak işlere genel bir bakış. + + Your hostname is too long. + Makine adınız pek uzun. - - Setup Failed - @title - Kurulum Başarısız Oldu + + '%1' is not allowed as hostname. + '%1', makine adı olarak uygun değil. - - Installation Failed - @title - Kurulum Başarısız + + Only letters, numbers, underscore and hyphen are allowed. + Yalnızca harflere, rakamlara, alt çizgiye ve kısa çizgiye izin verilir. - - The setup of %1 did not complete successfully. - @info - %1 kurulumu başarıyla tamamlanamadı. + + Your passwords do not match! + Parolalarınız eşleşmiyor! - - The installation of %1 did not complete successfully. - @info - %1 kurulumu başarıyla tamamlanamadı. + + OK! + TAMAM! - - Setup Complete - @title - Kurulum Tamanlandı + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Bu bilgisayar, %1 kurulumu için en düşük gereksinimleri karşılamıyor. <br/>Kurulum sürdürülemiyor. - - Installation Complete - @title - Kurulum Tamamlandı + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Bu bilgisayar, %1 kurulumu için en düşük gereksinimleri karşılamıyor. <br/>Kurulum sürdürülemiyor. - - The setup of %1 is complete. - @info - %1 kurulumu tamamlandı. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Bu bilgisayar, %1 kurulumu için önerilen gereksinimlerin bazılarını karşılamıyor.<br/>Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir. - - The installation of %1 is complete. - @info - %1 kurulumu tamamlandı. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Bu bilgisayar, %1 kurulumu için önerilen gereksinimlerin bazılarını karşılamıyor.<br/> +Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Klavye modeli %1 olarak ayarlandı<br/>. + + This program will ask you some questions and set up %2 on your computer. + Bu program size bazı sorular sorup %2 yazılımını bilgisayarınıza kuracaktır. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Klavye düzeni %1/%2 olarak ayarlandı. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 için Calamares kurulum programına hoş geldiniz</h1> - - Set timezone to %1/%2 - @action - Zaman dilimini %1/%2 olarak ayarla + + <h1>Welcome to %1 setup</h1> + <h1>%1 kurulum programına hoş geldiniz</h1> - - The system language will be set to %1. - @info - Sistem dili %1 olarak ayarlanacak. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 için Calamares kurulum programına hoş geldiniz</h1> - - The numbers and dates locale will be set to %1. - @info - Sayılar ve günler için sistem yereli %1 olarak ayarlanacak. + + <h1>Welcome to the %1 installer</h1> + <h1>%1 kurulum programına hoş geldiniz</h1> @@ -1272,7 +1272,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Create new %1MiB partition on %3 (%2) with entries %4 @title - %3 (%2) üzerinde %4 girişleriyle yeni %1MiB bölümü oluşturun. {1M?} {3 ?} {2)?} {4?} + %3 (%2) üzerinde %4 girdileriyle ile yeni bir %1 MiB bölüntü oluştur @@ -1309,7 +1309,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Creating new %1 partition on %2… @status - %2 üzerinde yeni %1 bölümü oluşturuluyor. {1 ?} {2…?} + %2 üzerinde yeni %1 bölüntüsü oluşturuluyor… @@ -1353,7 +1353,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Creating new %1 partition table on %2… @status - %2 üzerinde yeni %1 bölüm tablosu oluşturuluyor. {1 ?} {2…?} + %2 üzerinde %1 yeni bölüntü tablosu oluşturuluyor… @@ -1421,7 +1421,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Creating new volume group named %1… @status - %1 adında yeni disk bölümü grubu oluşturuluyor. {1…?} + %1 adlı yeni disk bölümü grubu oluşturuluyor… @@ -1463,7 +1463,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Deleting partition %1… @status - %1 bölümü siliniyor. {1…?} + %1 bölüntüsü siliniyor… @@ -1480,9 +1480,14 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Bu aygıtta bir <strong>%1</strong> bölüm tablosu var. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Bu bölümlendirme tablosu, bir <strong>BIOS</strong> önyükleme ortamından başlayan eski sistemler için tavsiye edilir. Çoğu diğer durum için GPT önerilir.<br><br><strong>Uyarı:</strong> MBR bölüm tablosu, artık eskimiş bir MS-DOS dönemi standardıdır. <br>Yalnızca 4<em>birincil</em> bölüm oluşturulabilir ve dört birincil bölümden birinin altında, pek çok <em>mantıksal</em> bölüm içeren bir <em>genişletilmiş</em> bölüm olabilir. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Bu, bir <strong>EFI</strong> önyükleme ortamından başlayan çağdaş sistemler için önerilen bölüm tablosu türüdür. @@ -1492,17 +1497,12 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - Bu kurulum programı, seçili depolama aygıtındaki bir <strong>bölüm tablosunu algılayamaz</strong>.<br><br>Aygıtın ya bölüm tablosu yoktur ya da bölüm tablosu bozuktur veya bilinmeyen bir türdedir.<br>Bu kurulum programı, kendiliğinden veya elle bölümleme sayfası aracılığıyla sizin için yeni bir bölüm tablosu oluşturabilir. - - - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Bu, bir <strong>EFI</strong> önyükleme ortamından başlayan çağdaş sistemler için önerilen bölüm tablosu türüdür. + Bu kurulum programı, seçili depolama aygıtındaki bir bölüntü tablosunu algılayamaz</strong>.<br><br>Aygıtın ya bölüntü tablosu yoktur ya da bölüm tablosu bozuktur veya bilinmeyen bir türdedir.<br>Bu kurulum programı, kendiliğinden veya elle bölüntüleme sayfası aracılığıyla sizin için yeni bir bölüntü tablosu oluşturabilir. - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Bu bölümlendirme tablosu, bir <strong>BIOS</strong> önyükleme ortamından başlayan eski sistemler için tavsiye edilir. Çoğu diğer durum için GPT önerilir.<br><br><strong>Uyarı:</strong> MBR bölüm tablosu, artık eskimiş bir MS-DOS dönemi standardıdır. <br>Yalnızca 4<em>birincil</em> bölüm oluşturulabilir ve dört birincil bölümden birinin altında, pek çok <em>mantıksal</em> bölüm içeren bir <em>genişletilmiş</em> bölüm olabilir. + + This device has a <strong>%1</strong> partition table. + Bu aygıtta bir <strong>%1</strong> bölüm tablosu var. @@ -1707,7 +1707,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - %1 bağlama noktası olan <strong>yeni</strong> %2 bölümü ayarla.%3. {2 ?} {1<?} {3?} + <strong>%1</strong> %3 bağlama noktasıyla <strong>yeni</strong> %2 bölüntüsünü ayarla @@ -1731,7 +1731,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - %1 ile <strong>%2</strong> bağlama noktasına sahip %3 bölümünü %4 özellikleriyle ayarlayın. + <strong>%2</strong> %4 bağlama noktasıyla %3 bölüntüsü <strong>%1</strong> ayarlanıyor… @@ -1814,7 +1814,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - %1 bölümünü (dosya sistemi: %2, boyut: %3 MB) %4 üzerinde biçimlendirin. {1 ?} {2,?} {3 ?} {4?} + %4 üzerindeki %1 bölüntüsünü biçimlendir (dosya sistemi: %2, boyut: %3 MB) @@ -1832,7 +1832,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Formatting partition %1 with file system %2… @status - %1 bölümü, %2 dosya sistemi ile biçimlendiriliyor. {1 ?} {2…?} + %1 bölüntüsü, %2 dosya sistemi ile biçimlendiriliyor… @@ -2278,7 +2278,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir LocaleTests - + Quit Çık @@ -2452,6 +2452,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir label for netinstall module, choose desktop environment Masaüstü + + + Applications + Uygulamalar + Communication @@ -2500,11 +2505,6 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir label for netinstall module İzlenceler - - - Applications - Uygulamalar - NotesQmlViewStep @@ -2677,11 +2677,27 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir The password contains forbidden words in some form Parola, izin verilmeyen sözcükler içeriyor + + + The password contains fewer than %n digits + + Parola %n'den az basamak içeriyor + Parola, %n basamaktan daha az basamak içeriyor + + The password contains too few digits Parolada pek az basamak var + + + The password contains fewer than %n uppercase letters + + Parola %n'den daha az büyük harf içeriyor + Parola, %n BÜYÜK harften daha az harf içeriyor + + The password contains too few uppercase letters @@ -2700,47 +2716,6 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir The password contains too few lowercase letters Parola, pek az küçük harf içeriyor - - - The password contains too few non-alphanumeric characters - Parola, pek az sayıda abece-sayısal olmayan karakter içeriyor - - - - The password is too short - Parola, pek kısa - - - - The password does not contain enough character classes - Parola, yeterli sayıda karakter türü içermiyor - - - - The password contains too many same characters consecutively - Parola, ardışık olarak aynı sayıda çok karakter içeriyor - - - - The password contains too many characters of the same class consecutively - Parola, aynı türden pek çok karakter içeriyor - - - - The password contains fewer than %n digits - - Parola %n'den az basamak içeriyor - Parola, %n basamaktan daha az basamak içeriyor - - - - - The password contains fewer than %n uppercase letters - - Parola %n'den daha az büyük harf içeriyor - Parola, %n BÜYÜK harften daha az harf içeriyor - - The password contains fewer than %n non-alphanumeric characters @@ -2749,6 +2724,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Parola, %n abece-sayısal olmayan karakterden daha az karakter içeriyor + + + The password contains too few non-alphanumeric characters + Parola, pek az sayıda abece-sayısal olmayan karakter içeriyor + The password is shorter than %n characters @@ -2757,6 +2737,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Parola, %n karakterden kısa + + + The password is too short + Parola, pek kısa + The password is a rotated version of the previous one @@ -2770,6 +2755,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Parola, %n karakter sınıfından daha azını içeriyor + + + The password does not contain enough character classes + Parola, yeterli sayıda karakter türü içermiyor + The password contains more than %n same characters consecutively @@ -2778,6 +2768,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Parola, %n karakterden daha çok karakter içeriyor + + + The password contains too many same characters consecutively + Parola, ardışık olarak aynı sayıda çok karakter içeriyor + The password contains more than %n characters of the same class consecutively @@ -2786,6 +2781,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Parola, aynı sınıfın %n karakterinden daha çok karakter içeriyor + + + The password contains too many characters of the same class consecutively + Parola, aynı türden pek çok karakter içeriyor + The password contains monotonic sequence longer than %n characters @@ -3209,6 +3209,18 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir PartitionViewStep + + + Gathering system information… + @status + Sistem bilgileri toplanıyor... + + + + Partitions + @label + Bölümlendirmeler + Unsafe partition actions are enabled. @@ -3217,7 +3229,7 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Partitioning is configured to <b>always</b> fail. - Bölümleme, <b>her zaman</b> başarısız olacak şekilde yapılandırıldı. + Bölüntüleme, <b>her zaman</b> başarısız olacak şekilde yapılandırıldı. @@ -3225,35 +3237,27 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Hiçbir bölüm değiştirilmeyecek. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - %1'i başlatmak için bir EFI sistem bölümü gereklidir. <br/><br/> EFI sistem bölümü önerileri karşılamıyor. Geri dönüp uygun bir dosya sistemi seçmeniz veya oluşturmanız önerilir. - - - - The minimum recommended size for the filesystem is %1 MiB. - Dosya sistemi için önerilen minimum boyut %1 MB'dir. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Bu EFI sistem bölümü yapılandırmasına devam edebilirsiniz ancak sisteminiz başlatılamayabilir. - - - - No EFI system partition configured - Yapılandırılan EFI sistem bölümü yok + + Current: + @label + Şu anki durum: - - EFI system partition configured incorrectly - EFI sistem bölümü yanlış yapılandırılmış + + After: + @label + Sonrası: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. %1 yazılımını başlatmak için bir EFI sistem bölümü gereklidir. <br/><br/> Bir EFI sistem bölümü yapılandırmak için geri dönün ve uygun bir dosya sistemi seçin veya oluşturun. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + %1'i başlatmak için bir EFI sistem bölümü gereklidir. <br/><br/> EFI sistem bölümü önerileri karşılamıyor. Geri dönüp uygun bir dosya sistemi seçmeniz veya oluşturmanız önerilir. + The filesystem must be mounted on <strong>%1</strong>. @@ -3264,6 +3268,11 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir The filesystem must have type FAT32. Dosya sistemi FAT32 türünde olmalıdır. + + + The filesystem must have flag <strong>%1</strong> set. + Dosya sisteminde <strong>%1</strong> bayrağı ayarlanmış olmalıdır. + @@ -3271,38 +3280,29 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir Dosya sisteminin boyutu en az %1 MB olmalıdır. - - The filesystem must have flag <strong>%1</strong> set. - Dosya sisteminde <strong>%1</strong> bayrağı ayarlanmış olmalıdır. - - - - Gathering system information… - @status - Sistem bilgileri toplanıyor... + + The minimum recommended size for the filesystem is %1 MiB. + Dosya sistemi için önerilen minimum boyut %1 MB'dir. - - Partitions - @label - Bölümlendirmeler + + You can continue without setting up an EFI system partition but your system may fail to start. + Bir EFI sistem bölümü ayarlamadan kurulumu sürdürebilirsiniz; ancak sisteminiz başlamayabilir. - - Current: - @label - Şu anki durum: + + You can continue with this EFI system partition configuration but your system may fail to start. + Bu EFI sistem bölümü yapılandırmasına devam edebilirsiniz ancak sisteminiz başlatılamayabilir. - - After: - @label - Sonrası: + + No EFI system partition configured + Yapılandırılan EFI sistem bölümü yok - - You can continue without setting up an EFI system partition but your system may fail to start. - Bir EFI sistem bölümü ayarlamadan kurulumu sürdürebilirsiniz; ancak sisteminiz başlamayabilir. + + EFI system partition configured incorrectly + EFI sistem bölümü yanlış yapılandırılmış @@ -3399,14 +3399,14 @@ Kurulum sürdürülebilir; ancak bazı özellikler devre dışı bırakılabilir ProcessResult - + There was no output from the command. Komut çıktısı yok. - + Output: @@ -3415,52 +3415,52 @@ Output: - + External command crashed. Dış komut çöktü. - + Command <i>%1</i> crashed. <i>%1</i> komutu çöktü. - + External command failed to start. Dış komut başlatılamadı. - + Command <i>%1</i> failed to start. <i>%1</i> komutu başlatılamadı. - + Internal error when starting command. Komut başlatılırken içsel hata. - + Bad parameters for process job call. Süreç iş çağrısı için hatalı parametreler. - + External command failed to finish. Dış komut işini bitiremedi. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> komutu, işini %2 saniyede bitiremedi. - + External command finished with errors. Dış komut, işini hatalarla bitirdi. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> komutu, %2 çıkış kodu ile işini bitirdi. @@ -3472,6 +3472,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + bilinmeyen + + + + extended + @partition info + genişletilmiş + + + + unformatted + @partition info + biçimlendirilmemiş + + + + swap + @partition info + takas + @@ -3503,30 +3527,6 @@ Output: (no mount point) (bağlama noktası yok) - - - unknown - @partition info - bilinmeyen - - - - extended - @partition info - genişletilmiş - - - - unformatted - @partition info - biçimlendirilmemiş - - - - swap - @partition info - takas - Unpartitioned space or unknown partition table @@ -3718,19 +3718,19 @@ Output: Resize volume group named %1 from %2 to %3 @title - %1 adlı disk bölümü grubunu %2 -> %3 olarak yeniden boyutlandır. + %1 adlı disk bölümü grubunu %2 → %3 olarak yeniden boyutlandır Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong> @info - <text_to_translate>%1</text_to_translate> adlı disk bölümü grubunu <strong>%2</strong> -> <strong>%3</strong> olarak yeniden boyutlandır. + <text_to_translate>%1</text_to_translate> adlı disk bölümü grubunu <strong>%2</strong> → <strong>%3</strong> olarak yeniden boyutlandır. Resizing volume group named %1 from %2 to %3… @status - %1 adlı disk bölümü grubu %2 -> %3 olarak yeniden boyutlandırılıyor... + %1 adlı disk bölümü grubu %2 → %3 olarak yeniden boyutlandırılıyor... @@ -3758,7 +3758,7 @@ Output: Partitioning… @status - Bölümleniyor... + Bölüntüleniyor… @@ -3777,7 +3777,7 @@ Output: Setting hostname %1… @status - %1 makine adı ayarlanıyor. {1…?} + %1 makine adı ayarlanıyor… @@ -3946,7 +3946,7 @@ Output: Setting password for user %1… @status - %1 kullanıcısı için parola ayarlanıyor. {1…?} + %1 kullanıcısı için parola ayarlanıyor… @@ -3963,17 +3963,17 @@ Output: Cannot disable root account. Kök hesabı devre dışı bırakılamaz. - - - Cannot set password for user %1. - %1 kullanıcısı için parola ayarlanamıyor. - usermod terminated with error code %1. usermod %1 hata koduyla sonlandı. + + + Cannot set password for user %1. + %1 kullanıcısı için parola ayarlanamıyor. + SetTimezoneJob @@ -4066,7 +4066,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4885,11 +4886,21 @@ Output: What is your name? Adınız nedir? + + + Your full name + Tam Adınız + What name do you want to use to log in? Oturum açmak için hangi adı kullanmak istersiniz? + + + Login name + Oturum Açma Adı + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4910,11 +4921,21 @@ Output: What is the name of this computer? Bu bilgisayarın adı nedir? + + + Computer name + Bilgisayar Adı + This name will be used if you make the computer visible to others on a network. Bilgisayarı ağ üzerinde herkese görünür yaparsanız bu ad kullanılacaktır. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + En az iki karakter olmak üzere yalnızca harflere, sayılara, alt çizgiye ve kısa çizgiye izin verilir. + localhost is not allowed as hostname. @@ -4930,11 +4951,31 @@ Output: Password Parola + + + Repeat password + Parolayı Yinele + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Yazım hatalarının denetlenebilmesi için aynı parolayı iki kez girin. İyi bir şifre, harflerin, sayıların ve noktalama işaretlerinin bir karışımını içerir; en az sekiz karakter uzunluğunda olmalı ve düzenli aralıklarla değiştirilmelidir. + + + Reuse user password as root password + Kullanıcı parolasını yetkili kök parolası olarak yeniden kullan + + + + Use the same password for the administrator account. + Yönetici hesabı için aynı parolayı kullanın. + + + + Choose a root password to keep your account safe. + Hesabınızı güvende tutmak için bir kök parolası seçin. + Root password @@ -4946,14 +4987,9 @@ Output: Kök Parolasını Yinele - - Validate passwords quality - Parola kalitesini doğrulayın - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Bu kutu işaretlendiğinde, parola gücü denetlenir ve zayıf bir parola kullanamazsınız. + + Enter the same password twice, so that it can be checked for typing errors. + Yazım hatalarının denetlenebilmesi için aynı parolayı iki kez girin. @@ -4961,49 +4997,14 @@ Output: Parola sormadan kendiliğinden oturum aç - - Your full name - Tam Adınız - - - - Login name - Oturum Açma Adı - - - - Computer name - Bilgisayar Adı - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - En az iki karakter olmak üzere yalnızca harflere, sayılara, alt çizgiye ve kısa çizgiye izin verilir. - - - - Repeat password - Parolayı Yinele - - - - Reuse user password as root password - Kullanıcı parolasını yetkili kök parolası olarak yeniden kullan - - - - Use the same password for the administrator account. - Yönetici hesabı için aynı parolayı kullanın. - - - - Choose a root password to keep your account safe. - Hesabınızı güvende tutmak için bir kök parolası seçin. + + Validate passwords quality + Parola kalitesini doğrulayın - - Enter the same password twice, so that it can be checked for typing errors. - Yazım hatalarının denetlenebilmesi için aynı parolayı iki kez girin. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Bu kutu işaretlendiğinde, parola gücü denetlenir ve zayıf bir parola kullanamazsınız. @@ -5018,11 +5019,21 @@ Output: What is your name? Adınız nedir? + + + Your full name + Tam Adınız + What name do you want to use to log in? Oturum açmak için hangi adı kullanmak istiyorsunuz? + + + Login name + Oturum Açma Adı + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5043,16 +5054,6 @@ Output: What is the name of this computer? Bu bilgisayarın adı nedir? - - - Your full name - Tam Adınız - - - - Login name - Oturum Açma Adı - Computer name @@ -5088,16 +5089,6 @@ Output: Repeat password Parolayı Yinele - - - Root password - Kök Parolası - - - - Repeat root password - Kök Parolasını Yinele - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5118,6 +5109,16 @@ Output: Choose a root password to keep your account safe. Hesabınızı güvende tutmak için bir kök parolası seçin. + + + Root password + Kök Parolası + + + + Repeat root password + Kök Parolasını Yinele + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_uk.ts b/lang/calamares_uk.ts index d3c8d1bf91..3e856ca903 100644 --- a/lang/calamares_uk.ts +++ b/lang/calamares_uk.ts @@ -125,31 +125,21 @@ Interface: Інтерфейс: + + + Crashes Calamares, so that Dr. Konqi can look at it. + Ініціює аварійне завершення роботи Calamares, щоб дані можна було переглянути у Dr. Konqi. + Reloads the stylesheet from the branding directory. Перезавантажує таблицю стилів із каталогу бренда. - - - Uploads the session log to the configured pastebin. - Вивантажує журнал сеансу до налаштованої служби зберігання. - - - - Send Session Log - Надіслати журнал сеансу - Reload Stylesheet Перезавантажити таблицю стилів - - - Crashes Calamares, so that Dr. Konqi can look at it. - Ініціює аварійне завершення роботи Calamares, щоб дані можна було переглянути у Dr. Konqi. - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Дерево віджетів + + + Uploads the session log to the configured pastebin. + Вивантажує журнал сеансу до налаштованої служби зберігання. + + + + Send Session Log + Надіслати журнал сеансу + Debug Information @@ -382,8 +382,8 @@ (%n секунда) (%n секунди) - (%n секунд) - (%n секунда) + (%n секунд(и)) + (%n секунд(и)) @@ -395,6 +395,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Не вдалося вивантажити дані. + + + + Install log posted to + +%1 + +Link copied to clipboard + Журнал встановлення записано до + +%1 + +Посилання скопійовано до буфера обміну + + + + Install Log Paste URL + Адреса для вставлення журналу встановлення + &Yes @@ -411,7 +434,7 @@ &Закрити - + Setup Failed @title Помилка встановлення @@ -441,13 +464,13 @@ %1 неможливо встановити. Calamares не зміг завантажити всі налаштовані модулі. Ця проблема зв'язана з тим, як Calamares використовується дистрибутивом. - + <br/>The following modules could not be loaded: @info <br/>Не вдалося завантажити наступні модулі: - + Continue with Setup? @title Продовжити налаштовування? @@ -465,133 +488,110 @@ Програма налаштування %1 збирається внести зміни до вашого диска, щоб налаштувати %2. <br/><strong> Ви не зможете скасувати ці зміни.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Засіб встановлення %1 має намір внести зміни до розподілу вашого диска, щоб встановити %2.<br/><strong>Ці зміни неможливо буде скасувати.</strong> - + &Set Up Now @button &Налаштувати зараз - + &Install Now @button &Встановити зараз - + Go &Back @button Пов&ернутися - + &Set Up @button &Налаштувати - + &Install @button &Встановити - + Setup is complete. Close the setup program. @tooltip Встановлення виконано. Закрити програму встановлення. - + The installation is complete. Close the installer. @tooltip Встановлення виконано. Завершити роботу засобу встановлення. - + Cancel the setup process without changing the system. @tooltip Скасувати налаштування без внесення змін до системи. - + Cancel the installation process without changing the system. @tooltip Скасувати процес встановлення без внесення змін до системи. - + &Next @button &Вперед - + &Back @button &Назад - + &Done @button &Закінчити - + &Cancel @button &Скасувати - + Cancel Setup? @title Скасувати налаштування? - + Cancel Installation? @title Скасувати встановлення? - - Install Log Paste URL - Адреса для вставлення журналу встановлення - - - - The upload was unsuccessful. No web-paste was done. - Не вдалося вивантажити дані. - - - - Install log posted to - -%1 - -Link copied to clipboard - Журнал встановлення записано до - -%1 - -Посилання скопійовано до буфера обміну - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Ви насправді бажаєте скасувати поточну процедуру налаштовування? Роботу програми для налаштовування буде завершено, а усі зміни буде втрачено. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Чи ви насправді бажаєте скасувати процес встановлення? @@ -601,25 +601,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error Невідомий тип виключної ситуації - + Unparseable Python error @error Непридатна до обробки помилка Python - + Unparseable Python traceback @error Непридатне до обробки трасування Python - + Unfetchable Python error @error Непридатна до отримання помилка Python @@ -676,16 +676,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>Розподілення вручну</strong><br/>Ви можете створити або змінити розмір розділів власноруч. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>Оберіть розділ для зменшення, потім тягніть повзунок, щоб змінити розмір</strong> - Select storage de&vice: @@ -711,7 +701,12 @@ The installer will quit and all changes will be lost. Reuse %1 as home partition for %2 @label - Повторно використати %1 як домашній розділ для %2. {1 ?} {2?} + Повторно використати %1 як домашній розділ (home) для %2 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>Оберіть розділ для зменшення, потім тягніть повзунок, щоб змінити розмір</strong> @@ -834,6 +829,11 @@ The installer will quit and all changes will be lost. @label Резервна пам'ять у файлі + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>Розподілення вручну</strong><br/>Ви можете створити або змінити розмір розділів власноруч. + Bootloader location: @@ -844,44 +844,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. %1 успішно демонтовано. - + Successfully disabled swap %1. Успішно вимкнено резервну пам'ять %1. - + Successfully cleared swap %1. Успішно очищено резервну пам'ять %1. - + Successfully closed mapper device %1. Успішно закрито пристрій прив'язки %1. - + Successfully disabled volume group %1. Успішно вимкнено групу томів %1. - + Clear mounts for partitioning operations on %1 @title Очистити точки підключення для операцій над розділами на %1 - + Clearing mounts for partitioning operations on %1… @status - Очищення точок підключення для операцій над розділами на %1. {1…?} + Вилучаємо монтування для дій над розділами на %1… - + Cleared all mounts for %1 Очищено всі точки підключення для %1 @@ -917,129 +917,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - Встановлення за допомогою мережі. (Вимкнено: помилкові налаштування) - - - - Network Installation. (Disabled: Received invalid groups data) - Встановлення через мережу. (Вимкнено: Отримано неправильні дані про групи) - - - - Network Installation. (Disabled: Internal error) - Встановлення з мережі. (Вимкнено: внутрішня помилка) - - - - Network Installation. (Disabled: No package list) - Встановлення з мережі. (Вимкнено: немає списку пакунків) - - - - Package selection - Вибір пакетів - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Встановлення через мережу. (Вимкнено: Неможливо отримати список пакетів, перевірте ваше підключення до мережі) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - Цей комп'ютер не задовольняє мінімальні вимоги для налаштовування %1.<br/>Налаштовування неможливо продовжити. + + Setup Failed + @title + Помилка встановлення - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - Цей комп'ютер не задовольняє мінімальні вимоги до встановлення %1.<br/>Неможливо продовжувати процес встановлення. + + Installation Failed + @title + Помилка під час встановлення - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1. Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. + + The setup of %1 did not complete successfully. + @info + Налаштування %1 не завершено успішно. - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Цей комп'ютер не задовольняє рекомендовані вимоги для встановлення %1.<br/>Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. + + The installation of %1 did not complete successfully. + @info + Встановлення %1 не завершено успішно. - - This program will ask you some questions and set up %2 on your computer. - Ця програма поставить кілька питань та встановить %2 на ваш комп'ютер. + + Setup Complete + @title + Налаштовування завершено - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Вітаємо у програмі налаштовування Calamares для %1</h1> + + Installation Complete + @title + Встановлення завершено - - <h1>Welcome to %1 setup</h1> - <h1>Вітаємо у програмі для налаштовування %1</h1> + + The setup of %1 is complete. + @info + Налаштовування %1 завершено. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Ласкаво просимо до засобу встановлення Calamares для %1</h1> + + The installation of %1 is complete. + @info + Встановлення %1 завершено. - - <h1>Welcome to the %1 installer</h1> - <h1>Ласкаво просимо до засобу встановлення %1</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + Встановлено модель клавіатури %1<br/>. - - Your username is too long. - Ваше ім'я задовге. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + Встановлено розкладку клавіатури %1/%2. - - '%1' is not allowed as username. - «%1» не можна використовувати як ім'я користувача. + + Set timezone to %1/%2 + @action + Встановити часову зону %1.%2 - - Your username must start with a lowercase letter or underscore. - Ваше ім'я користувача має починатися із малої літери або символу підкреслювання. + + The system language will be set to %1. + @info + Мову %1 буде встановлено як системну. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Можна використовувати лише латинські літери нижнього регістру, цифри, символи підкреслювання та дефіси. + + The numbers and dates locale will be set to %1. + @info + %1 буде встановлено як локаль чисел та дат. - - Your hostname is too short. - Назва вузла є надто короткою. + + Network Installation. (Disabled: Incorrect configuration) + Встановлення за допомогою мережі. (Вимкнено: помилкові налаштування) - - Your hostname is too long. - Назва вузла є надто довгою. + + Network Installation. (Disabled: Received invalid groups data) + Встановлення через мережу. (Вимкнено: Отримано неправильні дані про групи) - - '%1' is not allowed as hostname. - «%1» не можна використовувати як назву вузла. + + Network Installation. (Disabled: Internal error) + Встановлення з мережі. (Вимкнено: внутрішня помилка) - - Only letters, numbers, underscore and hyphen are allowed. - Можна використовувати лише латинські літери, цифри, символи підкреслювання та дефіси. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Встановлення через мережу. (Вимкнено: Неможливо отримати список пакетів, перевірте ваше підключення до мережі) - - Your passwords do not match! - Паролі не збігаються! + + Network Installation. (Disabled: No package list) + Встановлення з мережі. (Вимкнено: немає списку пакунків) - - OK! - Гаразд! + + Package selection + Вибір пакетів @@ -1073,92 +1056,109 @@ The installer will quit and all changes will be lost. Огляд - - This is an overview of what will happen once you start the setup procedure. - Це огляд того, що трапиться коли ви почнете процедуру налаштовування. + + This is an overview of what will happen once you start the setup procedure. + Це огляд того, що трапиться коли ви почнете процедуру налаштовування. + + + + This is an overview of what will happen once you start the install procedure. + Це огляд того, що трапиться коли ви почнете процедуру встановлення. + + + + Your username is too long. + Ваше ім'я задовге. + + + + Your username must start with a lowercase letter or underscore. + Ваше ім'я користувача має починатися із малої літери або символу підкреслювання. + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Можна використовувати лише латинські літери нижнього регістру, цифри, символи підкреслювання та дефіси. + + + + '%1' is not allowed as username. + «%1» не можна використовувати як ім'я користувача. + + + + Your hostname is too short. + Назва вузла є надто короткою. - - This is an overview of what will happen once you start the install procedure. - Це огляд того, що трапиться коли ви почнете процедуру встановлення. + + Your hostname is too long. + Назва вузла є надто довгою. - - Setup Failed - @title - Помилка встановлення + + '%1' is not allowed as hostname. + «%1» не можна використовувати як назву вузла. - - Installation Failed - @title - Помилка під час встановлення + + Only letters, numbers, underscore and hyphen are allowed. + Можна використовувати лише латинські літери, цифри, символи підкреслювання та дефіси. - - The setup of %1 did not complete successfully. - @info - Налаштування %1 не завершено успішно. + + Your passwords do not match! + Паролі не збігаються! - - The installation of %1 did not complete successfully. - @info - Встановлення %1 не завершено успішно. + + OK! + Гаразд! - - Setup Complete - @title - Налаштовування завершено + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + Цей комп'ютер не задовольняє мінімальні вимоги для налаштовування %1.<br/>Налаштовування неможливо продовжити. - - Installation Complete - @title - Встановлення завершено + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + Цей комп'ютер не задовольняє мінімальні вимоги до встановлення %1.<br/>Неможливо продовжувати процес встановлення. - - The setup of %1 is complete. - @info - Налаштовування %1 завершено. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1. Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - - The installation of %1 is complete. - @info - Встановлення %1 завершено. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Цей комп'ютер не задовольняє рекомендовані вимоги для встановлення %1.<br/>Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - Встановлено модель клавіатури %1<br/>. + + This program will ask you some questions and set up %2 on your computer. + Ця програма поставить кілька питань та встановить %2 на ваш комп'ютер. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - Встановлено розкладку клавіатури %1/%2. + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Вітаємо у програмі налаштовування Calamares для %1</h1> - - Set timezone to %1/%2 - @action - Встановити часову зону %1.%2 + + <h1>Welcome to %1 setup</h1> + <h1>Вітаємо у програмі для налаштовування %1</h1> - - The system language will be set to %1. - @info - Мову %1 буде встановлено як системну. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Ласкаво просимо до засобу встановлення Calamares для %1</h1> - - The numbers and dates locale will be set to %1. - @info - %1 буде встановлено як локаль чисел та дат. + + <h1>Welcome to the %1 installer</h1> + <h1>Ласкаво просимо до засобу встановлення %1</h1> @@ -1275,7 +1275,7 @@ The installer will quit and all changes will be lost. Create new %1MiB partition on %3 (%2) with entries %4 @title - Створити розділ %1МіБ на %3 (%2) із записами %4. {1M?} {3 ?} {2)?} {4?} + Створити розділ %1МіБ на %3 (%2) із записами %4 @@ -1312,7 +1312,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition on %2… @status - Створення розділу %1 на %2. {1 ?} {2…?} + Створення розділу %1 на %2… @@ -1356,7 +1356,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition table on %2… @status - Створення таблиці розділів %1 на %2. {1 ?} {2…?} + Створення таблиці розділів %1 на %2… @@ -1424,7 +1424,7 @@ The installer will quit and all changes will be lost. Creating new volume group named %1… @status - Створення групи томів із назвою %1. {1…?} + Створення групи томів із назвою %1… @@ -1466,7 +1466,7 @@ The installer will quit and all changes will be lost. Deleting partition %1… @status - Вилучення розділу partition %1. {1…?} + Вилучення розділу %1… @@ -1483,9 +1483,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - На цьому пристрої таблиця розділів <strong>%1</strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>Цей тип таблиці розділів рекомендований лише для старих систем, які запускаються за допомогою завантажувального середовища <strong>BIOS</strong>. GPT рекомендовано у більшості інших випадків.<br><br><strong>Попередження:</strong> таблиця розділів MBR - це застарілий стандарт часів MS-DOS. Можливо створити <br>Лише 4 <em>основних</em> розділів, один зі яких може бути <em>розширеним</em>, який в свою чергу може містити багато <em>логічних</em> розділів. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>Це рекомендований тип таблиці розділів для сучасних систем, які запускаються за допомогою завантажувального середовища <strong>EFI</strong>. @@ -1498,14 +1503,9 @@ The installer will quit and all changes will be lost. Засобу встановлення <strong>не вдалося визначити таблицю розділів</strong> на обраному пристрої зберігання.<br><br>Пристрій або на має таблиці розділів, або таблицю розділів пошкоджено чи вона невідомого типу.<br>Засіб встановлення може створити нову таблицю розділів для вас, автоматично або за допомогою сторінки розподілення вручну. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>Це рекомендований тип таблиці розділів для сучасних систем, які запускаються за допомогою завантажувального середовища <strong>EFI</strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>Цей тип таблиці розділів рекомендований лише для старих систем, які запускаються за допомогою завантажувального середовища <strong>BIOS</strong>. GPT рекомендовано у більшості інших випадків.<br><br><strong>Попередження:</strong> таблиця розділів MBR - це застарілий стандарт часів MS-DOS. Можливо створити <br>Лише 4 <em>основних</em> розділів, один зі яких може бути <em>розширеним</em>, який в свою чергу може містити багато <em>логічних</em> розділів. + + This device has a <strong>%1</strong> partition table. + На цьому пристрої таблиця розділів <strong>%1</strong>. @@ -1710,7 +1710,7 @@ The installer will quit and all changes will be lost. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong>%3. {2 ?} {1<?} {3?} + Налаштувати <strong>новий</strong> розділ %2 із точкою монтування <strong>%1</strong>%3 @@ -1734,7 +1734,7 @@ The installer will quit and all changes will be lost. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong>%4. {3 ?} {1<?} {2<?} {4…?} + Налаштувати розділ %3 <strong>%1</strong> із точкою монтування <strong>%2</strong>%4 @@ -1817,7 +1817,7 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - Форматувати розділ %1 (файлова система: %2, розмір: %3 МіБ) на %4. {1 ?} {2,?} {3 ?} {4?} + Форматувати розділ %1 (файлова система: %2, розмір: %3 МіБ) на %4 @@ -1835,7 +1835,7 @@ The installer will quit and all changes will be lost. Formatting partition %1 with file system %2… @status - Форматування розділу %1 з файловою системою %2. {1 ?} {2…?} + Форматування розділу %1 з файловою системою %2… @@ -2281,7 +2281,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit Вийти @@ -2455,6 +2455,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment Стільниця + + + Applications + Програми + Communication @@ -2503,11 +2508,6 @@ The installer will quit and all changes will be lost. label for netinstall module Інструменти - - - Applications - Програми - NotesQmlViewStep @@ -2681,11 +2681,31 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form Пароль містить певні форми заборонених слів + + + The password contains fewer than %n digits + + Цей пароль містить менше ніж %n цифру + Цей пароль містить менше ніж %n цифри + Цей пароль містить менше ніж %n цифр + Цей пароль містить менше ніж %n цифру + + The password contains too few digits Цей пароль містить замало символів + + + The password contains fewer than %n uppercase letters + + У паролі міститься менше за %n літеру верхнього регістру + У паролі міститься менше за %n літери верхнього регістру + У паролі міститься менше за %n літер верхнього регістру + У паролі міститься менше за %n літеру верхнього регістру + + The password contains too few uppercase letters @@ -2706,51 +2726,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters У паролі міститься надто мало літер нижнього регістру - - - The password contains too few non-alphanumeric characters - Цей пароль містить надто мало символів, які не є літерами або цифрами - - - - The password is too short - Цей пароль занадто короткий - - - - The password does not contain enough character classes - Кількість класів, до яких належать символи пароля, є надто малою - - - - The password contains too many same characters consecutively - У паролі міститься надто довга послідовність із однакових символів - - - - The password contains too many characters of the same class consecutively - У паролі міститься надто довга послідовність із символів одного класу - - - - The password contains fewer than %n digits - - Цей пароль містить менше ніж %n цифру - Цей пароль містить менше ніж %n цифри - Цей пароль містить менше ніж %n цифр - Цей пароль містить менше ніж %n цифру - - - - - The password contains fewer than %n uppercase letters - - У паролі міститься менше за %n літеру верхнього регістру - У паролі міститься менше за %n літери верхнього регістру - У паролі міститься менше за %n літер верхнього регістру - У паролі міститься менше за %n літеру верхнього регістру - - The password contains fewer than %n non-alphanumeric characters @@ -2761,6 +2736,11 @@ The installer will quit and all changes will be lost. Цей пароль містить менше ніж %n символ, які не є літерами або цифрами + + + The password contains too few non-alphanumeric characters + Цей пароль містить надто мало символів, які не є літерами або цифрами + The password is shorter than %n characters @@ -2771,6 +2751,11 @@ The installer will quit and all changes will be lost. Пароль є коротшим за %n символ + + + The password is too short + Цей пароль занадто короткий + The password is a rotated version of the previous one @@ -2786,6 +2771,11 @@ The installer will quit and all changes will be lost. Кількість класів символів у паролі є меншою за %n + + + The password does not contain enough character classes + Кількість класів, до яких належать символи пароля, є надто малою + The password contains more than %n same characters consecutively @@ -2796,6 +2786,11 @@ The installer will quit and all changes will be lost. У паролі міститься послідовність із понад %n однакового символу + + + The password contains too many same characters consecutively + У паролі міститься надто довга послідовність із однакових символів + The password contains more than %n characters of the same class consecutively @@ -2806,6 +2801,11 @@ The installer will quit and all changes will be lost. У паролі міститься послідовність із понад %n символу одного класу + + + The password contains too many characters of the same class consecutively + У паролі міститься надто довга послідовність із символів одного класу + The password contains monotonic sequence longer than %n characters @@ -3231,6 +3231,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + Збираємо інформацію про систему... + + + + Partitions + @label + Розділи + Unsafe partition actions are enabled. @@ -3247,35 +3259,27 @@ The installer will quit and all changes will be lost. Змін до розділів внесено не буде. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - Для запуску %1 потрібен системний розділ EFI.<br/><br/>Системний розділ EFI не відповідає рекомендованим вимогам. Рекомендуємо повернутися до попередніх пунктів і вибрати або створити відповідну файлову систему. - - - - The minimum recommended size for the filesystem is %1 MiB. - Мінімальним рекомендованим розміром файлової системи є %1 МіБ. - - - - You can continue with this EFI system partition configuration but your system may fail to start. - Ви можете продовжити з цими налаштуваннями системного розділу EFI, але це може призвести до неможливості запуску вашої операційної системи. - - - - No EFI system partition configured - Не налаштовано жодного системного розділу EFI + + Current: + @label + Зараз: - - EFI system partition configured incorrectly - Системний розділ EFI налаштовано неправильно + + After: + @label + Після: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. Для запуску %1 потрібен системний розділ EFI.<br/><br/>Щоб налаштувати системний розділ EFI, поверніться до попередніх пунктів і виберіть створення відповідної файлової системи. + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + Для запуску %1 потрібен системний розділ EFI.<br/><br/>Системний розділ EFI не відповідає рекомендованим вимогам. Рекомендуємо повернутися до попередніх пунктів і вибрати або створити відповідну файлову систему. + The filesystem must be mounted on <strong>%1</strong>. @@ -3286,6 +3290,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. Файлова система має належати до типу FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + Для файлової системи має бути встановлено прапорець <strong>%1</strong>. + @@ -3293,38 +3302,29 @@ The installer will quit and all changes will be lost. Розмір файлової системи має бути не меншим за %1 МіБ. - - The filesystem must have flag <strong>%1</strong> set. - Для файлової системи має бути встановлено прапорець <strong>%1</strong>. - - - - Gathering system information… - @status - Збираємо інформацію про систему... + + The minimum recommended size for the filesystem is %1 MiB. + Мінімальним рекомендованим розміром файлової системи є %1 МіБ. - - Partitions - @label - Розділи + + You can continue without setting up an EFI system partition but your system may fail to start. + Ви можете продовжити без встановлення системного розділу EFI, але це може призвести до неможливості запуску вашої операційної системи. - - Current: - @label - Зараз: + + You can continue with this EFI system partition configuration but your system may fail to start. + Ви можете продовжити з цими налаштуваннями системного розділу EFI, але це може призвести до неможливості запуску вашої операційної системи. - - After: - @label - Після: + + No EFI system partition configured + Не налаштовано жодного системного розділу EFI - - You can continue without setting up an EFI system partition but your system may fail to start. - Ви можете продовжити без встановлення системного розділу EFI, але це може призвести до неможливості запуску вашої операційної системи. + + EFI system partition configured incorrectly + Системний розділ EFI налаштовано неправильно @@ -3421,14 +3421,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. У результаті виконання команди не отримано виведених даних. - + Output: @@ -3437,52 +3437,52 @@ Output: - + External command crashed. Виконання зовнішньої команди завершилося помилкою. - + Command <i>%1</i> crashed. Аварійне завершення виконання команди <i>%1</i>. - + External command failed to start. Не вдалося виконати зовнішню команду. - + Command <i>%1</i> failed to start. Не вдалося виконати команду <i>%1</i>. - + Internal error when starting command. Внутрішня помилка під час спроби виконати команду. - + Bad parameters for process job call. Неправильні параметри виклику завдання обробки. - + External command failed to finish. Не вдалося завершити виконання зовнішньої команди. - + Command <i>%1</i> failed to finish in %2 seconds. Не вдалося завершити виконання команди <i>%1</i> за %2 секунд. - + External command finished with errors. Виконання зовнішньої команди завершено із помилками. - + Command <i>%1</i> finished with exit code %2. Виконання команди <i>%1</i> завершено повідомленням із кодом виходу %2. @@ -3494,6 +3494,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + невідома + + + + extended + @partition info + розширений + + + + unformatted + @partition info + не форматовано + + + + swap + @partition info + резервна пам'ять + @@ -3525,30 +3549,6 @@ Output: (no mount point) (немає точки монтування) - - - unknown - @partition info - невідома - - - - extended - @partition info - розширений - - - - unformatted - @partition info - не форматовано - - - - swap - @partition info - резервна пам'ять - Unpartitioned space or unknown partition table @@ -3740,7 +3740,7 @@ Output: Resize volume group named %1 from %2 to %3 @title - Змінити розміри групи томів із назвою %1 з %2 до %3. {1 ?} {2 ?} {3?} + Змінити розміри групи томів із назвою %1 з %2 до %3 @@ -3799,7 +3799,7 @@ Output: Setting hostname %1… @status - Встановлення назви вузла %1. {1…?} + Встановлення назви вузла %1… @@ -3968,7 +3968,7 @@ Output: Setting password for user %1… @status - Встановлення паролю для користувача %1. {1…?} + Встановлення пароля для користувача %1… @@ -3985,17 +3985,17 @@ Output: Cannot disable root account. Неможливо вимкнути обліковий запис root. - - - Cannot set password for user %1. - Не можу встановити пароль для користувача %1. - usermod terminated with error code %1. usermod завершилася з кодом помилки %1. + + + Cannot set password for user %1. + Не можу встановити пароль для користувача %1. + SetTimezoneJob @@ -4088,7 +4088,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 з %L2 @@ -4907,11 +4908,21 @@ Output: What is your name? Ваше ім'я? + + + Your full name + Ваше ім'я повністю + What name do you want to use to log in? Яке ім'я ви бажаєте використовувати для входу? + + + Login name + Запис для входу + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4932,11 +4943,21 @@ Output: What is the name of this computer? Назва цього комп'ютера? + + + Computer name + Назва комп'ютера + This name will be used if you make the computer visible to others on a network. Цю назву буде використано, якщо ви зробите комп'ютер видимим іншим у мережі. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + Можна використовувати лише латинські літери, цифри, символи підкреслювання та дефіси; не менше двох символів. + localhost is not allowed as hostname. @@ -4952,11 +4973,31 @@ Output: Password Пароль + + + Repeat password + Повторіть пароль + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Введіть один й той самий пароль двічі, для перевірки щодо помилок введення. Надійному паролю слід містити суміш літер, чисел та розділових знаків, бути довжиною хоча б вісім символів та регулярно змінюватись. + + + Reuse user password as root password + Використати пароль користувача як пароль root + + + + Use the same password for the administrator account. + Використовувати той самий пароль і для облікового рахунку адміністратора. + + + + Choose a root password to keep your account safe. + Виберіть пароль root для захисту вашого облікового запису. + Root password @@ -4968,14 +5009,9 @@ Output: Повторіть пароль root - - Validate passwords quality - Перевіряти якість паролів - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Якщо позначено цей пункт, буде виконано перевірку складності пароля. Ви не зможете скористатися надто простим паролем. + + Enter the same password twice, so that it can be checked for typing errors. + Введіть один й той самий пароль двічі, щоб убезпечитися від помилок при введенні. @@ -4983,49 +5019,14 @@ Output: Входити автоматично без пароля - - Your full name - Ваше ім'я повністю - - - - Login name - Запис для входу - - - - Computer name - Назва комп'ютера - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - Можна використовувати лише латинські літери, цифри, символи підкреслювання та дефіси; не менше двох символів. - - - - Repeat password - Повторіть пароль - - - - Reuse user password as root password - Використати пароль користувача як пароль root - - - - Use the same password for the administrator account. - Використовувати той самий пароль і для облікового рахунку адміністратора. - - - - Choose a root password to keep your account safe. - Виберіть пароль root для захисту вашого облікового запису. + + Validate passwords quality + Перевіряти якість паролів - - Enter the same password twice, so that it can be checked for typing errors. - Введіть один й той самий пароль двічі, щоб убезпечитися від помилок при введенні. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Якщо позначено цей пункт, буде виконано перевірку складності пароля. Ви не зможете скористатися надто простим паролем. @@ -5040,11 +5041,21 @@ Output: What is your name? Ваше ім'я? + + + Your full name + Ваше ім'я повністю + What name do you want to use to log in? Яке ім'я ви бажаєте використовувати для входу? + + + Login name + Запис для входу + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5065,16 +5076,6 @@ Output: What is the name of this computer? Назва цього комп'ютера? - - - Your full name - Ваше ім'я повністю - - - - Login name - Запис для входу - Computer name @@ -5110,16 +5111,6 @@ Output: Repeat password Повторіть пароль - - - Root password - Пароль root - - - - Repeat root password - Повторіть пароль root - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5140,6 +5131,16 @@ Output: Choose a root password to keep your account safe. Виберіть пароль root для захисту вашого облікового запису. + + + Root password + Пароль root + + + + Repeat root password + Повторіть пароль root + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_ur.ts b/lang/calamares_ur.ts index 832e62185d..c20471a2b6 100644 --- a/lang/calamares_ur.ts +++ b/lang/calamares_ur.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -391,6 +391,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -407,7 +426,7 @@ - + Setup Failed @title @@ -437,13 +456,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -461,128 +480,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -591,25 +591,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -703,6 +693,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -834,44 +834,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -907,247 +907,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1473,8 +1473,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1488,13 +1493,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2271,7 +2271,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2441,6 +2441,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2489,11 +2494,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2666,11 +2666,27 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + + The password contains too few uppercase letters @@ -2689,47 +2705,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - - The password contains fewer than %n uppercase letters - - - - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2746,6 +2726,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2759,6 +2744,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2767,6 +2757,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3199,48 +3199,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3254,43 +3258,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3388,65 +3388,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3458,6 +3458,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3489,30 +3513,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3946,17 +3946,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4049,7 +4049,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4836,11 +4837,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4861,11 +4872,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4882,78 +4903,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4969,11 +4970,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4994,16 +5005,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5039,16 +5040,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5069,6 +5060,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_uz.ts b/lang/calamares_uz.ts index 14b386abba..9cb834a3ab 100644 --- a/lang/calamares_uz.ts +++ b/lang/calamares_uz.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ - + Setup Failed @title @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -589,25 +589,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -664,16 +664,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -701,6 +691,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -822,6 +817,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -832,44 +832,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -905,247 +905,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1471,8 +1471,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1486,13 +1491,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2269,7 +2269,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2439,6 +2439,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2487,11 +2492,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2664,11 +2664,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2686,45 +2700,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2732,6 +2707,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2739,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2751,6 +2736,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2758,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2765,6 +2760,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3188,48 +3188,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,43 +3247,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3377,65 +3377,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3447,6 +3447,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3478,30 +3502,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3935,17 +3935,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4038,7 +4038,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4825,11 +4826,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4850,11 +4861,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4871,78 +4892,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4958,11 +4959,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4983,16 +4994,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5028,16 +5029,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5058,6 +5049,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_vi.ts b/lang/calamares_vi.ts index 338dc840d3..e3b16da271 100644 --- a/lang/calamares_vi.ts +++ b/lang/calamares_vi.ts @@ -125,31 +125,21 @@ Interface: Giao diện: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. Tải lại stylesheet từ thư mục branding - - - Uploads the session log to the configured pastebin. - Đăng tải log của phiên này lên pastebin đã được cấu hình - - - - Send Session Log - Gửi log của phiên này - Reload Stylesheet Tải lại bảng định kiểu - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree Cây công cụ + + + Uploads the session log to the configured pastebin. + Đăng tải log của phiên này lên pastebin đã được cấu hình + + + + Send Session Log + Gửi log của phiên này + Debug Information @@ -376,8 +376,8 @@ (%n second(s)) @status - - + + (%n giây) @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + Tải lên không thành công. Không có quá trình gửi lên web nào được thực hiện. + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + URL để gửi nhật ký cài đặt + &Yes @@ -405,7 +424,7 @@ Đón&g - + Setup Failed @title Thiết lập không thành công @@ -435,13 +454,13 @@ %1 không thể được cài đặt.Không thể tải tất cả các mô-đun đã định cấu hình. Đây là vấn đề với cách phân phối sử dụng. - + <br/>The following modules could not be loaded: @info <br/> Không thể tải các mô-đun sau: - + Continue with Setup? @title @@ -459,129 +478,110 @@ Chương trình thiết lập %1 sắp thực hiện các thay đổi đối với đĩa của bạn để thiết lập %2. <br/> <strong> Bạn sẽ không thể hoàn tác các thay đổi này. </strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version Trình cài đặt %1 sắp thực hiện các thay đổi đối với đĩa của bạn để cài đặt %2. <br/> <strong> Bạn sẽ không thể hoàn tác các thay đổi này. </strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button &Cài đặt - + Setup is complete. Close the setup program. @tooltip Thiết lập hoàn tất. Đóng chương trình cài đặt. - + The installation is complete. Close the installer. @tooltip Quá trình cài đặt hoàn tất. Đóng trình cài đặt. - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button &Tiếp theo - + &Back @button Trở &về - + &Done @button &Xong - + &Cancel @button &Huỷ bỏ - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - URL để gửi nhật ký cài đặt - - - - The upload was unsuccessful. No web-paste was done. - Tải lên không thành công. Không có quá trình gửi lên web nào được thực hiện. - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Bạn có thực sự muốn hủy quá trình thiết lập hiện tại không? Chương trình thiết lập sẽ thoát và tất cả các thay đổi sẽ bị mất. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Bạn có thực sự muốn hủy quá trình cài đặt hiện tại không? @@ -591,25 +591,25 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< CalamaresPython::Helper - + Unknown exception type @error Không nhận ra kiểu của ngoại lệ - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -666,16 +666,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong> Phân vùng thủ công </strong> <br/> Bạn có thể tự tạo hoặc thay đổi kích thước phân vùng. - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong> Chọn một phân vùng để thu nhỏ, sau đó kéo thanh dưới cùng để thay đổi kích thước </strong> - Select storage de&vice: @@ -703,6 +693,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong> Chọn một phân vùng để thu nhỏ, sau đó kéo thanh dưới cùng để thay đổi kích thước </strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -824,6 +819,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< @label Hoán đổi sang tệp + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong> Phân vùng thủ công </strong> <br/> Bạn có thể tự tạo hoặc thay đổi kích thước phân vùng. + Bootloader location: @@ -834,44 +834,44 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title Xóa gắn kết cho các hoạt động phân vùng trên %1 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 Đã xóa tất cả các gắn kết cho %1 @@ -907,129 +907,112 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Config - - Network Installation. (Disabled: Incorrect configuration) - Cài đặt mạng. (Tắt: Sai cấu hình) - - - - Network Installation. (Disabled: Received invalid groups data) - Cài đặt mạng. (Tắt: Nhận được dữ liệu nhóm bị sai) - - - - Network Installation. (Disabled: Internal error) - - - - - Network Installation. (Disabled: No package list) - - - - - Package selection - Chọn phân vùng + + Setup Failed + @title + Thiết lập không thành công - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - Cài đặt mạng. (Tắt: Không thể lấy được danh sách gói ứng dụng, kiểm tra kết nối mạng) + + Installation Failed + @title + Cài đặt thất bại - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 did not complete successfully. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 did not complete successfully. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Máy tính này không đạt đủ yêu cấu khuyến nghị để thiết lập %1.<br/>Thiết lập có thể tiếp tục, nhưng một số tính năng có thể sẽ bị tắt. - - - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - Máy tính này không đạt đủ yêu cấu khuyến nghị để cài đặt %1.<br/>Cài đặt có thể tiếp tục, nhưng một số tính năng có thể sẽ bị tắt. - - - - This program will ask you some questions and set up %2 on your computer. - Chương trình này sẽ hỏi bạn vài câu hỏi và thiết lập %2 trên máy tính của bạn. + + Setup Complete + @title + Thiết lập xong - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>Chào mừng đến với chương trình Calamares để thiết lập %1</h1> + + Installation Complete + @title + Cài đặt xong - - <h1>Welcome to %1 setup</h1> - <h1>Chào mừng đến với thiết lập %1 </h1> + + The setup of %1 is complete. + @info + Thiết lập %1 đã xong. - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>Chào mừng đến với chương trình Calamares để cài đặt %1</h1> + + The installation of %1 is complete. + @info + Cài đặt của %1 đã xong. - - <h1>Welcome to the %1 installer</h1> - <h1>Chào mừng đến với bộ cài đặt %1 </h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - Tên bạn hơi dài. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' không được phép dùng làm tên. + + Set timezone to %1/%2 + @action + Đặt múi giờ thành %1/%2 - - Your username must start with a lowercase letter or underscore. - Tên người dùng của bạn phải bắt đầu bằng chữ cái viết thường hoặc dấu gạch dưới. + + The system language will be set to %1. + @info + Ngôn ngữ hệ thống sẽ được đặt thành %1. - - Only lowercase letters, numbers, underscore and hyphen are allowed. - Chỉ cho phép các chữ cái viết thường, số, gạch dưới và gạch nối. + + The numbers and dates locale will be set to %1. + @info + Định dạng ngôn ngữ của số và ngày tháng sẽ được chuyển thành %1. - - Your hostname is too short. - Tên máy chủ quá ngắn. + + Network Installation. (Disabled: Incorrect configuration) + Cài đặt mạng. (Tắt: Sai cấu hình) - - Your hostname is too long. - Tên máy chủ quá dài. + + Network Installation. (Disabled: Received invalid groups data) + Cài đặt mạng. (Tắt: Nhận được dữ liệu nhóm bị sai) - - '%1' is not allowed as hostname. - '%1' không được phép dùng làm tên máy chủ. + + Network Installation. (Disabled: Internal error) + - - Only letters, numbers, underscore and hyphen are allowed. - Chỉ cho phép các chữ cái, số, gạch dưới và gạch nối. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + Cài đặt mạng. (Tắt: Không thể lấy được danh sách gói ứng dụng, kiểm tra kết nối mạng) - - Your passwords do not match! - Mật khẩu nhập lại không khớp! + + Network Installation. (Disabled: No package list) + - - OK! - + + Package selection + Chọn phân vùng @@ -1073,82 +1056,99 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Đây là tổng quan về những gì sẽ xảy ra khi bạn bắt đầu quy trình cài đặt. - - Setup Failed - @title - Thiết lập không thành công + + Your username is too long. + Tên bạn hơi dài. - - Installation Failed - @title - Cài đặt thất bại + + Your username must start with a lowercase letter or underscore. + Tên người dùng của bạn phải bắt đầu bằng chữ cái viết thường hoặc dấu gạch dưới. - - The setup of %1 did not complete successfully. - @info - + + Only lowercase letters, numbers, underscore and hyphen are allowed. + Chỉ cho phép các chữ cái viết thường, số, gạch dưới và gạch nối. - - The installation of %1 did not complete successfully. - @info - + + '%1' is not allowed as username. + '%1' không được phép dùng làm tên. - - Setup Complete - @title - Thiết lập xong + + Your hostname is too short. + Tên máy chủ quá ngắn. - - Installation Complete - @title - Cài đặt xong + + Your hostname is too long. + Tên máy chủ quá dài. - - The setup of %1 is complete. - @info - Thiết lập %1 đã xong. + + '%1' is not allowed as hostname. + '%1' không được phép dùng làm tên máy chủ. - - The installation of %1 is complete. - @info - Cài đặt của %1 đã xong. + + Only letters, numbers, underscore and hyphen are allowed. + Chỉ cho phép các chữ cái, số, gạch dưới và gạch nối. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + Your passwords do not match! + Mật khẩu nhập lại không khớp! + + + + OK! - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Set timezone to %1/%2 - @action - Đặt múi giờ thành %1/%2 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + - - The system language will be set to %1. - @info - Ngôn ngữ hệ thống sẽ được đặt thành %1. + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + Máy tính này không đạt đủ yêu cấu khuyến nghị để thiết lập %1.<br/>Thiết lập có thể tiếp tục, nhưng một số tính năng có thể sẽ bị tắt. - - The numbers and dates locale will be set to %1. - @info - Định dạng ngôn ngữ của số và ngày tháng sẽ được chuyển thành %1. + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + Máy tính này không đạt đủ yêu cấu khuyến nghị để cài đặt %1.<br/>Cài đặt có thể tiếp tục, nhưng một số tính năng có thể sẽ bị tắt. + + + + This program will ask you some questions and set up %2 on your computer. + Chương trình này sẽ hỏi bạn vài câu hỏi và thiết lập %2 trên máy tính của bạn. + + + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Chào mừng đến với chương trình Calamares để thiết lập %1</h1> + + + + <h1>Welcome to %1 setup</h1> + <h1>Chào mừng đến với thiết lập %1 </h1> + + + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Chào mừng đến với chương trình Calamares để cài đặt %1</h1> + + + + <h1>Welcome to the %1 installer</h1> + <h1>Chào mừng đến với bộ cài đặt %1 </h1> @@ -1473,9 +1473,14 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - Thiết bị này có bảng phân vùng <strong> %1 </strong>. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br> <br> Loại bảng phân vùng này chỉ được khuyến khích trên các hệ thống cũ hơn bắt đầu từ môi trường khởi động <strong> BIOS </strong>. GPT được khuyến nghị trong hầu hết các trường hợp khác. <br> <br> <strong> Cảnh báo: </strong> bảng phân vùng MBR là tiêu chuẩn thời đại MS-DOS lỗi thời. <br> Chỉ có 4 phân vùng <em> chính </em> có thể được tạo và trong số 4 phân vùng đó, một phân vùng có thể là phân vùng <em> mở rộng </em>, đến lượt nó có thể chứa nhiều phân vùng <em> logic </em>. + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br> <br> Đây là loại bảng phân vùng được khuyến nghị cho các hệ thống hiện đại bắt đầu từ môi trường khởi động <strong> EFI </strong>. @@ -1488,14 +1493,9 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Trình cài đặt này <strong> không thể phát hiện bảng phân vùng </strong> trên thiết bị lưu trữ đã chọn. <br> <br> Thiết bị không có bảng phân vùng hoặc bảng phân vùng bị hỏng hoặc thuộc loại không xác định. <br> Điều này trình cài đặt có thể tạo bảng phân vùng mới cho bạn, tự động hoặc thông qua trang phân vùng thủ công. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br> <br> Đây là loại bảng phân vùng được khuyến nghị cho các hệ thống hiện đại bắt đầu từ môi trường khởi động <strong> EFI </strong>. - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br> <br> Loại bảng phân vùng này chỉ được khuyến khích trên các hệ thống cũ hơn bắt đầu từ môi trường khởi động <strong> BIOS </strong>. GPT được khuyến nghị trong hầu hết các trường hợp khác. <br> <br> <strong> Cảnh báo: </strong> bảng phân vùng MBR là tiêu chuẩn thời đại MS-DOS lỗi thời. <br> Chỉ có 4 phân vùng <em> chính </em> có thể được tạo và trong số 4 phân vùng đó, một phân vùng có thể là phân vùng <em> mở rộng </em>, đến lượt nó có thể chứa nhiều phân vùng <em> logic </em>. + + This device has a <strong>%1</strong> partition table. + Thiết bị này có bảng phân vùng <strong> %1 </strong>. @@ -2271,7 +2271,7 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< LocaleTests - + Quit @@ -2445,6 +2445,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< label for netinstall module, choose desktop environment Màn hình chính + + + Applications + Ứng dụng + Communication @@ -2493,11 +2498,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< label for netinstall module Tiện ích - - - Applications - Ứng dụng - NotesQmlViewStep @@ -2670,11 +2670,25 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< The password contains forbidden words in some form Mật khẩu chứa các từ bị cấm dưới một số hình thức + + + The password contains fewer than %n digits + + Mật khẩu chứa ít hơn %n chữ số + + The password contains too few digits Mật khẩu chứa quá ít ký tự + + + The password contains fewer than %n uppercase letters + + Mật khẩu chứa ít hơn %n chữ in hoa + + The password contains too few uppercase letters @@ -2692,45 +2706,6 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< The password contains too few lowercase letters Mật khẩu chứa quá ít chữ thường - - - The password contains too few non-alphanumeric characters - Mật khẩu chứa quá ít ký tự không phải chữ và số - - - - The password is too short - Mật khẩu quá ngắn - - - - The password does not contain enough character classes - Mật khẩu không chứa đủ các lớp ký tự - - - - The password contains too many same characters consecutively - Mật khẩu chứa quá nhiều ký tự giống nhau liên tiếp - - - - The password contains too many characters of the same class consecutively - Mật khẩu chứa quá nhiều ký tự của cùng một lớp liên tiếp - - - - The password contains fewer than %n digits - - Mật khẩu chứa ít hơn %n chữ số - - - - - The password contains fewer than %n uppercase letters - - Mật khẩu chứa ít hơn %n chữ in hoa - - The password contains fewer than %n non-alphanumeric characters @@ -2738,6 +2713,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Mật khẩu chứa ít hơn %n kí tự không phải là chữ và số + + + The password contains too few non-alphanumeric characters + Mật khẩu chứa quá ít ký tự không phải chữ và số + The password is shorter than %n characters @@ -2745,6 +2725,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Mật khẩu ngắn hơn %n kí tự + + + The password is too short + Mật khẩu quá ngắn + The password is a rotated version of the previous one @@ -2757,6 +2742,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Mật khẩu chứ ít hơn %n lớp kí tự + + + The password does not contain enough character classes + Mật khẩu không chứa đủ các lớp ký tự + The password contains more than %n same characters consecutively @@ -2764,6 +2754,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Mật khẩu chứa nhiều hơn %n kí tự giống nhau liên tiếp + + + The password contains too many same characters consecutively + Mật khẩu chứa quá nhiều ký tự giống nhau liên tiếp + The password contains more than %n characters of the same class consecutively @@ -2771,6 +2766,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< Mật khẩu chứa nhiều hơn %n kí tự của cùng một lớp liên tiếp + + + The password contains too many characters of the same class consecutively + Mật khẩu chứa quá nhiều ký tự của cùng một lớp liên tiếp + The password contains monotonic sequence longer than %n characters @@ -3193,6 +3193,18 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + Phân vùng + Unsafe partition actions are enabled. @@ -3209,33 +3221,25 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - + + Current: + @label + Hiện tại: - - No EFI system partition configured - Không có hệ thống phân vùng EFI được cài đặt + + After: + @label + Sau: - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3248,6 +3252,11 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< The filesystem must have type FAT32. + + + The filesystem must have flag <strong>%1</strong> set. + + @@ -3255,37 +3264,28 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< - - The filesystem must have flag <strong>%1</strong> set. + + The minimum recommended size for the filesystem is %1 MiB. - - Gathering system information… - @status + + You can continue without setting up an EFI system partition but your system may fail to start. - - Partitions - @label - Phân vùng - - - - Current: - @label - Hiện tại: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - Sau: + + No EFI system partition configured + Không có hệ thống phân vùng EFI được cài đặt - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3383,14 +3383,14 @@ Trình cài đặt sẽ thoát và tất cả các thay đổi sẽ bị mất.< ProcessResult - + There was no output from the command. Không có đầu ra từ lệnh. - + Output: @@ -3399,52 +3399,52 @@ Output: - + External command crashed. Lệnh bên ngoài bị lỗi. - + Command <i>%1</i> crashed. Lệnh <i>%1</i> bị lỗi. - + External command failed to start. Lệnh ngoài không thể bắt đầu. - + Command <i>%1</i> failed to start. Lệnh <i>%1</i> không thể bắt đầu. - + Internal error when starting command. Lỗi nội bộ khi bắt đầu lệnh. - + Bad parameters for process job call. Tham số không hợp lệ cho lệnh gọi công việc của quy trình. - + External command failed to finish. Không thể hoàn tất lệnh bên ngoài. - + Command <i>%1</i> failed to finish in %2 seconds. Lệnh <i>%1</i> không thể hoàn thành trong %2 giây. - + External command finished with errors. Lệnh bên ngoài kết thúc với lỗi. - + Command <i>%1</i> finished with exit code %2. Lệnh <i>%1</i> hoàn thành với lỗi %2. @@ -3456,6 +3456,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + không xác định + + + + extended + @partition info + gia tăng + + + + unformatted + @partition info + không định dạng + + + + swap + @partition info + hoán đổi + @@ -3487,30 +3511,6 @@ Output: (no mount point) (không có điểm gắn kết) - - - unknown - @partition info - không xác định - - - - extended - @partition info - gia tăng - - - - unformatted - @partition info - không định dạng - - - - swap - @partition info - hoán đổi - Unpartitioned space or unknown partition table @@ -3947,17 +3947,17 @@ Output: Cannot disable root account. Không thể vô hiệu hoá tài khoản quản trị. - - - Cannot set password for user %1. - Không thể đặt mật khẩu cho người dùng %1. - usermod terminated with error code %1. usermod bị chấm dứt với mã lỗi %1. + + + Cannot set password for user %1. + Không thể đặt mật khẩu cho người dùng %1. + SetTimezoneJob @@ -4050,7 +4050,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4858,11 +4859,21 @@ Output: What is your name? Hãy cho Vigo biết tên đầy đủ của bạn? + + + Your full name + + What name do you want to use to log in? Bạn muốn dùng tên nào để đăng nhập máy tính? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4883,11 +4894,21 @@ Output: What is the name of this computer? Tên của máy tính này là? + + + Computer name + + This name will be used if you make the computer visible to others on a network. Tên này sẽ hiển thị khi bạn kết nối vào một mạng. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4903,11 +4924,31 @@ Output: Password Mật khẩu + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. Nhập lại mật khẩu hai lần để kiểm tra. Một mật khẩu tốt phải có ít nhất 8 ký tự và bao gồm chữ, số, ký hiệu đặc biệt. Nên được thay đổi thường xuyên. + + + Reuse user password as root password + Dùng lại mật khẩu người dùng như mật khẩu quản trị + + + + Use the same password for the administrator account. + Dùng cùng một mật khẩu cho tài khoản quản trị. + + + + Choose a root password to keep your account safe. + Chọn mật khẩu quản trị để giữ máy tính an toàn. + Root password @@ -4919,14 +4960,9 @@ Output: - - Validate passwords quality - Xác thực chất lượng mật khẩu - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - Khi tích chọn, bạn có thể chọn mật khẩu yếu. + + Enter the same password twice, so that it can be checked for typing errors. + Nhập lại mật khẩu hai lần để kiểm tra. @@ -4934,49 +4970,14 @@ Output: Tự động đăng nhập không hỏi mật khẩu - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - - - - - Repeat password - - - - - Reuse user password as root password - Dùng lại mật khẩu người dùng như mật khẩu quản trị - - - - Use the same password for the administrator account. - Dùng cùng một mật khẩu cho tài khoản quản trị. - - - - Choose a root password to keep your account safe. - Chọn mật khẩu quản trị để giữ máy tính an toàn. + + Validate passwords quality + Xác thực chất lượng mật khẩu - - Enter the same password twice, so that it can be checked for typing errors. - Nhập lại mật khẩu hai lần để kiểm tra. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + Khi tích chọn, bạn có thể chọn mật khẩu yếu. @@ -4991,11 +4992,21 @@ Output: What is your name? Hãy cho Vigo biết tên đầy đủ của bạn? + + + Your full name + + What name do you want to use to log in? Bạn muốn dùng tên nào để đăng nhập máy tính? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5016,16 +5027,6 @@ Output: What is the name of this computer? Tên máy tính này là? - - - Your full name - - - - - Login name - - Computer name @@ -5061,16 +5062,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5091,6 +5082,16 @@ Output: Choose a root password to keep your account safe. Chọn mật khẩu quản trị để giữ máy tính an toàn. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_zh.ts b/lang/calamares_zh.ts index ade15d7f22..7a1a4cab3b 100644 --- a/lang/calamares_zh.ts +++ b/lang/calamares_zh.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ - + Setup Failed @title @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -589,25 +589,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -664,16 +664,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -701,6 +691,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -822,6 +817,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -832,44 +832,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -905,247 +905,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1471,8 +1471,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1486,13 +1491,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2269,7 +2269,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2439,6 +2439,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2487,11 +2492,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2664,11 +2664,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2686,45 +2700,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2732,6 +2707,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2739,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2751,6 +2736,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2758,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2765,6 +2760,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3188,48 +3188,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,43 +3247,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3377,65 +3377,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3447,6 +3447,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3478,30 +3502,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3935,17 +3935,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4038,7 +4038,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4825,11 +4826,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4850,11 +4861,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4871,78 +4892,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4958,11 +4959,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4983,16 +4994,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5028,16 +5029,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5058,6 +5049,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_zh_CN.ts b/lang/calamares_zh_CN.ts index 3f26e5d46c..ab881c37b3 100644 --- a/lang/calamares_zh_CN.ts +++ b/lang/calamares_zh_CN.ts @@ -126,31 +126,21 @@ Interface: 接口: + + + Crashes Calamares, so that Dr. Konqi can look at it. + + Reloads the stylesheet from the branding directory. 从Branding目录重新加载样式表 - - - Uploads the session log to the configured pastebin. - 将会话日志上传至预设的pastebin网站 - - - - Send Session Log - 发送会话日志 - Reload Stylesheet 重载样式表 - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -161,6 +151,16 @@ Widget Tree 树形控件 + + + Uploads the session log to the configured pastebin. + 将会话日志上传至预设的pastebin网站 + + + + Send Session Log + 发送会话日志 + Debug Information @@ -377,8 +377,8 @@ (%n second(s)) @status - - + + (%n 秒) @@ -390,6 +390,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + 上传失败,未完成网页粘贴。 + + + + Install log posted to + +%1 + +Link copied to clipboard + 发送至 + +%1 + +的链接已保存至剪贴板 + + + + Install Log Paste URL + 安装日志粘贴 URL + &Yes @@ -406,7 +429,7 @@ &关闭 - + Setup Failed @title 初始化失败 @@ -436,13 +459,13 @@ %1无法安装。 Calamares无法加载所有已配置的模块。这个问题是发行版配置Calamares不当导致的。 - + <br/>The following modules could not be loaded: @info <br/>无法加载以下模块: - + Continue with Setup? @title @@ -460,133 +483,110 @@ 为了安装%2, %1 安装程序即将对磁盘进行更改。<br/><strong>这些更改无法撤销。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 安装程序将在您的磁盘上做出更改以安装 %2。<br/><strong>您将无法还原这些更改。</strong> - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button 安装(&I) - + Setup is complete. Close the setup program. @tooltip 安装完成。关闭安装程序。 - + The installation is complete. Close the installer. @tooltip 安装已完成。请关闭安装程序。 - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button 下一步(&N) - + &Back @button 后退(&B) - + &Done @button &完成 - + &Cancel @button 取消(&C) - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - 安装日志粘贴 URL - - - - The upload was unsuccessful. No web-paste was done. - 上传失败,未完成网页粘贴。 - - - - Install log posted to - -%1 - -Link copied to clipboard - 发送至 - -%1 - -的链接已保存至剪贴板 - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 确定要取消当前安装吗? 安装程序将会退出,所有修改都会丢失。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 确定要取消当前的安装吗? @@ -596,25 +596,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error 未知异常类型 - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -671,16 +671,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手动分区</strong><br/>您可以自行创建或重新调整分区大小。 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>选择要缩小的分区,然后拖动底栏改变大小</strong> - Select storage de&vice: @@ -708,6 +698,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>选择要缩小的分区,然后拖动底栏改变大小</strong> + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -829,6 +824,11 @@ The installer will quit and all changes will be lost. @label 交换到文件 + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手动分区</strong><br/>您可以自行创建或重新调整分区大小。 + Bootloader location: @@ -839,44 +839,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. 成功卸载了 %1。 - + Successfully disabled swap %1. 成功禁用了交换空间 %1。 - + Successfully cleared swap %1. 成功清理了交换空间 %1。 - + Successfully closed mapper device %1. 成功关闭了映射设备 %1。 - + Successfully disabled volume group %1. 成功禁用了卷组 %1。 - + Clear mounts for partitioning operations on %1 @title 清理挂载了的分区以在 %1 进行分区操作 - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 已清除 %1 的所有挂载点 @@ -912,129 +912,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - 网络安装。(因错误的配置而被禁用) - - - - Network Installation. (Disabled: Received invalid groups data) - 网络安装。(因收到无效组数据而被禁用) - - - - Network Installation. (Disabled: Internal error) - 网络安装。(因内部错误而被禁用) - - - - Network Installation. (Disabled: No package list) - 网络安装。(因无软件包列表而被禁用) - - - - Package selection - 软件包选择 - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - 网络安装。(因无法获取软件包列表而被禁用,请检查网络连接) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - 此计算机不满足安装 %1 的最低需求。<br/> 初始化无法继续。 + + Setup Failed + @title + 初始化失败 - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - 此计算机木不满足安装 %1 的最低需求。<br/> 安装无法继续。 + + Installation Failed + @title + 安装失败 - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - 此计算机不满足安装 %1 的部分推荐配置。<br/>初始化可以继续,但是一些功能可能会被禁用。 + + The setup of %1 did not complete successfully. + @info + %1的设置未成功完成 - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - 此计算机不满足安装 %1 的部分推荐配置。<br/>安装可以继续,但是一些功能可能会被禁用。 + + The installation of %1 did not complete successfully. + @info + %1的安装未成功完成 - - This program will ask you some questions and set up %2 on your computer. - 本程序将会问您一些问题并在您的电脑上安装及设置 %2 。 + + Setup Complete + @title + 安装完成 - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>欢迎使用 %1 的 Calamares 安装程序</h1> + + Installation Complete + @title + 安装完成 - - <h1>Welcome to %1 setup</h1> - <h1>欢迎使用 %1 设置</h1> + + The setup of %1 is complete. + @info + %1 安装完成。 - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>欢迎使用 %1 的 Calamares 安装程序</h1> + + The installation of %1 is complete. + @info + %1 的安装操作已完成。 - - <h1>Welcome to the %1 installer</h1> - <h1>欢迎使用 %1 安装程序</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + - - Your username is too long. - 用户名太长。 + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + - - '%1' is not allowed as username. - '%1' 不允许作为用户名。 + + Set timezone to %1/%2 + @action + 设置时区为 %1/%2 - - Your username must start with a lowercase letter or underscore. - 用户名必须以小写字母或下划线"_"开头 + + The system language will be set to %1. + @info + 系统语言将设置为 %1。 - - Only lowercase letters, numbers, underscore and hyphen are allowed. - 只允许小写字母、数组、下划线"_" 和 连字符"-" + + The numbers and dates locale will be set to %1. + @info + 数字和日期地域将设置为 %1。 - - Your hostname is too short. - 主机名太短。 + + Network Installation. (Disabled: Incorrect configuration) + 网络安装。(因错误的配置而被禁用) - - Your hostname is too long. - 主机名太长。 + + Network Installation. (Disabled: Received invalid groups data) + 网络安装。(因收到无效组数据而被禁用) - - '%1' is not allowed as hostname. - '%1' 不允许作为主机名。 + + Network Installation. (Disabled: Internal error) + 网络安装。(因内部错误而被禁用) - - Only letters, numbers, underscore and hyphen are allowed. - 只允许字母、数组、下划线"_" 和 连字符"-" + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + 网络安装。(因无法获取软件包列表而被禁用,请检查网络连接) - - Your passwords do not match! - 密码不匹配! + + Network Installation. (Disabled: No package list) + 网络安装。(因无软件包列表而被禁用) - - OK! - 确定 + + Package selection + 软件包选择 @@ -1062,98 +1045,115 @@ The installer will quit and all changes will be lost. - - Summary - @label - 摘要 + + Summary + @label + 摘要 + + + + This is an overview of what will happen once you start the setup procedure. + 预览——当你启动安装过程,以下行为将被执行 + + + + This is an overview of what will happen once you start the install procedure. + 这是您开始安装后所会发生的事情的概览。 + + + + Your username is too long. + 用户名太长。 + + + + Your username must start with a lowercase letter or underscore. + 用户名必须以小写字母或下划线"_"开头 + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + 只允许小写字母、数组、下划线"_" 和 连字符"-" + + + + '%1' is not allowed as username. + '%1' 不允许作为用户名。 - - This is an overview of what will happen once you start the setup procedure. - 预览——当你启动安装过程,以下行为将被执行 + + Your hostname is too short. + 主机名太短。 - - This is an overview of what will happen once you start the install procedure. - 这是您开始安装后所会发生的事情的概览。 + + Your hostname is too long. + 主机名太长。 - - Setup Failed - @title - 初始化失败 + + '%1' is not allowed as hostname. + '%1' 不允许作为主机名。 - - Installation Failed - @title - 安装失败 + + Only letters, numbers, underscore and hyphen are allowed. + 只允许字母、数组、下划线"_" 和 连字符"-" - - The setup of %1 did not complete successfully. - @info - %1的设置未成功完成 + + Your passwords do not match! + 密码不匹配! - - The installation of %1 did not complete successfully. - @info - %1的安装未成功完成 + + OK! + 确定 - - Setup Complete - @title - 安装完成 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + 此计算机不满足安装 %1 的最低需求。<br/> 初始化无法继续。 - - Installation Complete - @title - 安装完成 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + 此计算机木不满足安装 %1 的最低需求。<br/> 安装无法继续。 - - The setup of %1 is complete. - @info - %1 安装完成。 + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + 此计算机不满足安装 %1 的部分推荐配置。<br/>初始化可以继续,但是一些功能可能会被禁用。 - - The installation of %1 is complete. - @info - %1 的安装操作已完成。 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + 此计算机不满足安装 %1 的部分推荐配置。<br/>安装可以继续,但是一些功能可能会被禁用。 - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - + + This program will ask you some questions and set up %2 on your computer. + 本程序将会问您一些问题并在您的电脑上安装及设置 %2 。 - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>欢迎使用 %1 的 Calamares 安装程序</h1> - - Set timezone to %1/%2 - @action - 设置时区为 %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>欢迎使用 %1 设置</h1> - - The system language will be set to %1. - @info - 系统语言将设置为 %1。 + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>欢迎使用 %1 的 Calamares 安装程序</h1> - - The numbers and dates locale will be set to %1. - @info - 数字和日期地域将设置为 %1。 + + <h1>Welcome to the %1 installer</h1> + <h1>欢迎使用 %1 安装程序</h1> @@ -1478,9 +1478,15 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - 此设备上有一个 <strong>%1</strong> 分区表。 + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>此分区表类型只建议用于使用 <strong>BIOS</strong> 引导环境的较旧系统,否则一般建议使用 GPT。<br> +<strong>警告:</strong>MSDOS 分区表是一个有着重大缺点、已被弃用的标准。<br>MSDOS 分区表上只能创建 4 个<u>主要</u>分区,其中一个可以是<u>拓展</u>分区,此分区可以再分为许多<u>逻辑</u>分区。 + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>此分区表类型推荐用于使用 <strong>EFI</strong> 引导环境的系统。 @@ -1493,15 +1499,9 @@ The installer will quit and all changes will be lost. 本安装程序在选定的存储器上<strong>探测不到分区表</strong>。<br><br>此设备要不是没有分区表,就是其分区表已毁损又或者是一个未知类型的分区表。<br>本安装程序将会为您建立一个新的分区表,可以自动或通过手动分割页面完成。 - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>此分区表类型推荐用于使用 <strong>EFI</strong> 引导环境的系统。 - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>此分区表类型只建议用于使用 <strong>BIOS</strong> 引导环境的较旧系统,否则一般建议使用 GPT。<br> -<strong>警告:</strong>MSDOS 分区表是一个有着重大缺点、已被弃用的标准。<br>MSDOS 分区表上只能创建 4 个<u>主要</u>分区,其中一个可以是<u>拓展</u>分区,此分区可以再分为许多<u>逻辑</u>分区。 + + This device has a <strong>%1</strong> partition table. + 此设备上有一个 <strong>%1</strong> 分区表。 @@ -2277,7 +2277,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit 退出 @@ -2451,6 +2451,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment 桌面 + + + Applications + 应用程序 + Communication @@ -2499,11 +2504,6 @@ The installer will quit and all changes will be lost. label for netinstall module 实用工具 - - - Applications - 应用程序 - NotesQmlViewStep @@ -2676,11 +2676,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form 新密码包含不允许使用的词组 + + + The password contains fewer than %n digits + + 密码包含的数字少于 %n 个 + + The password contains too few digits 新密码包含太少数字 + + + The password contains fewer than %n uppercase letters + + 密码包含的大写字母少于 %n 个 + + The password contains too few uppercase letters @@ -2698,45 +2712,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters 新密码包含太少小写字母 - - - The password contains too few non-alphanumeric characters - 新密码包含太少非字母/数字字符 - - - - The password is too short - 新密码过短 - - - - The password does not contain enough character classes - 新密码包含太少字符类型 - - - - The password contains too many same characters consecutively - 新密码包含过多连续的相同字符 - - - - The password contains too many characters of the same class consecutively - 新密码包含过多连续的同类型字符 - - - - The password contains fewer than %n digits - - 密码包含的数字少于 %n 个 - - - - - The password contains fewer than %n uppercase letters - - 密码包含的大写字母少于 %n 个 - - The password contains fewer than %n non-alphanumeric characters @@ -2744,6 +2719,11 @@ The installer will quit and all changes will be lost. 密码包含的非字母数字字符少于 %n 个 + + + The password contains too few non-alphanumeric characters + 新密码包含太少非字母/数字字符 + The password is shorter than %n characters @@ -2751,6 +2731,11 @@ The installer will quit and all changes will be lost. 密码少于 %n 个字符 + + + The password is too short + 新密码过短 + The password is a rotated version of the previous one @@ -2763,6 +2748,11 @@ The installer will quit and all changes will be lost. 新密码包含字符类型少于 %n 个 + + + The password does not contain enough character classes + 新密码包含太少字符类型 + The password contains more than %n same characters consecutively @@ -2770,6 +2760,11 @@ The installer will quit and all changes will be lost. 新密码包含超过 %n 个连续的相同字符 + + + The password contains too many same characters consecutively + 新密码包含过多连续的相同字符 + The password contains more than %n characters of the same class consecutively @@ -2777,6 +2772,11 @@ The installer will quit and all changes will be lost. 新密码包含超过 %n 个连续的同类型字符 + + + The password contains too many characters of the same class consecutively + 新密码包含过多连续的同类型字符 + The password contains monotonic sequence longer than %n characters @@ -3199,6 +3199,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + + + + + Partitions + @label + 分区 + Unsafe partition actions are enabled. @@ -3215,35 +3227,27 @@ The installer will quit and all changes will be lost. 不会更改任何分区。 - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - - - - - The minimum recommended size for the filesystem is %1 MiB. - - - - - You can continue with this EFI system partition configuration but your system may fail to start. - - - - - No EFI system partition configured - 未配置 EFI 系统分区 - - - - EFI system partition configured incorrectly - EFI系统分区配置错误 + + Current: + @label + 当前: + + + + After: + @label + 之后: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. 启动 %1 必须需要 EFI 系統分区。<br/><br/>要設定 EFI 系统分区,返回并选择或者建立符合要求的分区。 + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + The filesystem must be mounted on <strong>%1</strong>. @@ -3254,6 +3258,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. 此文件系统必须为FAT32 + + + The filesystem must have flag <strong>%1</strong> set. + 文件系统必须设置 <strong>%1</strong> 标记。 + @@ -3261,38 +3270,29 @@ The installer will quit and all changes will be lost. 文件系统必须要有%1 MiB 的大小。 - - The filesystem must have flag <strong>%1</strong> set. - 文件系统必须设置 <strong>%1</strong> 标记。 - - - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label - 分区 + + You can continue without setting up an EFI system partition but your system may fail to start. + 您可以在不设置EFI系统分区的情况下继续,但您的系統可能无法启动。 - - Current: - @label - 当前: + + You can continue with this EFI system partition configuration but your system may fail to start. + - - After: - @label - 之后: + + No EFI system partition configured + 未配置 EFI 系统分区 - - You can continue without setting up an EFI system partition but your system may fail to start. - 您可以在不设置EFI系统分区的情况下继续,但您的系統可能无法启动。 + + EFI system partition configured incorrectly + EFI系统分区配置错误 @@ -3389,14 +3389,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 命令没有输出。 - + Output: @@ -3405,52 +3405,52 @@ Output: - + External command crashed. 外部命令已崩溃。 - + Command <i>%1</i> crashed. 命令 <i>%1</i> 已崩溃。 - + External command failed to start. 无法启动外部命令。 - + Command <i>%1</i> failed to start. 无法启动命令 <i>%1</i>。 - + Internal error when starting command. 启动命令时出现内部错误。 - + Bad parameters for process job call. 呼叫进程任务出现错误参数 - + External command failed to finish. 外部命令未成功完成。 - + Command <i>%1</i> failed to finish in %2 seconds. 命令 <i>%1</i> 未能在 %2 秒内完成。 - + External command finished with errors. 外部命令已完成,但出现了错误。 - + Command <i>%1</i> finished with exit code %2. 命令 <i>%1</i> 以退出代码 %2 完成。 @@ -3462,6 +3462,30 @@ Output: %1 (%2) %1(%2) + + + unknown + @partition info + 未知 + + + + extended + @partition info + 扩展分区 + + + + unformatted + @partition info + 未格式化 + + + + swap + @partition info + 交换分区 + @@ -3493,30 +3517,6 @@ Output: (no mount point) (无挂载点) - - - unknown - @partition info - 未知 - - - - extended - @partition info - 扩展分区 - - - - unformatted - @partition info - 未格式化 - - - - swap - @partition info - 交换分区 - Unpartitioned space or unknown partition table @@ -3953,17 +3953,17 @@ Output: Cannot disable root account. 无法禁用 root 帐号。 - - - Cannot set password for user %1. - 无法设置用户 %1 的密码。 - usermod terminated with error code %1. usermod 以错误代码 %1 中止。 + + + Cannot set password for user %1. + 无法设置用户 %1 的密码。 + SetTimezoneJob @@ -4056,7 +4056,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4872,11 +4873,21 @@ Output: What is your name? 您的姓名? + + + Your full name + + What name do you want to use to log in? 您想要使用的登录用户名是? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4897,11 +4908,21 @@ Output: What is the name of this computer? 计算机名称为? + + + Computer name + + This name will be used if you make the computer visible to others on a network. 将计算机设置为对其他网络上计算机可见时将使用此名称。 + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + 只允许字母、数组、下划线"_" 和 连字符"-",最少两个字符。 + localhost is not allowed as hostname. @@ -4917,11 +4938,31 @@ Output: Password 密码 + + + Repeat password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 输入相同密码两次,以检查输入错误。好的密码包含字母,数字,标点的组合,应当至少为 8 个字符长,并且应按一定周期更换。 + + + Reuse user password as root password + 重用用户密码作为 root 密码 + + + + Use the same password for the administrator account. + 为管理员帐号使用同样的密码。 + + + + Choose a root password to keep your account safe. + 选择一个 root 密码来保证您的账户安全。 + Root password @@ -4933,14 +4974,9 @@ Output: - - Validate passwords quality - 验证密码质量 - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - 若选中此项,密码强度检测会开启,你将不被允许使用弱密码。 + + Enter the same password twice, so that it can be checked for typing errors. + 输入相同密码两次,以检查输入错误。 @@ -4948,49 +4984,14 @@ Output: 不询问密码自动登录 - - Your full name - - - - - Login name - - - - - Computer name - - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - 只允许字母、数组、下划线"_" 和 连字符"-",最少两个字符。 - - - - Repeat password - - - - - Reuse user password as root password - 重用用户密码作为 root 密码 - - - - Use the same password for the administrator account. - 为管理员帐号使用同样的密码。 - - - - Choose a root password to keep your account safe. - 选择一个 root 密码来保证您的账户安全。 + + Validate passwords quality + 验证密码质量 - - Enter the same password twice, so that it can be checked for typing errors. - 输入相同密码两次,以检查输入错误。 + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + 若选中此项,密码强度检测会开启,你将不被允许使用弱密码。 @@ -5005,11 +5006,21 @@ Output: What is your name? 您的姓名? + + + Your full name + + What name do you want to use to log in? 您想要使用的登录用户名是? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5030,16 +5041,6 @@ Output: What is the name of this computer? 计算机名称为? - - - Your full name - - - - - Login name - - Computer name @@ -5075,16 +5076,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5105,6 +5096,16 @@ Output: Choose a root password to keep your account safe. 选择一个 root 密码来保证您的账户安全。 + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_zh_HK.ts b/lang/calamares_zh_HK.ts index 818a115789..ba6b4fdd12 100644 --- a/lang/calamares_zh_HK.ts +++ b/lang/calamares_zh_HK.ts @@ -126,18 +126,13 @@ - - Reloads the stylesheet from the branding directory. - - - - - Uploads the session log to the configured pastebin. + + Crashes Calamares, so that Dr. Konqi can look at it. - - Send Session Log + + Reloads the stylesheet from the branding directory. @@ -145,11 +140,6 @@ Reload Stylesheet - - - Crashes Calamares, so that Dr. Konqi can look at it. - - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree + + + Uploads the session log to the configured pastebin. + + + + + Send Session Log + + Debug Information @@ -389,6 +389,25 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + + + + + Install log posted to + +%1 + +Link copied to clipboard + + + + + Install Log Paste URL + + &Yes @@ -405,7 +424,7 @@ - + Setup Failed @title @@ -435,13 +454,13 @@ - + <br/>The following modules could not be loaded: @info - + Continue with Setup? @title @@ -459,128 +478,109 @@ - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version - + &Set Up Now @button - + &Install Now @button - + Go &Back @button - + &Set Up @button - + &Install @button - + Setup is complete. Close the setup program. @tooltip - + The installation is complete. Close the installer. @tooltip - + Cancel the setup process without changing the system. @tooltip - + Cancel the installation process without changing the system. @tooltip - + &Next @button - + &Back @button - + &Done @button - + &Cancel @button - + Cancel Setup? @title - + Cancel Installation? @title - - Install Log Paste URL - - - - - The upload was unsuccessful. No web-paste was done. - - - - - Install log posted to - -%1 - -Link copied to clipboard - - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -589,25 +589,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error - + Unparseable Python error @error - + Unparseable Python traceback @error - + Unfetchable Python error @error @@ -664,16 +664,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - - Select storage de&vice: @@ -701,6 +691,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + + %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. @@ -822,6 +817,11 @@ The installer will quit and all changes will be lost. @label + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + + Bootloader location: @@ -832,44 +832,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. - + Successfully disabled swap %1. - + Successfully cleared swap %1. - + Successfully closed mapper device %1. - + Successfully disabled volume group %1. - + Clear mounts for partitioning operations on %1 @title - + Clearing mounts for partitioning operations on %1… @status - + Cleared all mounts for %1 @@ -905,247 +905,247 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) + + Setup Failed + @title - - Network Installation. (Disabled: Received invalid groups data) + + Installation Failed + @title - - Network Installation. (Disabled: Internal error) + + The setup of %1 did not complete successfully. + @info - - Network Installation. (Disabled: No package list) + + The installation of %1 did not complete successfully. + @info - - Package selection + + Setup Complete + @title - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + + Installation Complete + @title - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + + The setup of %1 is complete. + @info - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + + The installation of %1 is complete. + @info - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant - - This program will ask you some questions and set up %2 on your computer. + + Set timezone to %1/%2 + @action - - <h1>Welcome to the Calamares setup program for %1</h1> + + The system language will be set to %1. + @info - - <h1>Welcome to %1 setup</h1> + + The numbers and dates locale will be set to %1. + @info - - <h1>Welcome to the Calamares installer for %1</h1> + + Network Installation. (Disabled: Incorrect configuration) - - <h1>Welcome to the %1 installer</h1> + + Network Installation. (Disabled: Received invalid groups data) - - Your username is too long. + + Network Installation. (Disabled: Internal error) - - '%1' is not allowed as username. + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - - Your username must start with a lowercase letter or underscore. + + Network Installation. (Disabled: No package list) - - Only lowercase letters, numbers, underscore and hyphen are allowed. + + Package selection - - Your hostname is too short. + + Package Selection - - Your hostname is too long. + + Please pick a product from the list. The selected product will be installed. - - '%1' is not allowed as hostname. + + Packages - - Only letters, numbers, underscore and hyphen are allowed. + + Install option: <strong>%1</strong> - - Your passwords do not match! + + None - - OK! + + Summary + @label - - Package Selection + + This is an overview of what will happen once you start the setup procedure. - - Please pick a product from the list. The selected product will be installed. + + This is an overview of what will happen once you start the install procedure. - - Packages + + Your username is too long. - - Install option: <strong>%1</strong> + + Your username must start with a lowercase letter or underscore. - - None + + Only lowercase letters, numbers, underscore and hyphen are allowed. - - Summary - @label + + '%1' is not allowed as username. - - This is an overview of what will happen once you start the setup procedure. + + Your hostname is too short. - - This is an overview of what will happen once you start the install procedure. + + Your hostname is too long. - - Setup Failed - @title + + '%1' is not allowed as hostname. - - Installation Failed - @title + + Only letters, numbers, underscore and hyphen are allowed. - - The setup of %1 did not complete successfully. - @info + + Your passwords do not match! - - The installation of %1 did not complete successfully. - @info + + OK! - - Setup Complete - @title + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - - Installation Complete - @title + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - - The setup of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - - The installation of %1 is complete. - @info + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard + + This program will ask you some questions and set up %2 on your computer. - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant + + <h1>Welcome to the Calamares setup program for %1</h1> - - Set timezone to %1/%2 - @action + + <h1>Welcome to %1 setup</h1> - - The system language will be set to %1. - @info + + <h1>Welcome to the Calamares installer for %1</h1> - - The numbers and dates locale will be set to %1. - @info + + <h1>Welcome to the %1 installer</h1> @@ -1471,8 +1471,13 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. @@ -1486,13 +1491,8 @@ The installer will quit and all changes will be lost. - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + + This device has a <strong>%1</strong> partition table. @@ -2269,7 +2269,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit @@ -2439,6 +2439,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment + + + Applications + + Communication @@ -2487,11 +2492,6 @@ The installer will quit and all changes will be lost. label for netinstall module - - - Applications - - NotesQmlViewStep @@ -2664,11 +2664,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form + + + The password contains fewer than %n digits + + + + The password contains too few digits + + + The password contains fewer than %n uppercase letters + + + + The password contains too few uppercase letters @@ -2686,45 +2700,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters - - - The password contains too few non-alphanumeric characters - - - - - The password is too short - - - - - The password does not contain enough character classes - - - - - The password contains too many same characters consecutively - - - - - The password contains too many characters of the same class consecutively - - - - - The password contains fewer than %n digits - - - - - - - The password contains fewer than %n uppercase letters - - - - The password contains fewer than %n non-alphanumeric characters @@ -2732,6 +2707,11 @@ The installer will quit and all changes will be lost. + + + The password contains too few non-alphanumeric characters + + The password is shorter than %n characters @@ -2739,6 +2719,11 @@ The installer will quit and all changes will be lost. + + + The password is too short + + The password is a rotated version of the previous one @@ -2751,6 +2736,11 @@ The installer will quit and all changes will be lost. + + + The password does not contain enough character classes + + The password contains more than %n same characters consecutively @@ -2758,6 +2748,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many same characters consecutively + + The password contains more than %n characters of the same class consecutively @@ -2765,6 +2760,11 @@ The installer will quit and all changes will be lost. + + + The password contains too many characters of the same class consecutively + + The password contains monotonic sequence longer than %n characters @@ -3188,48 +3188,52 @@ The installer will quit and all changes will be lost. PartitionViewStep - - Unsafe partition actions are enabled. + + Gathering system information… + @status - - Partitioning is configured to <b>always</b> fail. + + Partitions + @label - - No partitions will be changed. + + Unsafe partition actions are enabled. - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + + Partitioning is configured to <b>always</b> fail. - - The minimum recommended size for the filesystem is %1 MiB. + + No partitions will be changed. - - You can continue with this EFI system partition configuration but your system may fail to start. + + Current: + @label - - No EFI system partition configured + + After: + @label - - EFI system partition configured incorrectly + + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - - An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. @@ -3243,43 +3247,39 @@ The installer will quit and all changes will be lost. - - - The filesystem must be at least %1 MiB in size. + + The filesystem must have flag <strong>%1</strong> set. - - The filesystem must have flag <strong>%1</strong> set. + + + The filesystem must be at least %1 MiB in size. - - Gathering system information… - @status + + The minimum recommended size for the filesystem is %1 MiB. - - Partitions - @label + + You can continue without setting up an EFI system partition but your system may fail to start. - - Current: - @label + + You can continue with this EFI system partition configuration but your system may fail to start. - - After: - @label + + No EFI system partition configured - - You can continue without setting up an EFI system partition but your system may fail to start. + + EFI system partition configured incorrectly @@ -3377,65 +3377,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -3447,6 +3447,30 @@ Output: %1 (%2) + + + unknown + @partition info + + + + + extended + @partition info + + + + + unformatted + @partition info + + + + + swap + @partition info + + @@ -3478,30 +3502,6 @@ Output: (no mount point) - - - unknown - @partition info - - - - - extended - @partition info - - - - - unformatted - @partition info - - - - - swap - @partition info - - Unpartitioned space or unknown partition table @@ -3935,17 +3935,17 @@ Output: Cannot disable root account. - - - Cannot set password for user %1. - - usermod terminated with error code %1. + + + Cannot set password for user %1. + + SetTimezoneJob @@ -4038,7 +4038,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) @@ -4825,11 +4826,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4850,11 +4861,21 @@ Output: What is the name of this computer? + + + Computer name + + This name will be used if you make the computer visible to others on a network. + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + localhost is not allowed as hostname. @@ -4871,78 +4892,58 @@ Output: - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - - - - Root password - - - - - Repeat root password - - - - - Validate passwords quality - - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. + + Repeat password - - Log in automatically without asking for the password + + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. - - Your full name + + Reuse user password as root password - - Login name + + Use the same password for the administrator account. - - Computer name + + Choose a root password to keep your account safe. - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + + Root password - - Repeat password + + Repeat root password - - Reuse user password as root password + + Enter the same password twice, so that it can be checked for typing errors. - - Use the same password for the administrator account. + + Log in automatically without asking for the password - - Choose a root password to keep your account safe. + + Validate passwords quality - - Enter the same password twice, so that it can be checked for typing errors. + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. @@ -4958,11 +4959,21 @@ Output: What is your name? + + + Your full name + + What name do you want to use to log in? + + + Login name + + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4983,16 +4994,6 @@ Output: What is the name of this computer? - - - Your full name - - - - - Login name - - Computer name @@ -5028,16 +5029,6 @@ Output: Repeat password - - - Root password - - - - - Repeat root password - - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5058,6 +5049,16 @@ Output: Choose a root password to keep your account safe. + + + Root password + + + + + Repeat root password + + Enter the same password twice, so that it can be checked for typing errors. diff --git a/lang/calamares_zh_TW.ts b/lang/calamares_zh_TW.ts index 854b945767..37708a8cd2 100644 --- a/lang/calamares_zh_TW.ts +++ b/lang/calamares_zh_TW.ts @@ -125,31 +125,21 @@ Interface: 介面: + + + Crashes Calamares, so that Dr. Konqi can look at it. + 讓 Calamares 當機,這樣 Dr. Konqi 就能檢視。 + Reloads the stylesheet from the branding directory. 重新自品牌目錄載入樣式表。 - - - Uploads the session log to the configured pastebin. - 將工作階段紀錄檔上傳到設定好的 pastebin。 - - - - Send Session Log - 傳送工作階段紀錄檔 - Reload Stylesheet 重新載入樣式表 - - - Crashes Calamares, so that Dr. Konqi can look at it. - 讓 Calamares 當機,這樣 Dr. Konqi 就能檢視。 - Displays the tree of widget names in the log (for stylesheet debugging). @@ -160,6 +150,16 @@ Widget Tree 小工具樹 + + + Uploads the session log to the configured pastebin. + 將工作階段紀錄檔上傳到設定好的 pastebin。 + + + + Send Session Log + 傳送工作階段紀錄檔 + Debug Information @@ -377,7 +377,7 @@ (%n second(s)) @status - (%n秒) + (%n 秒) @@ -389,6 +389,29 @@ Calamares::ViewManager + + + The upload was unsuccessful. No web-paste was done. + 上傳不成功。並未完成網路張貼。 + + + + Install log posted to + +%1 + +Link copied to clipboard + 安裝紀錄檔已張貼到: + +%1 + +連結已複製到剪貼簿 + + + + Install Log Paste URL + 安裝紀錄檔張貼 URL + &Yes @@ -405,7 +428,7 @@ 關閉(&C) - + Setup Failed @title 設定失敗 @@ -435,13 +458,13 @@ %1 無法安裝。Calamares 無法載入所有已設定的模組。散佈版使用 Calamares 的方式有問題。 - + <br/>The following modules could not be loaded: @info <br/>以下的模組無法載入: - + Continue with Setup? @title 繼續安裝? @@ -459,133 +482,110 @@ %1 設定程式將在您的磁碟上做出變更以設定 %2。<br/><strong>您將無法復原這些變更。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 is short product name, %2 is short product name with version %1 安裝程式將在您的磁碟上做出變更以安裝 %2。<br/><strong>您將無法復原這些變更。</strong> - + &Set Up Now @button 立刻進行安裝(&S) - + &Install Now @button 現在安裝(&I) - + Go &Back @button 上一步(&B) - + &Set Up @button 安裝(&S) - + &Install @button 安裝(&I) - + Setup is complete. Close the setup program. @tooltip 設定完成。關閉設定程式。 - + The installation is complete. Close the installer. @tooltip 安裝完成。關閉安裝程式。 - + Cancel the setup process without changing the system. @tooltip 取消安裝流程而不變更系統。 - + Cancel the installation process without changing the system. @tooltip 取消安裝流程而不變更系統。 - + &Next @button 下一步 (&N) - + &Back @button 返回 (&B) - + &Done @button 完成(&D) - + &Cancel @button 取消(&C) - + Cancel Setup? @title 取消安裝? - + Cancel Installation? @title 取消安裝? - - Install Log Paste URL - 安裝紀錄檔張貼 URL - - - - The upload was unsuccessful. No web-paste was done. - 上傳不成功。並未完成網路張貼。 - - - - Install log posted to - -%1 - -Link copied to clipboard - 安裝紀錄檔已張貼到: - -%1 - -連結已複製到剪貼簿 - - - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 真的想要取消目前的設定程序嗎? 設定程式將會結束,所有變更都將會遺失。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 您真的想要取消目前的安裝程序嗎? @@ -595,25 +595,25 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type @error 未知的例外型別 - + Unparseable Python error @error 無法解析的 Python 錯誤 - + Unparseable Python traceback @error 無法解析的 Python 回溯紀錄 - + Unfetchable Python error @error 無法擷取的 Python 錯誤 @@ -670,16 +670,6 @@ The installer will quit and all changes will be lost. ChoicePage - - - <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. - <strong>手動分割</strong><br/>可以自行建立或重新調整分割區大小。 - - - - <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - <strong>選取要縮減的分割區,然後拖曳底部條狀物來調整大小</strong> - Select storage de&vice: @@ -705,7 +695,12 @@ The installer will quit and all changes will be lost. Reuse %1 as home partition for %2 @label - 重新使用 %1 作為 %2 的家目錄分割區。{1 ?} {2?} + 重新使用 %1 作為 %2 的家目錄分割區 + + + + <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> + <strong>選取要縮減的分割區,然後拖曳底部條狀物來調整大小</strong> @@ -828,6 +823,11 @@ The installer will quit and all changes will be lost. @label Swap 到檔案 + + + <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. + <strong>手動分割</strong><br/>可以自行建立或重新調整分割區大小。 + Bootloader location: @@ -838,44 +838,44 @@ The installer will quit and all changes will be lost. ClearMountsJob - + Successfully unmounted %1. 成功解除掛載 %1。 - + Successfully disabled swap %1. 成功停用 swap %1。 - + Successfully cleared swap %1. 成功清除 swap %1。 - + Successfully closed mapper device %1. 成功關閉對映裝置 %1。 - + Successfully disabled volume group %1. 成功停用捲軸群組 %1。 - + Clear mounts for partitioning operations on %1 @title 為了準備分割區操作而完全卸載 %1 - + Clearing mounts for partitioning operations on %1… @status - 正在為了準備分割區操作而清除掛載 %1。{1…?} + 正在為了準備分割區操作而完全清除掛載 %1…… - + Cleared all mounts for %1 已清除所有與 %1 相關的掛載 @@ -911,129 +911,112 @@ The installer will quit and all changes will be lost. Config - - Network Installation. (Disabled: Incorrect configuration) - 網路安裝。(已停用:設定不正確) - - - - Network Installation. (Disabled: Received invalid groups data) - 網路安裝。(已停用:收到無效的群組資料) - - - - Network Installation. (Disabled: Internal error) - 網路安裝。(已停用:內部錯誤) - - - - Network Installation. (Disabled: No package list) - 網路安裝。(已停用:無軟體包清單) - - - - Package selection - 軟體包選擇 - - - - Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - 網路安裝。(已停用:無法擷取軟體包清單,請檢查您的網路連線) - - - - This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. - 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。 + + Setup Failed + @title + 設定失敗 - - This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. - 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。 + + Installation Failed + @title + 安裝失敗 - - This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - 此電腦未滿足一些安裝 %1 的推薦需求。<br/>設定可以繼續,但部份功能可能會被停用。 + + The setup of %1 did not complete successfully. + @info + %1 的設定並未成功完成。 - - This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - 此電腦未滿足一些安裝 %1 的推薦需求。<br/>安裝可以繼續,但部份功能可能會被停用。 + + The installation of %1 did not complete successfully. + @info + %1 的安裝並未成功完成。 - - This program will ask you some questions and set up %2 on your computer. - 本程式會問您一些問題,然後在您的電腦安裝及設定 %2。 + + Setup Complete + @title + 設定完成 - - <h1>Welcome to the Calamares setup program for %1</h1> - <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> + + Installation Complete + @title + 安裝完成 - - <h1>Welcome to %1 setup</h1> - <h1>歡迎使用 %1 安裝程式</h1> + + The setup of %1 is complete. + @info + %1 的設定完成。 - - <h1>Welcome to the Calamares installer for %1</h1> - <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> + + The installation of %1 is complete. + @info + %1 的安裝已完成。 - - <h1>Welcome to the %1 installer</h1> - <h1>歡迎使用 %1 安裝程式</h1> + + Keyboard model has been set to %1<br/>. + @label, %1 is keyboard model, as in Apple Magic Keyboard + 鍵盤型號已設定為 %1<br/>。 - - Your username is too long. - 您的使用者名稱太長了。 + + Keyboard layout has been set to %1/%2. + @label, %1 is layout, %2 is layout variant + 鍵盤佈局已設定為 %1/%2。 - - '%1' is not allowed as username. - 「%1」無法作為使用者名稱。 + + Set timezone to %1/%2 + @action + 設定時區為 %1/%2 - - Your username must start with a lowercase letter or underscore. - 您的使用者名稱必須以小寫字母或底線開頭。 + + The system language will be set to %1. + @info + 系統語言會設定為%1。 - - Only lowercase letters, numbers, underscore and hyphen are allowed. - 僅允許小寫字母、數字、底線與連接號。 + + The numbers and dates locale will be set to %1. + @info + 數字與日期語系會設定為%1。 - - Your hostname is too short. - 您的主機名稱太短了。 + + Network Installation. (Disabled: Incorrect configuration) + 網路安裝。(已停用:設定不正確) - - Your hostname is too long. - 您的主機名稱太長了。 + + Network Installation. (Disabled: Received invalid groups data) + 網路安裝。(已停用:收到無效的群組資料) - - '%1' is not allowed as hostname. - 「%1」無法作為主機名稱。 + + Network Installation. (Disabled: Internal error) + 網路安裝。(已停用:內部錯誤) - - Only letters, numbers, underscore and hyphen are allowed. - 僅允許字母、數字、底線與連接號。 + + Network Installation. (Disabled: Unable to fetch package lists, check your network connection) + 網路安裝。(已停用:無法擷取軟體包清單,請檢查您的網路連線) - - Your passwords do not match! - 密碼不符! + + Network Installation. (Disabled: No package list) + 網路安裝。(已停用:無軟體包清單) - - OK! - 確定! + + Package selection + 軟體包選擇 @@ -1056,103 +1039,120 @@ The installer will quit and all changes will be lost. 安裝選項:<strong>%1</strong> - - None - + + None + + + + + Summary + @label + 總覽 + + + + This is an overview of what will happen once you start the setup procedure. + 這是開始安裝後所會發生的事的概覽。 + + + + This is an overview of what will happen once you start the install procedure. + 這是您開始安裝後所會發生的事的概覽。 + + + + Your username is too long. + 您的使用者名稱太長了。 + + + + Your username must start with a lowercase letter or underscore. + 您的使用者名稱必須以小寫字母或底線開頭。 + + + + Only lowercase letters, numbers, underscore and hyphen are allowed. + 僅允許小寫字母、數字、底線與連接號。 - - Summary - @label - 總覽 + + '%1' is not allowed as username. + 「%1」無法作為使用者名稱。 - - This is an overview of what will happen once you start the setup procedure. - 這是開始安裝後所會發生的事的概覽。 + + Your hostname is too short. + 您的主機名稱太短了。 - - This is an overview of what will happen once you start the install procedure. - 這是您開始安裝後所會發生的事的概覽。 + + Your hostname is too long. + 您的主機名稱太長了。 - - Setup Failed - @title - 設定失敗 + + '%1' is not allowed as hostname. + 「%1」無法作為主機名稱。 - - Installation Failed - @title - 安裝失敗 + + Only letters, numbers, underscore and hyphen are allowed. + 僅允許字母、數字、底線與連接號。 - - The setup of %1 did not complete successfully. - @info - %1 的設定並未成功完成。 + + Your passwords do not match! + 密碼不符! - - The installation of %1 did not complete successfully. - @info - %1 的安裝並未成功完成。 + + OK! + 確定! - - Setup Complete - @title - 設定完成 + + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. + 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。 - - Installation Complete - @title - 安裝完成 + + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. + 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。 - - The setup of %1 is complete. - @info - %1 的設定完成。 + + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. + 此電腦未滿足一些安裝 %1 的推薦需求。<br/>設定可以繼續,但部份功能可能會被停用。 - - The installation of %1 is complete. - @info - %1 的安裝已完成。 + + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. + 此電腦未滿足一些安裝 %1 的推薦需求。<br/>安裝可以繼續,但部份功能可能會被停用。 - - Keyboard model has been set to %1<br/>. - @label, %1 is keyboard model, as in Apple Magic Keyboard - 鍵盤型號已設定為 %1<br/>。 + + This program will ask you some questions and set up %2 on your computer. + 本程式會問您一些問題,然後在您的電腦安裝及設定 %2。 - - Keyboard layout has been set to %1/%2. - @label, %1 is layout, %2 is layout variant - 鍵盤佈局已設定為 %1/%2。 + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> - - Set timezone to %1/%2 - @action - 設定時區為 %1/%2 + + <h1>Welcome to %1 setup</h1> + <h1>歡迎使用 %1 安裝程式</h1> - - The system language will be set to %1. - @info - 系統語言會設定為%1。 + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> - - The numbers and dates locale will be set to %1. - @info - 數字與日期語系會設定為%1。 + + <h1>Welcome to the %1 installer</h1> + <h1>歡迎使用 %1 安裝程式</h1> @@ -1269,7 +1269,7 @@ The installer will quit and all changes will be lost. Create new %1MiB partition on %3 (%2) with entries %4 @title - 在 %3 (%2) 上使用項目 %4 建立新的 %1MiB 分割區。{1M?} {3 ?} {2)?} {4?} + 在 %3 (%2) 上使用項目 %4 建立新的 %1MiB 分割區 @@ -1306,7 +1306,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition on %2… @status - 正在於 %2 建立新的 %1 分割區。{1 ?} {2…?} + 正在於 %2 建立新的 %1 分割區…… @@ -1350,7 +1350,7 @@ The installer will quit and all changes will be lost. Creating new %1 partition table on %2… @status - 正在於 %2 建立新的 %1 分割表。{1 ?} {2…?} + 正在於 %2 建立新的 %1 分割表…… @@ -1418,7 +1418,7 @@ The installer will quit and all changes will be lost. Creating new volume group named %1… @status - 正在建立名為 %1 的新卷冊群組。{1…?} + 正在建立名為 %1 的新卷冊群組…… @@ -1460,7 +1460,7 @@ The installer will quit and all changes will be lost. Deleting partition %1… @status - 正在刪除分割區 %1。{1…?} + 正在刪除分割區 %1…… @@ -1477,9 +1477,14 @@ The installer will quit and all changes will be lost. DeviceInfoWidget - - This device has a <strong>%1</strong> partition table. - 此裝置已有 <strong>%1</strong> 分割表。 + + <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. + <br><br>建議這個分割表類型只在以 <strong>BIOS</strong> 開機的舊系統使用。其他大多數情況建議使用 GPT。<br><strong>警告:</strong>MBR 分割表是已過時、源自 MS-DOS 時代的標準。<br>最多只能建立 4 個<em>主要</em>分割區;其中一個可以是<em>延伸</em>分割區,其可以包含許多<em>邏輯</em>分割區。 + + + + <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. + <br><br>這是對 <strong>EFI</strong> 開機環境而言的現代系統建議分割表類型。 @@ -1492,14 +1497,9 @@ The installer will quit and all changes will be lost. 本安裝程式在選定的儲存裝置上<strong>偵測不到分割表</strong>。<br><br>此裝置要不是沒有分割表,就是其分割表已毀損又或者是一個未知類型的分割表。<br>本安裝程式將會為您建立一個新的分割表,不論是自動或是透過手動分割頁面。 - - <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - <br><br>這是對 <strong>EFI</strong> 開機環境而言的現代系統建議分割表類型。 - - - - <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - <br><br>建議這個分割表類型只在以 <strong>BIOS</strong> 開機的舊系統使用。其他大多數情況建議使用 GPT。<br><strong>警告:</strong>MBR 分割表是已過時、源自 MS-DOS 時代的標準。<br>最多只能建立 4 個<em>主要</em>分割區;其中一個可以是<em>延伸</em>分割區,其可以包含許多<em>邏輯</em>分割區。 + + This device has a <strong>%1</strong> partition table. + 此裝置已有 <strong>%1</strong> 分割表。 @@ -1704,7 +1704,7 @@ The installer will quit and all changes will be lost. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>%3 @info - 設定有掛載點 <strong>%1</strong> %3 的<strong>新</strong> %2 分割區。{2 ?} {1<?} {3?} + 設定有掛載點 <strong>%1</strong> %3 的<strong>新</strong> %2 分割區 @@ -1728,7 +1728,7 @@ The installer will quit and all changes will be lost. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>%4… @info - 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> %4。{3 ?} {1<?} {2<?} {4…?} + 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong> %4…… @@ -1811,7 +1811,7 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4 @title - 格式化分割區 %1(檔案系統:%2,大小:%3 MiB)在 %4。{1 ?} {2,?} {3 ?} {4?} + 格式化分割區 %1(檔案系統:%2,大小:%3 MiB)在 %4 @@ -1829,7 +1829,7 @@ The installer will quit and all changes will be lost. Formatting partition %1 with file system %2… @status - 正在以 %2 檔案系統格式化分割區 %1。{1 ?} {2…?} + 正在以 %2 檔案系統格式化分割區 %1…… @@ -2275,7 +2275,7 @@ The installer will quit and all changes will be lost. LocaleTests - + Quit 結束 @@ -2449,6 +2449,11 @@ The installer will quit and all changes will be lost. label for netinstall module, choose desktop environment 桌面 + + + Applications + 應用程式 + Communication @@ -2497,11 +2502,6 @@ The installer will quit and all changes will be lost. label for netinstall module 實用工具 - - - Applications - 應用程式 - NotesQmlViewStep @@ -2674,11 +2674,25 @@ The installer will quit and all changes will be lost. The password contains forbidden words in some form 密碼包含了某種形式的無效文字 + + + The password contains fewer than %n digits + + 密碼中僅有少於 %n 位數字 + + The password contains too few digits 密碼包含的數字太少了 + + + The password contains fewer than %n uppercase letters + + 密碼中僅有少於 %n 個大寫字母 + + The password contains too few uppercase letters @@ -2696,45 +2710,6 @@ The installer will quit and all changes will be lost. The password contains too few lowercase letters 密碼包含的小寫字母太少了 - - - The password contains too few non-alphanumeric characters - 密碼包含的非字母與數字的字元太少了 - - - - The password is too short - 密碼太短 - - - - The password does not contain enough character classes - 密碼未包含足夠的字元類型 - - - - The password contains too many same characters consecutively - 密碼包含連續太多個相同的字元 - - - - The password contains too many characters of the same class consecutively - 密碼包含了連續太多相同類型的字元 - - - - The password contains fewer than %n digits - - 密碼中僅有少於 %n 位數字 - - - - - The password contains fewer than %n uppercase letters - - 密碼中僅有少於 %n 個大寫字母 - - The password contains fewer than %n non-alphanumeric characters @@ -2742,6 +2717,11 @@ The installer will quit and all changes will be lost. 密碼中僅有少於 %n 個非字母字元 + + + The password contains too few non-alphanumeric characters + 密碼包含的非字母與數字的字元太少了 + The password is shorter than %n characters @@ -2749,6 +2729,11 @@ The installer will quit and all changes will be lost. 密碼短於 %n 個字元 + + + The password is too short + 密碼太短 + The password is a rotated version of the previous one @@ -2761,6 +2746,11 @@ The installer will quit and all changes will be lost. 密碼中僅有少於 %n 種字元類型 + + + The password does not contain enough character classes + 密碼未包含足夠的字元類型 + The password contains more than %n same characters consecutively @@ -2768,6 +2758,11 @@ The installer will quit and all changes will be lost. 密碼中包含了 %n 個連續的相同字元 + + + The password contains too many same characters consecutively + 密碼包含連續太多個相同的字元 + The password contains more than %n characters of the same class consecutively @@ -2775,6 +2770,11 @@ The installer will quit and all changes will be lost. 密碼中包含了 %n 個連續的相同類型字元 + + + The password contains too many characters of the same class consecutively + 密碼包含了連續太多相同類型的字元 + The password contains monotonic sequence longer than %n characters @@ -3197,6 +3197,18 @@ The installer will quit and all changes will be lost. PartitionViewStep + + + Gathering system information… + @status + 正在蒐集系統資訊…… + + + + Partitions + @label + 分割區 + Unsafe partition actions are enabled. @@ -3213,35 +3225,27 @@ The installer will quit and all changes will be lost. 不會更動任何分割區。 - - An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - 要啟動 %1 必須要有 EFI 系統分割區。<br/><br/>EFI 系統分割區不符合建議。建議回到上一步並選擇或建立適合的檔案系統。 - - - - The minimum recommended size for the filesystem is %1 MiB. - 建議的檔案系統最小大小為 %1 MiB。 - - - - You can continue with this EFI system partition configuration but your system may fail to start. - 您可以繼續此 EFI 系統分割區組態,但您的系統可能無法啟動。 - - - - No EFI system partition configured - 未設定 EFI 系統分割區 + + Current: + @label + 目前: - - EFI system partition configured incorrectly - EFI 系統分割區設定不正確 + + After: + @label + 之後: An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. 要啟動 %1 必須要有 EFI 系統分割區。<br/><br/>要設定 EFI 系統分割區,返回並選取或建立適合的檔案系統。 + + + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. + 要啟動 %1 必須要有 EFI 系統分割區。<br/><br/>EFI 系統分割區不符合建議。建議回到上一步並選擇或建立適合的檔案系統。 + The filesystem must be mounted on <strong>%1</strong>. @@ -3252,6 +3256,11 @@ The installer will quit and all changes will be lost. The filesystem must have type FAT32. 檔案系統必須有類型 FAT32。 + + + The filesystem must have flag <strong>%1</strong> set. + 檔案系統必須有旗標 <strong>%1</strong> 設定。 + @@ -3259,38 +3268,29 @@ The installer will quit and all changes will be lost. 檔案系統必須至少有 %1 MiB 的大小。 - - The filesystem must have flag <strong>%1</strong> set. - 檔案系統必須有旗標 <strong>%1</strong> 設定。 - - - - Gathering system information… - @status - 正在蒐集系統資訊…… + + The minimum recommended size for the filesystem is %1 MiB. + 建議的檔案系統最小大小為 %1 MiB。 - - Partitions - @label - 分割區 + + You can continue without setting up an EFI system partition but your system may fail to start. + 您可以在不設定 EFI 系統分割區的情況下繼續,但您的系統可能無法啟動。 - - Current: - @label - 目前: + + You can continue with this EFI system partition configuration but your system may fail to start. + 您可以繼續此 EFI 系統分割區組態,但您的系統可能無法啟動。 - - After: - @label - 之後: + + No EFI system partition configured + 未設定 EFI 系統分割區 - - You can continue without setting up an EFI system partition but your system may fail to start. - 您可以在不設定 EFI 系統分割區的情況下繼續,但您的系統可能無法啟動。 + + EFI system partition configured incorrectly + EFI 系統分割區設定不正確 @@ -3387,14 +3387,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 指令沒有輸出。 - + Output: @@ -3403,52 +3403,52 @@ Output: - + External command crashed. 外部指令當機。 - + Command <i>%1</i> crashed. 指令 <i>%1</i> 已當機。 - + External command failed to start. 外部指令啟動失敗。 - + Command <i>%1</i> failed to start. 指令 <i>%1</i> 啟動失敗。 - + Internal error when starting command. 當啟動指令時發生內部錯誤。 - + Bad parameters for process job call. 呼叫程序的參數無效。 - + External command failed to finish. 外部指令結束失敗。 - + Command <i>%1</i> failed to finish in %2 seconds. 指令 <i>%1</i> 在結束 %2 秒內失敗。 - + External command finished with errors. 外部指令結束時發生錯誤。 - + Command <i>%1</i> finished with exit code %2. 指令 <i>%1</i> 結束時有錯誤碼 %2。 @@ -3460,6 +3460,30 @@ Output: %1 (%2) %1 (%2) + + + unknown + @partition info + 未知 + + + + extended + @partition info + 延伸分割區 + + + + unformatted + @partition info + 未格式化 + + + + swap + @partition info + swap + @@ -3491,30 +3515,6 @@ Output: (no mount point) (沒有掛載點) - - - unknown - @partition info - 未知 - - - - extended - @partition info - 延伸分割區 - - - - unformatted - @partition info - 未格式化 - - - - swap - @partition info - swap - Unpartitioned space or unknown partition table @@ -3706,7 +3706,7 @@ Output: Resize volume group named %1 from %2 to %3 @title - 調整名為 %1 的卷冊群組從 %2 到 %3。{1 ?} {2 ?} {3?} + 調整名為 %1 的卷冊群組從 %2 到 %3 @@ -3765,7 +3765,7 @@ Output: Setting hostname %1… @status - 正在設定主機名稱 %1。{1…?} + 正在設定主機名稱 %1…… @@ -3934,7 +3934,7 @@ Output: Setting password for user %1… @status - 正在為使用者 %1 設定密碼。{1…?} + 正在為使用者 %1 設定密碼…… @@ -3951,17 +3951,17 @@ Output: Cannot disable root account. 無法停用 root 帳號。 - - - Cannot set password for user %1. - 無法為使用者 %1 設定密碼。 - usermod terminated with error code %1. usermod 以錯誤代碼 %1 終止。 + + + Cannot set password for user %1. + 無法為使用者 %1 設定密碼。 + SetTimezoneJob @@ -4054,7 +4054,8 @@ Output: SlideCounter - + + %L1 / %L2 slide counter, %1 of %2 (numeric) %L1 / %L2 @@ -4873,11 +4874,21 @@ Output: What is your name? 該如何稱呼您? + + + Your full name + 您的全名 + What name do you want to use to log in? 您想使用何種登入名稱? + + + Login name + 登入名稱 + If more than one person will use this computer, you can create multiple accounts after installation. @@ -4898,11 +4909,21 @@ Output: What is the name of this computer? 這部電腦的名字是? + + + Computer name + 電腦名稱 + This name will be used if you make the computer visible to others on a network. 若您將此電腦設定為讓網路上的其他電腦可見時將會使用此名稱。 + + + Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. + 僅允許字母、數字、底線與連接號,最少兩個字元。 + localhost is not allowed as hostname. @@ -4918,11 +4939,31 @@ Output: Password 密碼 + + + Repeat password + 確認密碼 + Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. 輸入同一個密碼兩次,以檢查輸入錯誤。一個好的密碼包含了字母、數字及標點符號的組合、至少八個字母長,且按一固定週期更換。 + + + Reuse user password as root password + 重用使用者密碼為 root 密碼 + + + + Use the same password for the administrator account. + 為管理員帳號使用同樣的密碼。 + + + + Choose a root password to keep your account safe. + 選擇 root 密碼來維護您的帳號安全。 + Root password @@ -4934,14 +4975,9 @@ Output: 確認 Root 密碼 - - Validate passwords quality - 驗證密碼品質 - - - - When this box is checked, password-strength checking is done and you will not be able to use a weak password. - 當此勾選框被勾選,密碼強度檢查即完成,您也無法再使用弱密碼。 + + Enter the same password twice, so that it can be checked for typing errors. + 輸入同樣的密碼兩次,這樣可以檢查輸入錯誤。 @@ -4949,49 +4985,14 @@ Output: 自動登入,無需輸入密碼 - - Your full name - 您的全名 - - - - Login name - 登入名稱 - - - - Computer name - 電腦名稱 - - - - Only letters, numbers, underscore and hyphen are allowed, minimal of two characters. - 僅允許字母、數字、底線與連接號,最少兩個字元。 - - - - Repeat password - 確認密碼 - - - - Reuse user password as root password - 重用使用者密碼為 root 密碼 - - - - Use the same password for the administrator account. - 為管理員帳號使用同樣的密碼。 - - - - Choose a root password to keep your account safe. - 選擇 root 密碼來維護您的帳號安全。 + + Validate passwords quality + 驗證密碼品質 - - Enter the same password twice, so that it can be checked for typing errors. - 輸入同樣的密碼兩次,這樣可以檢查輸入錯誤。 + + When this box is checked, password-strength checking is done and you will not be able to use a weak password. + 當此勾選框被勾選,密碼強度檢查即完成,您也無法再使用弱密碼。 @@ -5006,11 +5007,21 @@ Output: What is your name? 該如何稱呼您? + + + Your full name + 您的全名 + What name do you want to use to log in? 您想使用何種登入名稱? + + + Login name + 登入名稱 + If more than one person will use this computer, you can create multiple accounts after installation. @@ -5031,16 +5042,6 @@ Output: What is the name of this computer? 這部電腦的名字是? - - - Your full name - 您的全名 - - - - Login name - 登入名稱 - Computer name @@ -5076,16 +5077,6 @@ Output: Repeat password 確認密碼 - - - Root password - Root 密碼 - - - - Repeat root password - 確認 Root 密碼 - Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals. @@ -5106,6 +5097,16 @@ Output: Choose a root password to keep your account safe. 選擇 root 密碼來維護您的帳號安全。 + + + Root password + Root 密碼 + + + + Repeat root password + 確認 Root 密碼 + Enter the same password twice, so that it can be checked for typing errors. From 0923b54d548d24473bc140403506fb0cdf334a51 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Tue, 6 Feb 2024 16:52:40 +0100 Subject: [PATCH 013/123] i18n: [python] Automatic merge of Transifex translations --- lang/python.pot | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lang/python.pot b/lang/python.pot index eea91f978c..ec1d18527c 100644 --- a/lang/python.pot +++ b/lang/python.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-01-14 21:33+0100\n" +"POT-Creation-Date: 2024-02-04 23:00+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" From 84c9fd457f36941de15b92273eeee918f53bf1b6 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 6 Feb 2024 16:55:47 +0100 Subject: [PATCH 014/123] i18n: update languages lists --- CMakeLists.txt | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 45d016fece..5ec4536809 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -155,13 +155,12 @@ set(CALAMARES_DESCRIPTION_SUMMARY "The distribution-independent installer framew # `txstats.py -e`. See also # # Total 80 languages -set( _tx_complete az_AZ ca en es fi_FI fr he hr ja lt pl sq sv - tr_TR uk zh_TW ) -set( _tx_good as az be bg ca@valencia cs_CZ da de fa fur hi is - it_IT ko nl pt_BR pt_PT ru si sk tg vi zh_CN ) -set( _tx_ok ar ast bn el en_GB eo es_AR es_MX et eu gl hu id ml mr - nb oc ro sl sr sr@latin th ) -set( _tx_incomplete bqi es_PR gu ie ja-Hira ka kk kn lo lv mk ne_NP +set( _tx_complete de en es_AR fi_FI hr hu ja lt tr_TR uk zh_TW ) +set( _tx_good az az_AZ be bg ca cs_CZ es fr fur he hi is it_IT ko + pl pt_BR pt_PT ru si sq sv zh_CN ) +set( _tx_ok ar as ast bn ca@valencia da el en_GB eo es_MX et eu fa + gl id ka ml mr nb nl oc ro sk sl sr sr@latin tg th vi ) +set( _tx_incomplete bqi es_PR gu ie ja-Hira kk kn lo lv mk ne_NP ro_RO ta_IN te ur uz zh zh_HK ) # Total 80 languages From 1d996d1f9a4a1ed52f7bec12184552d2cc7981ac Mon Sep 17 00:00:00 2001 From: Tj Date: Wed, 7 Feb 2024 16:21:24 +0000 Subject: [PATCH 015/123] fstab: do not overwrite partition["mountPoint"] When using BTRFS multiple subvolumes exist and whilst iterating them the partition["mountPoint"] is inadvertently changed due to taking a reference rather than a copy. Closes: issue #2281 --- src/modules/fstab/main.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/modules/fstab/main.py b/src/modules/fstab/main.py index 97e7e7486a..78cae63494 100755 --- a/src/modules/fstab/main.py +++ b/src/modules/fstab/main.py @@ -14,6 +14,7 @@ import os import re +import copy import libcalamares @@ -201,7 +202,7 @@ def generate_fstab(self): # so all subvolumes here should be safe to add to fstab btrfs_subvolumes = libcalamares.globalstorage.value("btrfsSubvolumes") for s in btrfs_subvolumes: - mount_entry = partition + mount_entry = copy.deepcopy(partition) mount_entry["mountPoint"] = s["mountPoint"] mount_entry["subvol"] = s["subvolume"] dct = self.generate_fstab_line_info(mount_entry) From bb53d0cd5d377b7082b622928ef49ab788bbeddb Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 12 Feb 2024 21:15:55 +0100 Subject: [PATCH 016/123] Changes: update contributors --- CHANGES-3.3 | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGES-3.3 b/CHANGES-3.3 index 3e79c54762..944da8d93b 100644 --- a/CHANGES-3.3 +++ b/CHANGES-3.3 @@ -10,14 +10,20 @@ the history of the 3.2 series (2018-05 - 2022-08). # 3.3.2 (unreleased) This release contains contributions from (alphabetically by first name): + - Aaron Rainbolt - Adriaan de Groot - Jonathan Riddell + - Tj ## Core ## - - Slideshow support code (QML) now ported to Qt and made available + - Slideshow support code (QML) now ported to Qt6 and made available as two separate directories of support-code. (thanks Jon) + - Compatibility with Qt versions prior to 5.15.5 has been removed. ## Modules ## + - *fstab* bug fixed where BTRFS messes up the partition layout. (thanks Tj) + - *partition* module can now also define unencrypted partitions + when encryption is used. (thanks Aaron) # 3.3.1 (2024-01-15) From f8448e3c97884dcb2b7783af0b771b78eb70e6d4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 12 Feb 2024 21:28:15 +0100 Subject: [PATCH 017/123] [partition] Clarify documentation of static functions --- src/modules/partition/PartitionViewStep.cpp | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/src/modules/partition/PartitionViewStep.cpp b/src/modules/partition/PartitionViewStep.cpp index 0fabe26e13..4d93ce0603 100644 --- a/src/modules/partition/PartitionViewStep.cpp +++ b/src/modules/partition/PartitionViewStep.cpp @@ -129,7 +129,8 @@ jobDescriptions( const Calamares::JobList& jobs ) /** @brief A top-level description of what @p choice does * - * Returns a (branded) string describing what @p choice will do. + * Returns a translated string describing what @p choice will do. + * Includes branding information. */ static QString modeDescription( Config::InstallChoice choice ) @@ -157,7 +158,7 @@ modeDescription( Config::InstallChoice choice ) /** @brief A top-level description of what @p choice does to disk @p info * - * Returns a (branded, and device-specific) string describing what + * Returns a translated string, with branding and device information, describing what * will be done to device @p info when @p choice is made. The @p listLength * is used to provide context; when more than one disk is in use, the description * works differently. From f5e09cd6768c38577a2b60aa0c9b65a29739b20d Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 12 Feb 2024 21:30:52 +0100 Subject: [PATCH 018/123] [partition] Write out translation context lupdate isn't smart enough to pick up `context` when it's a variable, and then the whole string is not found for translation. --- src/modules/partition/PartitionViewStep.cpp | 34 ++++++++++++--------- 1 file changed, 20 insertions(+), 14 deletions(-) diff --git a/src/modules/partition/PartitionViewStep.cpp b/src/modules/partition/PartitionViewStep.cpp index 4d93ce0603..8b7225da3a 100644 --- a/src/modules/partition/PartitionViewStep.cpp +++ b/src/modules/partition/PartitionViewStep.cpp @@ -136,22 +136,24 @@ static QString modeDescription( Config::InstallChoice choice ) { const auto* branding = Calamares::Branding::instance(); - static const char context[] = "PartitionViewStep"; switch ( choice ) { case Config::InstallChoice::Alongside: - return QCoreApplication::translate( context, "Install %1 alongside another operating system", "@label" ) + return QCoreApplication::translate( + "PartitionViewStep", "Install %1 alongside another operating system", "@label" ) .arg( branding->shortVersionedName() ); case Config::InstallChoice::Erase: - return QCoreApplication::translate( context, "Erase disk and install %1", "@label" ) + return QCoreApplication::translate( + "PartitionViewStep", "Erase disk and install %1", "@label" ) .arg( branding->shortVersionedName() ); case Config::InstallChoice::Replace: - return QCoreApplication::translate( context, "Replace a partition with %1", "@label" ) + return QCoreApplication::translate( + "PartitionViewStep", "Replace a partition with %1", "@label" ) .arg( branding->shortVersionedName() ); case Config::InstallChoice::NoChoice: case Config::InstallChoice::Manual: - return QCoreApplication::translate( context, "Manual partitioning", "@label" ); + return QCoreApplication::translate( "PartitionViewStep", "Manual partitioning", "@label" ); } return QString(); } @@ -167,7 +169,6 @@ static QString diskDescription( int listLength, const PartitionCoreModule::SummaryInfo& info, Config::InstallChoice choice ) { const auto* branding = Calamares::Branding::instance(); - static const char context[] = "PartitionViewStep"; if ( listLength == 1 ) // this is the only disk preview { @@ -175,28 +176,33 @@ diskDescription( int listLength, const PartitionCoreModule::SummaryInfo& info, C { case Config::Alongside: return QCoreApplication::translate( - context, + "PartitionViewStep", "Install %1 alongside another operating system on disk " - "%2 (%3)", "@info" ) + "%2 (%3)", + "@info" ) .arg( branding->shortVersionedName() ) .arg( info.deviceNode ) .arg( info.deviceName ); case Config::Erase: - return QCoreApplication::translate( context, - "Erase disk %2 (%3) and install %1", "@info" ) + return QCoreApplication::translate( "PartitionViewStep", + "Erase disk %2 (%3) and install %1", + "@info" ) .arg( branding->shortVersionedName() ) .arg( info.deviceNode ) .arg( info.deviceName ); case Config::Replace: return QCoreApplication::translate( - context, "Replace a partition on disk %2 (%3) with %1", "@info" ) + "PartitionViewStep", + "Replace a partition on disk %2 (%3) with %1", + "@info" ) .arg( branding->shortVersionedName() ) .arg( info.deviceNode ) .arg( info.deviceName ); case Config::NoChoice: case Config::Manual: - return QCoreApplication::translate( - context, "Manual partitioning on disk %1 (%2)", "@info" ) + return QCoreApplication::translate( "PartitionViewStep", + "Manual partitioning on disk %1 (%2)", + "@info" ) .arg( info.deviceNode ) .arg( info.deviceName ); } @@ -204,7 +210,7 @@ diskDescription( int listLength, const PartitionCoreModule::SummaryInfo& info, C } else // multiple disk previews! { - return QCoreApplication::translate( context, "Disk %1 (%2)", "@info" ) + return QCoreApplication::translate( "PartitionViewStep", "Disk %1 (%2)", "@info" ) .arg( info.deviceNode ) .arg( info.deviceName ); } From 932b9a5af7e2641a45bd6d3e73a5604ea47fb3e7 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 12 Feb 2024 21:39:36 +0100 Subject: [PATCH 019/123] i18n: update translation sources --- lang/calamares_en.ts | 102 +++++++++++++++++++++++++++++++++---------- lang/python.pot | 14 +++--- 2 files changed, 85 insertions(+), 31 deletions(-) diff --git a/lang/calamares_en.ts b/lang/calamares_en.ts index c281bd6fef..fc564d9705 100644 --- a/lang/calamares_en.ts +++ b/lang/calamares_en.ts @@ -3211,120 +3211,174 @@ The installer will quit and all changes will be lost. - + + Install %1 <strong>alongside</strong> another operating system + @label + + + + + <strong>Erase</strong> disk and install %1 + @label + + + + + <strong>Replace</strong> a partition with %1 + @label + + + + + <strong>Manual</strong> partitioning + @label + + + + + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3) + @info + + + + + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1 + @info + + + + + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1 + @info + + + + + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2) + @info + + + + + Disk <strong>%1</strong> (%2) + @info + + + + Unsafe partition actions are enabled. - + Partitioning is configured to <b>always</b> fail. - + No partitions will be changed. - + Current: @label - + After: @label - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a suitable filesystem. - + An EFI system partition is necessary to start %1.<br/><br/>The EFI system partition does not meet recommendations. It is recommended to go back and select or create a suitable filesystem. - + The filesystem must be mounted on <strong>%1</strong>. - + The filesystem must have type FAT32. - + The filesystem must have flag <strong>%1</strong> set. - - + + The filesystem must be at least %1 MiB in size. - + The minimum recommended size for the filesystem is %1 MiB. - + You can continue without setting up an EFI system partition but your system may fail to start. - + You can continue with this EFI system partition configuration but your system may fail to start. - + No EFI system partition configured - + EFI system partition configured incorrectly - + EFI system partition recommendation - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>%2</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. diff --git a/lang/python.pot b/lang/python.pot index ec1d18527c..2d2290d200 100644 --- a/lang/python.pot +++ b/lang/python.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-02-04 23:00+0100\n" +"POT-Creation-Date: 2024-02-12 21:37+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -104,12 +104,12 @@ msgstr "" msgid "Dummy python step {}" msgstr "" -#: src/modules/fstab/main.py:28 +#: src/modules/fstab/main.py:29 msgid "Writing fstab." msgstr "" -#: src/modules/fstab/main.py:377 src/modules/fstab/main.py:383 -#: src/modules/fstab/main.py:411 src/modules/initcpiocfg/main.py:256 +#: src/modules/fstab/main.py:378 src/modules/fstab/main.py:384 +#: src/modules/fstab/main.py:412 src/modules/initcpiocfg/main.py:256 #: src/modules/initcpiocfg/main.py:260 src/modules/initramfscfg/main.py:85 #: src/modules/initramfscfg/main.py:89 src/modules/localecfg/main.py:140 #: src/modules/mount/main.py:334 src/modules/networkcfg/main.py:106 @@ -118,19 +118,19 @@ msgstr "" msgid "Configuration Error" msgstr "" -#: src/modules/fstab/main.py:378 src/modules/initramfscfg/main.py:86 +#: src/modules/fstab/main.py:379 src/modules/initramfscfg/main.py:86 #: src/modules/mount/main.py:335 src/modules/openrcdmcryptcfg/main.py:73 #: src/modules/rawfs/main.py:165 msgid "No partitions are defined for
{!s}
to use." msgstr "" -#: src/modules/fstab/main.py:384 src/modules/initramfscfg/main.py:90 +#: src/modules/fstab/main.py:385 src/modules/initramfscfg/main.py:90 #: src/modules/localecfg/main.py:141 src/modules/networkcfg/main.py:107 #: src/modules/openrcdmcryptcfg/main.py:77 msgid "No root mount point is given for
{!s}
to use." msgstr "" -#: src/modules/fstab/main.py:412 +#: src/modules/fstab/main.py:413 msgid "No
{!s}
configuration is given for
{!s}
to use." msgstr "" From 562cae387c73b4818c36aff7a956e70b6bd4c4af Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Lukas=20M=C3=A4rdian?= Date: Tue, 13 Feb 2024 16:13:29 +0100 Subject: [PATCH 020/123] networkcfg: Configure NetworkManager to be the default renderer When Netplan is installed in the target system: In case NM is not yet set to be the default Netplan renderer (e.g. through a /usr/lib/netplan/00-network-manager-all.yaml file shipped by an installed package), create the /etc/netplan/01-network-manager-all.yaml configuration and copy over all other Netplan configuration from the installer system. --- src/modules/networkcfg/main.py | 22 +++++++++++++++++++++- 1 file changed, 21 insertions(+), 1 deletion(-) diff --git a/src/modules/networkcfg/main.py b/src/modules/networkcfg/main.py index ed130c33a8..9c8965f851 100644 --- a/src/modules/networkcfg/main.py +++ b/src/modules/networkcfg/main.py @@ -138,7 +138,27 @@ def run(): target_netplan = os.path.join(root_mount_point, source_netplan.lstrip('/')) if os.path.exists(source_netplan) and os.path.exists(target_netplan): - for cfg in glob.glob(os.path.join(source_netplan, "90-NM-*")): + # Set NetworkManager to be the default renderer if Netplan is installed + # TODO: We might rather do that inside the network-manager package, see: + # https://bugs.launchpad.net/ubuntu/+source/ubuntu-settings/+bug/2020110 + default_renderer = os.path.join(root_mount_point, "usr/lib/netplan", + "00-network-manager-all.yaml") + if not os.path.exists(default_renderer): + renderer_file = os.path.join(target_netplan, + "01-network-manager-all.yaml") + nm_renderer = """# This file was written by calamares. +# Let NetworkManager manage all devices on this system. +# For more information, see netplan(5). +network: + version: 2 + renderer: NetworkManager +""" + with open(renderer_file, 'w') as f: + f.writelines(nm_renderer) + os.chmod(f, 0o600) + + # Copy existing Netplan configuration + for cfg in glob.glob(os.path.join(source_netplan, "*.yaml")): source_cfg = os.path.join(source_netplan, cfg) target_cfg = os.path.join(target_netplan, os.path.basename(cfg)) From 22d4bcabc7bb07227437fe23e9818e7268068753 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 16 Feb 2024 22:16:09 +0100 Subject: [PATCH 021/123] Changes: update credits --- CHANGES-3.3 | 3 +++ 1 file changed, 3 insertions(+) diff --git a/CHANGES-3.3 b/CHANGES-3.3 index 944da8d93b..459cbd831b 100644 --- a/CHANGES-3.3 +++ b/CHANGES-3.3 @@ -12,7 +12,10 @@ the history of the 3.2 series (2018-05 - 2022-08). This release contains contributions from (alphabetically by first name): - Aaron Rainbolt - Adriaan de Groot + - Anke Boersma + - Evan James - Jonathan Riddell + - Lukas Märdian - Tj ## Core ## From 283668cb0155c1c14739bb3b51db3d5d0b39c8e2 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 11:25:40 +0100 Subject: [PATCH 022/123] [libcalamares] Update sponsor / maintainer information --- src/libcalamares/CalamaresAbout.cpp | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/src/libcalamares/CalamaresAbout.cpp b/src/libcalamares/CalamaresAbout.cpp index 89c90e1168..31389c6792 100644 --- a/src/libcalamares/CalamaresAbout.cpp +++ b/src/libcalamares/CalamaresAbout.cpp @@ -22,11 +22,14 @@ static const char s_footer[] "and the Calamares " "translators team." ); +#if 0 +// Blue Systems sponsored until June 2022 static const char s_sponsor[] = QT_TRANSLATE_NOOP( "AboutData", "Calamares " "development is sponsored by
" "Blue Systems - " "Liberating Software." ); +#endif struct Maintainer { @@ -47,7 +50,8 @@ struct Maintainer static constexpr const Maintainer maintainers[] = { { 2014, 2017, "Teo Mrnjavac", "teo@kde.org" }, - { 2017, 2023, "Adriaan de Groot", "groot@kde.org" }, + { 2017, 2022, "Adriaan de Groot", "groot@kde.org" }, + { 2022, 2024, "Adriaan de Groot (community)", "groot@kde.org" }, }; static QString @@ -72,7 +76,6 @@ substituteVersions( const QString& s ) const QString Calamares::aboutString() { - Q_UNUSED( s_sponsor ) return substituteVersions( QCoreApplication::translate( "AboutData", s_header ) ) + aboutMaintainers() + QCoreApplication::translate( "AboutData", s_footer ); } From a84555209e5c187b13f7b5453bd077c942649139 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 12:12:30 +0100 Subject: [PATCH 023/123] CONTRIBUTING: discuss commit messages and CHANGES file --- CONTRIBUTING.md | 49 ++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 48 insertions(+), 1 deletion(-) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 67879bcb29..1d253e2854 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -67,6 +67,49 @@ distributions than your own. So keep other folk in mind. There is also the [extensions](https://github.com/calamares/calamares-extensions) repository for somewhat-more-specialized modules and examples. +### Commit Messages + +Please try to use `[module] description` as the first line of a commit +message. Follow regular git commit-message recommendations: write what +and why -- especially the **why** for a change. When modifying a module +under `src/modules/`, write the name of the module, e.g. this made-up example: + +``` +[packages] Enable dnf5 as package-manager + +DNF version 5 prefers the name 'dnf5' to avoid confusion with +older DNF, even when a compatibility name 'dnf' is available. +``` + +It's OK to list multiple modules; don't bother listing a module +and its QML variant separately. + +Use `[libcalamares]`, `[libcalamaresui]` and `[calamares]` for changes +in those directories as appropriate. + +There are various exceptions, and metadata files follow other conventions. +When in doubt, use `git log` to see what kind of **previous** commit messages +have been used for a given file. + +### Attribution + +Remember that your git commit contains your git username. This becomes part +of the public information in the Calamares repository. There is no way +to change this later. + +When you contribute a PR, feel free to add a few lines in the `CHANGES` +file, which describes each release. Just add them to the section +for the next release, and it can be sorted out when the PR is merged. +Remember to add your preferred name in the list of contributors for +the release -- names are sorted alphabetically and case-insensitive. + +If you don't add anything to `CHANGES`, don't worry, something will +probably be added later in a `Changes: credits` commit. + +> Please do **not** update the `AUTHORS` file. This is done automatically, +> but irregularly, based on the git usernames in commits (and some social +> knowledge about Calamares contributors). + ## Building Calamares @@ -78,9 +121,13 @@ instructions are on the wiki. You may have success with the Docker images that the CI system uses. Pick one (or more) of these images which are also used in CI: + - `docker pull docker://opensuse/tumbleweed` - `docker pull kdeneon/plasma:user` -- `docker pull fedora:38` +- `docker pull fedora:40` + +See the `nightly-*.yml` files in directory `.github/workflows/` for +the full list of Docker images that are used in CI. Then start a container with the right image, from the root of Calamares source checkout. Start with this command and substitute `opensuse/tumbleweed` From 54dc2f00f5131420f257229ff3787ab961b5bc7b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 12:14:22 +0100 Subject: [PATCH 024/123] AUTHORS: update list of contributors - fixed alphabetization - added contributors since last update (may 2022) - removed some duplicates / aliases --- AUTHORS | 53 ++++++++++++++++++++++++++++++++++++++++++++--------- 1 file changed, 44 insertions(+), 9 deletions(-) diff --git a/AUTHORS b/AUTHORS index 4a66ebe0be..c1231e1897 100644 --- a/AUTHORS +++ b/AUTHORS @@ -4,17 +4,22 @@ # MAINTAINER -Calamares development is sponsored by Blue Systems GmbH - Liberating Software. - Calamares maintainers through the years: * Teo Mrnjavac (maintainer -2017) - * Adriaan de Groot (maintainer 2017-) + * Adriaan de Groot (maintainer 2017-2022) + * Community (2022-) + +Community maintainers are Adriaan de Groot, Anke Boersma, Evan James. + # CONTRIBUTORS Calamares has received contributions of code, documentation, artwork and moral support from (alphabetically by first name or nickname): + - Aaron Rainbolt + - Adriaan de Groot + - Aleksey Samoilov - Alf Gaida - aliveafter1000 - Allen Welkie @@ -25,53 +30,83 @@ and moral support from (alphabetically by first name or nickname): - Arjen Balfoort - Arnaud Ferraris - Artem Grinev - - artoo@cromnix.org + - artoo - benne-dee - Bernhard Landauer - Bezzy1999 - Bill Auger - Bob van der Linden + - Boria138 + - Brian Morison - Caio Jordão Carvalho - Camilo Higuita + - Christophe Marin - Collabora LTD - Corey Lang - crispg72 + - dalto8 - Dan Simmons - demmm + - DemonKiller + - Dominic Hayes + - El-Wumbus + - Emir SARI - Emmanuel Arias - Enrique Medina Gremaldos - Erik Dubois - - Dominic Hayes - - El-Wumbus + - Evan Goode - Evan James - - Frede H + - Evan Maddock + - Ficelloo + - Frede Hundewadt - Gabriel Craciunescu + - Gaël PORTAY + - GeckoLinux - Harald Sitter + - Hector Martin - Huang Jia Wen + - huxingyi + - Ivan Borzenkov + - Jeremy Attali + - Jeremy Whiting - Jerrod Frost - Jia Chao - - Joe Kamprad + - Johannes Kamprad - Jonas Strassel + - Jonathan Esk-Riddell - Kai Dohmen + - Kasra Hashemi - Kevin Kofler - Kyle Robertze - Lisa Vitolo + - Lukas Märdian + - Mario Haustein + - Masato TOYOSHIMA - Matti Hyttinen - n3rdopolis - Neal Gompa - Nico 'dr460nf1r3' - Omer I.S. + - Panda + - Paolo Dongilli + - Peter Jung - Philip Müller - Ramon Buldó - Raul Rodrigo Segura - Rohan Garg - Santosh Mahto - Scott Harvey + - shivanandvp - Simon Quigley + - Sunderland93 + - Sławomir Lach - Taejun Park + - Tj - Victor Fuentes + - Vitor Lopes - vtriolet - Walter Lapchynski - Waneon Kim + - wiz64 - > This list was updated to revision 6e8d820737dea0f3e08f12b10768facef19be684 on May 28th 2022. +> This list was updated to revision 283668cb0155c1c14739bb3b51db3d5d0b39c8e2 on February 17th 2024. From 0dc3c5bf4ac3dbfdf7b3101f524657f1a37c586a Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 14:02:12 +0100 Subject: [PATCH 025/123] Changes: mention the NetPlan thing --- CHANGES-3.3 | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGES-3.3 b/CHANGES-3.3 index 459cbd831b..16d6d9a529 100644 --- a/CHANGES-3.3 +++ b/CHANGES-3.3 @@ -25,6 +25,8 @@ This release contains contributions from (alphabetically by first name): ## Modules ## - *fstab* bug fixed where BTRFS messes up the partition layout. (thanks Tj) + - *networkcfg* on NetPlan-enabled systems, configure NetworkManager + with the live-system's NetPlan settings. (thanks Lukas) - *partition* module can now also define unencrypted partitions when encryption is used. (thanks Aaron) From a2b21ee0873bdbf9cde18d1537286a1a855ca78f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 14:18:24 +0100 Subject: [PATCH 026/123] [partition] Improve readability in edit-existing-partition Pick out the condition and give it a name. The logic is the same -- and is made worse because of the if() which looks redundant at this point. --- .../gui/EditExistingPartitionDialog.cpp | 16 ++++++++++++---- 1 file changed, 12 insertions(+), 4 deletions(-) diff --git a/src/modules/partition/gui/EditExistingPartitionDialog.cpp b/src/modules/partition/gui/EditExistingPartitionDialog.cpp index 55303d06d7..9636799a97 100644 --- a/src/modules/partition/gui/EditExistingPartitionDialog.cpp +++ b/src/modules/partition/gui/EditExistingPartitionDialog.cpp @@ -130,10 +130,18 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, m_ui->fileSystemComboBox->setEnabled( m_ui->formatRadioButton->isChecked() ); // Force a format if the existing device is a zfs device since reusing a zpool isn't currently supported - m_ui->formatRadioButton->setChecked( m_partition->fileSystem().type() == FileSystem::Type::Zfs ); - m_ui->formatRadioButton->setEnabled( !( m_partition->fileSystem().type() == FileSystem::Type::Zfs ) ); - m_ui->keepRadioButton->setChecked( !( m_partition->fileSystem().type() == FileSystem::Type::Zfs ) ); - m_ui->keepRadioButton->setEnabled( !( m_partition->fileSystem().type() == FileSystem::Type::Zfs ) ); + const bool partitionIsZFS = m_partition->fileSystem().type() == FileSystem::Type::Zfs; + if ( partitionIsZFS ) + { + m_ui->formatRadioButton->setChecked( true ); + } + else + { + m_ui->formatRadioButton->setChecked( false ); + } + m_ui->formatRadioButton->setEnabled( !partitionIsZFS ); + m_ui->keepRadioButton->setChecked( !partitionIsZFS ); + m_ui->keepRadioButton->setEnabled( !partitionIsZFS ); setFlagList( *( m_ui->m_listFlags ), m_partition->availableFlags(), PartitionInfo::flags( m_partition ) ); } From ecd8839ac922ba965c99c4cb263ea3d12ebad36e Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 14:26:39 +0100 Subject: [PATCH 027/123] [partition] Set up label checkbox later If the update-fs-label checkbox and drop-down depend on the state of the format button, then set that up only once we're done deciding on the format button. --- src/modules/partition/gui/EditExistingPartitionDialog.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/modules/partition/gui/EditExistingPartitionDialog.cpp b/src/modules/partition/gui/EditExistingPartitionDialog.cpp index 9636799a97..4c02e2d0b4 100644 --- a/src/modules/partition/gui/EditExistingPartitionDialog.cpp +++ b/src/modules/partition/gui/EditExistingPartitionDialog.cpp @@ -126,9 +126,6 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, m_ui->fileSystemComboBox->setCurrentText( FileSystem::nameForType( defaultFSType ) ); } - m_ui->fileSystemLabel->setEnabled( m_ui->formatRadioButton->isChecked() ); - m_ui->fileSystemComboBox->setEnabled( m_ui->formatRadioButton->isChecked() ); - // Force a format if the existing device is a zfs device since reusing a zpool isn't currently supported const bool partitionIsZFS = m_partition->fileSystem().type() == FileSystem::Type::Zfs; if ( partitionIsZFS ) @@ -143,6 +140,9 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, m_ui->keepRadioButton->setChecked( !partitionIsZFS ); m_ui->keepRadioButton->setEnabled( !partitionIsZFS ); + m_ui->fileSystemLabel->setEnabled( m_ui->formatRadioButton->isChecked() ); + m_ui->fileSystemComboBox->setEnabled( m_ui->formatRadioButton->isChecked() ); + setFlagList( *( m_ui->m_listFlags ), m_partition->availableFlags(), PartitionInfo::flags( m_partition ) ); } From 0348af22d9d913c7ba5102c4dbda7dff3d04d9bd Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 15:46:58 +0100 Subject: [PATCH 028/123] CMake: fix typo in option description --- CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 5ec4536809..8806bd5887 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -82,7 +82,7 @@ option(INSTALL_COMPLETION "Install shell completions" OFF) option(INSTALL_CONFIG "Install configuration files" OFF) # When adding WITH_* that affects the ABI offered by libcalamares, # also update libcalamares/CalamaresConfig.h.in -option(WITH_PYBIND11 "Use bundled pybind11 instead o Boost::Python" ON) +option(WITH_PYBIND11 "Use bundled pybind11 instead of Boost::Python" ON) option(WITH_PYTHON "Enable Python modules API." ON) option(WITH_QML "Enable QML UI options." ON) option(WITH_QT6 "Use Qt6 instead of Qt5" OFF) From 918e3c83e69e4c61c19d5a6f6b787b12c3c08c56 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 16:05:35 +0100 Subject: [PATCH 029/123] CI: update ABI-stability base Use the 3.3.0 tag's hash as the beginning of ABI-stability. --- ci/abicheck.sh | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/ci/abicheck.sh b/ci/abicheck.sh index 5ce509905c..56166d88b8 100755 --- a/ci/abicheck.sh +++ b/ci/abicheck.sh @@ -13,10 +13,8 @@ # The base version can be a tag or git-hash; it will be checked-out # in a worktree. # -# Note that the hash here now is 3.3-alpha1, when ABI -# compatibility was not expected much. From 3.3-beta, -# whenever that is, ABI compatibility should be more of a concern. -BASE_VERSION=0c794183936b6d916a109784829e605cc4582e9f +# Note that the hash here corresponds to v3.3.0 . +BASE_VERSION=1d8a1972422d83c36f2b934c2629ae1f564c0428 ### Build a tree and cache the ABI info into ci/ # From f23b4ff2671712e5d7746a7bf983885364a13d85 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 15:40:42 +0100 Subject: [PATCH 030/123] [partition] Preserve the will-it-be-formatted flag of the partition --- .../partition/gui/EditExistingPartitionDialog.cpp | 12 ++++-------- 1 file changed, 4 insertions(+), 8 deletions(-) diff --git a/src/modules/partition/gui/EditExistingPartitionDialog.cpp b/src/modules/partition/gui/EditExistingPartitionDialog.cpp index 4c02e2d0b4..a76bee2892 100644 --- a/src/modules/partition/gui/EditExistingPartitionDialog.cpp +++ b/src/modules/partition/gui/EditExistingPartitionDialog.cpp @@ -128,14 +128,7 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, // Force a format if the existing device is a zfs device since reusing a zpool isn't currently supported const bool partitionIsZFS = m_partition->fileSystem().type() == FileSystem::Type::Zfs; - if ( partitionIsZFS ) - { - m_ui->formatRadioButton->setChecked( true ); - } - else - { - m_ui->formatRadioButton->setChecked( false ); - } + m_ui->formatRadioButton->setChecked( partitionIsZFS || PartitionInfo::format( m_partition ) ); m_ui->formatRadioButton->setEnabled( !partitionIsZFS ); m_ui->keepRadioButton->setChecked( !partitionIsZFS ); m_ui->keepRadioButton->setEnabled( !partitionIsZFS ); @@ -205,6 +198,7 @@ EditExistingPartitionDialog::applyChanges( PartitionCoreModule* core ) { core->setPartitionFlags( m_device, m_partition, resultFlags ); } + PartitionInfo::setFormat( m_partition, false ); } } else @@ -221,6 +215,7 @@ EditExistingPartitionDialog::applyChanges( PartitionCoreModule* core ) core->setPartitionFlags( m_device, m_partition, resultFlags ); } core->setFilesystemLabel( m_device, m_partition, fsLabel ); + PartitionInfo::setFormat( m_partition, true ); } else // otherwise, we delete and recreate the partition with new fs type { @@ -254,6 +249,7 @@ EditExistingPartitionDialog::applyChanges( PartitionCoreModule* core ) { core->setFilesystemLabel( m_device, m_partition, fsLabel ); } + PartitionInfo::setFormat( m_partition, false ); core->refreshPartition( m_device, m_partition ); } From 14e9da251af390abb504bdc0b2bdfd218f6e642e Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 16:49:26 +0100 Subject: [PATCH 031/123] [libcalamaresui] Avoid Qt warning 16:23:24 [2]: WARNING (Qt): QThread::setPriority: Cannot set priority, thread is not running Start the log widget's thread with a specific priority. This is ignored on Linux anyway, but we'll avoid the setPriority() warning. --- src/libcalamaresui/widgets/LogWidget.cpp | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/src/libcalamaresui/widgets/LogWidget.cpp b/src/libcalamaresui/widgets/LogWidget.cpp index fb57720236..108324a8f0 100644 --- a/src/libcalamaresui/widgets/LogWidget.cpp +++ b/src/libcalamaresui/widgets/LogWidget.cpp @@ -83,8 +83,7 @@ LogWidget::LogWidget( QWidget* parent ) connect( &m_log_thread, &LogThread::onLogChunk, this, &LogWidget::handleLogChunk ); - m_log_thread.setPriority( QThread::LowestPriority ); - m_log_thread.start(); + m_log_thread.start( QThread::LowestPriority ); } void From d5f32be5e3ce162b19bb2871b87ae3b178478167 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 17:03:27 +0100 Subject: [PATCH 032/123] [partition] Repair enable/disable status of FS label The entry field was always enabled, but the label of the FS-label entry field depended on the format button. --- src/modules/partition/gui/EditExistingPartitionDialog.cpp | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/src/modules/partition/gui/EditExistingPartitionDialog.cpp b/src/modules/partition/gui/EditExistingPartitionDialog.cpp index a76bee2892..9c8d543e74 100644 --- a/src/modules/partition/gui/EditExistingPartitionDialog.cpp +++ b/src/modules/partition/gui/EditExistingPartitionDialog.cpp @@ -69,9 +69,10 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, this, &EditExistingPartitionDialog::checkMountPointSelection ); - // The filesystem label dialog is always enabled, because we may want to change + // The filesystem label field is always enabled, because we may want to change // the label on the current filesystem without formatting. m_ui->fileSystemLabelEdit->setText( m_partition->fileSystem().label() ); + m_ui->fileSystemLabel->setEnabled(true); replacePartResizerWidget(); @@ -81,7 +82,6 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, { replacePartResizerWidget(); - m_ui->fileSystemLabel->setEnabled( doFormat ); m_ui->fileSystemComboBox->setEnabled( doFormat ); if ( !doFormat ) @@ -133,7 +133,6 @@ EditExistingPartitionDialog::EditExistingPartitionDialog( Device* device, m_ui->keepRadioButton->setChecked( !partitionIsZFS ); m_ui->keepRadioButton->setEnabled( !partitionIsZFS ); - m_ui->fileSystemLabel->setEnabled( m_ui->formatRadioButton->isChecked() ); m_ui->fileSystemComboBox->setEnabled( m_ui->formatRadioButton->isChecked() ); setFlagList( *( m_ui->m_listFlags ), m_partition->availableFlags(), PartitionInfo::flags( m_partition ) ); From fc2bb1ede0ecc7e8af703c14429042730a7b74a8 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 17 Feb 2024 17:33:37 +0100 Subject: [PATCH 033/123] [partition] Add a helper for intended FS labels The KPMCore partition label returns what **is**, not what is intended. While here, fix some typo's in comments. --- src/modules/partition/README.md | 8 +++---- src/modules/partition/core/PartitionInfo.cpp | 22 ++++++++++++++++++++ src/modules/partition/core/PartitionInfo.h | 8 ++++++- 3 files changed, 33 insertions(+), 5 deletions(-) diff --git a/src/modules/partition/README.md b/src/modules/partition/README.md index cbebd589e3..d9d0d87d9d 100644 --- a/src/modules/partition/README.md +++ b/src/modules/partition/README.md @@ -1,4 +1,4 @@ -# Architecture +#Architecture