diff --git a/src/common/fileloadthread.cpp b/src/common/fileloadthread.cpp index 8c0929b0..fc7c4ab2 100644 --- a/src/common/fileloadthread.cpp +++ b/src/common/fileloadthread.cpp @@ -45,9 +45,18 @@ void FileLoadThread::run() } } - // reads all remaining data from the file. - indata += file.read(file.size()); - file.close(); + // 读取申请开辟内存空间时,捕获可能出现的 std::bad_alloc() 异常,防止闪退。 + try { + // reads all remaining data from the file. + indata += file.read(file.size()); + file.close(); + } catch (const std::exception &e) { + qWarning() << Q_FUNC_INFO << "Read file data error, " << QString(e.what()); + + file.close(); + emit sigLoadFinished(encode, indata, true); + return; + } if (encode.isEmpty()) { //编码识别,如果文件数据大于1M,则只裁剪出1M文件数据去做编码探测 @@ -62,11 +71,11 @@ void FileLoadThread::run() QString textEncode = QString::fromLocal8Bit(encode); if (textEncode.contains("ASCII", Qt::CaseInsensitive) || textEncode.contains("UTF-8", Qt::CaseInsensitive)) { - emit sigLoadFinished(encode, indata); + emit sigLoadFinished(encode, indata, false); } else { QByteArray outData; DetectCode::ChangeFileEncodingFormat(indata, outData, textEncode, QString("UTF-8")); - emit sigLoadFinished(encode, outData); + emit sigLoadFinished(encode, outData, false); } } } diff --git a/src/common/fileloadthread.h b/src/common/fileloadthread.h index 97829cbd..f6a0996a 100644 --- a/src/common/fileloadthread.h +++ b/src/common/fileloadthread.h @@ -19,7 +19,7 @@ class FileLoadThread : public QThread signals: // 预处理信号,优先处理文件头,防止出现加载时间过长的情况 void sigPreProcess(const QByteArray &encode, const QByteArray &content); - void sigLoadFinished(const QByteArray &encode, const QByteArray &content); + void sigLoadFinished(const QByteArray &encode, const QByteArray &content, bool error = false); private: QString m_strFilePath; diff --git a/src/controls/warningnotices.cpp b/src/controls/warningnotices.cpp index 3f1e35df..0f7e9555 100644 --- a/src/controls/warningnotices.cpp +++ b/src/controls/warningnotices.cpp @@ -53,6 +53,12 @@ void WarningNotices::setSaveAsBtn() setWidget(m_saveAsBtn); } +void WarningNotices::clearBtn() +{ + m_saveAsBtn->setVisible(false); + m_reloadBtn->setVisible(false); +} + void WarningNotices::slotreloadBtnClicked() { this->hide(); diff --git a/src/controls/warningnotices.h b/src/controls/warningnotices.h index 22385c49..3ef6db0f 100644 --- a/src/controls/warningnotices.h +++ b/src/controls/warningnotices.h @@ -22,6 +22,7 @@ class WarningNotices : public DFloatingMessage void setReloadBtn(); void setSaveAsBtn(); + void clearBtn(); signals: void reloadBtnClicked(); diff --git a/src/editor/dtextedit.cpp b/src/editor/dtextedit.cpp index 2bf7da1f..392c2f8a 100644 --- a/src/editor/dtextedit.cpp +++ b/src/editor/dtextedit.cpp @@ -3602,7 +3602,7 @@ QString TextEdit::getWordAtMouse() } } -void TextEdit::toggleReadOnlyMode() +void TextEdit::toggleReadOnlyMode(bool notNotify) { if (m_readOnlyMode) { if (m_cursorMode == Overwrite) { @@ -3614,14 +3614,20 @@ void TextEdit::toggleReadOnlyMode() m_readOnlyMode = false; setCursorWidth(1); updateHighlightLineSelection(); - popupNotify(tr("Read-Only mode is off")); + + if (!notNotify) { + popupNotify(tr("Read-Only mode is off")); + } } else { m_readOnlyMode = true; setReadOnly(true); setCursorWidth(0); //隐藏光标 document()->clearUndoRedoStacks(); updateHighlightLineSelection(); - popupNotify(tr("Read-Only mode is on")); + + if (!notNotify) { + popupNotify(tr("Read-Only mode is on")); + } emit cursorModeChanged(Readonly); } } diff --git a/src/editor/dtextedit.h b/src/editor/dtextedit.h index 0112117f..c30094bd 100644 --- a/src/editor/dtextedit.h +++ b/src/editor/dtextedit.h @@ -263,7 +263,7 @@ class TextEdit : public DPlainTextEdit void completionWord(QString word); QString getWordAtMouse(); QString getWordAtCursor(); - void toggleReadOnlyMode(); + void toggleReadOnlyMode(bool notNotify = false); void toggleComment(bool bValue); int getNextWordPosition(QTextCursor &cursor, QTextCursor::MoveMode moveMode); int getPrevWordPosition(QTextCursor cursor, QTextCursor::MoveMode moveMode); diff --git a/src/editor/editwrapper.cpp b/src/editor/editwrapper.cpp index 693b49b9..a1cd9581 100644 --- a/src/editor/editwrapper.cpp +++ b/src/editor/editwrapper.cpp @@ -850,45 +850,48 @@ void EditWrapper::handleFilePreProcess(const QByteArray &encode, const QByteArra * @param encode 文件编码 * @param content 完整文件内容 */ -void EditWrapper::handleFileLoadFinished(const QByteArray &encode, const QByteArray &content) +void EditWrapper::handleFileLoadFinished(const QByteArray &encode, const QByteArray &content, bool error) { // 判断是否预加载,若已预加载,则无需重新初始化 if (!m_bHasPreProcess) { reinitOnFileLoad(encode); } - bool flag = m_pTextEdit->getReadOnlyPermission(); - if (flag == true) { - // note: 特殊处理,由于需要TextEdit处于可编辑状态追加文件数据,临时设置非只读状态 - m_pTextEdit->setReadOnly(false); - } + if (!error) { + bool flag = m_pTextEdit->getReadOnlyPermission(); + if (flag == true) { + // note: 特殊处理,由于需要TextEdit处于可编辑状态追加文件数据,临时设置非只读状态 + m_pTextEdit->setReadOnly(false); + } - m_bFileLoading = true; + m_bFileLoading = true; - //备份显示修改状态 - if (m_bIsTemFile) { - updateModifyStatus(true); - } + //备份显示修改状态 + if (m_bIsTemFile) { + updateModifyStatus(true); + } - // 判断处理前后对象状态 - QPointer checkPtr(this); - // 加载数据 - loadContent(content); - if (checkPtr.isNull()) { - return; - } + // 判断处理前后对象状态 + QPointer checkPtr(this); + // 加载数据 + loadContent(content); + if (checkPtr.isNull()) { + return; + } - //先屏蔽,双字节空字符先按照显示字符编码号处理 - //clearDoubleCharaterEncode(); - //PerformanceMonitor::openFileFinish(filePath(), QFileInfo(filePath()).size()); + m_bFileLoading = false; + if (flag == true) { + m_pTextEdit->setReadOnly(true); + } - m_bFileLoading = false; - if (flag == true) { - m_pTextEdit->setReadOnly(true); - } - if (m_bQuit) { - return; + if (m_bQuit) { + return; + } + } else { + // 清除之前读取的数据 + m_pTextEdit->clear(); } + m_pTextEdit->setTextFinished(); QStringList temFileList = Settings::instance()->settings->option("advance.editor.browsing_history_temfile")->value().toStringList(); @@ -936,6 +939,19 @@ void EditWrapper::handleFileLoadFinished(const QByteArray &encode, const QByteAr } m_pBottomBar->setEncodeName(m_sCurEncode); + + // 提示读取错误信息 + if (error) { + // 设置文本为只读模式,且不显示通知 + if (!m_pTextEdit->getReadOnlyMode()) { + m_pTextEdit->toggleReadOnlyMode(true); + } + + m_pWaringNotices->setMessage(tr("The file cannot be read, which may be too large or has been damaged!")); + m_pWaringNotices->clearBtn(); + m_pWaringNotices->show(); + DMessageManager::instance()->sendMessage(m_pTextEdit, m_pWaringNotices); + } } diff --git a/src/editor/editwrapper.h b/src/editor/editwrapper.h index 37713afa..fe80addf 100644 --- a/src/editor/editwrapper.h +++ b/src/editor/editwrapper.h @@ -137,7 +137,7 @@ class EditWrapper : public QWidget public slots: // 处理文档预加载数据 void handleFilePreProcess(const QByteArray &encode, const QByteArray &content); - void handleFileLoadFinished(const QByteArray &encode, const QByteArray &content); + void handleFileLoadFinished(const QByteArray &encode, const QByteArray &content, bool error); void OnThemeChangeSlot(QString theme); void UpdateBottomBarWordCnt(int cnt); void OnUpdateHighlighter(); diff --git a/tests/src/common/ut_fileloadthread.cpp b/tests/src/common/ut_fileloadthread.cpp index e6b4874c..2e102b81 100644 --- a/tests/src/common/ut_fileloadthread.cpp +++ b/tests/src/common/ut_fileloadthread.cpp @@ -4,6 +4,9 @@ #include "ut_fileloadthread.h" #include "../../src/common/fileloadthread.h" +#include "stub.h" + +#include test_fileloadthread::test_fileloadthread() { @@ -13,14 +16,14 @@ void test_fileloadthread::SetUp() { fthread = new FileLoadThread("aa"); - EXPECT_NE(fthread,nullptr); + EXPECT_NE(fthread, nullptr); } void test_fileloadthread::TearDown() { delete fthread; - fthread=nullptr; + fthread = nullptr; } //FileLoadThread(const QString &filepath, QObject *QObject = nullptr); @@ -28,7 +31,7 @@ TEST_F(test_fileloadthread, FileLoadThread) { FileLoadThread thread("aa"); - EXPECT_EQ(thread.m_strFilePath,"aa"); + EXPECT_EQ(thread.m_strFilePath, "aa"); } //void run(); @@ -37,7 +40,7 @@ TEST_F(test_fileloadthread, run) FileLoadThread *thread = new FileLoadThread("aa"); thread->run(); - EXPECT_NE(thread,nullptr); + EXPECT_NE(thread, nullptr); thread->deleteLater(); } @@ -49,7 +52,7 @@ TEST_F(test_fileloadthread, setEncodeInfo) //thread->setEncodeInfo(pathList,codeList); - EXPECT_NE(thread,nullptr); + EXPECT_NE(thread, nullptr); thread->deleteLater(); } @@ -59,6 +62,42 @@ TEST_F(test_fileloadthread, getCodec) FileLoadThread *thread = new FileLoadThread("aa"); // thread->getCodec(); - EXPECT_NE(thread,nullptr); + EXPECT_NE(thread, nullptr); + thread->deleteLater(); +} + +QByteArray readErrorFunc(qint64 maxlen) +{ + Q_UNUSED(maxlen); + throw std::bad_alloc(); + return QByteArray(); +} + +TEST_F(test_fileloadthread, readError) +{ + QString tmpFilePath("/tmp/test_fileloadthread.txt"); + QFile tmpFile(tmpFilePath); + if (tmpFile.open(QFile::WriteOnly)) { + tmpFile.write("local test data"); + tmpFile.close(); + } + ASSERT_TRUE(tmpFile.exists()); + + FileLoadThread *thread = new FileLoadThread(tmpFilePath); + Stub readErrorStub; + readErrorStub.set((QByteArray(QFile::*)(qint64))(ADDR(QFile, read)), readErrorFunc); + + bool readError = false; + connect(thread, &FileLoadThread::sigLoadFinished, [&](const QByteArray & encode, const QByteArray & content, bool error) { + Q_UNUSED(encode); + Q_UNUSED(content); + readError = error; + }); + + thread->run(); + + EXPECT_TRUE(readError); + EXPECT_NE(thread, nullptr); thread->deleteLater(); + tmpFile.remove(); } diff --git a/tests/src/editor/ut_editwrapper.cpp b/tests/src/editor/ut_editwrapper.cpp index b2fb9639..3993c448 100644 --- a/tests/src/editor/ut_editwrapper.cpp +++ b/tests/src/editor/ut_editwrapper.cpp @@ -688,7 +688,7 @@ TEST(UT_Editwrapper_handleFileLoadFinished, UT_Editwrapper_handleFileLoadFinishe setPrintEnabled_stub.set(ADDR(Window, setPrintEnabled), handleFileLoadFinished_001_setPrintEnabled_stub); Stub setTextFinished_stub; setTextFinished_stub.set(ADDR(TextEdit, setTextFinished), handleFileLoadFinished_001_setTextFinished_stub); - pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent); + pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent, false); ASSERT_TRUE(pWindow->currentWrapper()->m_pBottomBar->m_pEncodeMenu != nullptr); pWindow->deleteLater(); @@ -734,7 +734,7 @@ TEST(UT_Editwrapper_handleFileLoadFinished, UT_Editwrapper_handleFileLoadFinishe stringList.push_back(c2); - pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent); + pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent, false); ASSERT_TRUE(pWindow->currentWrapper()->m_pBottomBar->m_pEncodeMenu != nullptr); pWindow->deleteLater(); @@ -781,7 +781,7 @@ TEST(UT_Editwrapper_handleFileLoadFinished, UT_Editwrapper_handleFileLoadFinishe stringList.push_back(c2); - pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent); + pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent, false); ASSERT_TRUE(pWindow->currentWrapper()->m_pBottomBar->m_pEncodeMenu != nullptr); pWindow->deleteLater(); @@ -789,6 +789,22 @@ TEST(UT_Editwrapper_handleFileLoadFinished, UT_Editwrapper_handleFileLoadFinishe d = nullptr; } +TEST(UT_Editwrapper_handleFileLoadFinished, UT_Editwrapper_handleFileLoadFinished_004_error) +{ + Window *pWindow = new Window(); + pWindow->addBlankTab(QString()); + const QString filePath = QCoreApplication::applicationDirPath() + QString("/Makefile"); + QByteArray encode = QByteArray(); + const QByteArray retFileContent = FileLoadThreadRun(filePath, &encode); + Stub setPrintEnabled_stub; + setPrintEnabled_stub.set(ADDR(Window, setPrintEnabled), handleFileLoadFinished_001_setPrintEnabled_stub); + Stub setTextFinished_stub; + setTextFinished_stub.set(ADDR(TextEdit, setTextFinished), handleFileLoadFinished_001_setTextFinished_stub); + pWindow->currentWrapper()->handleFileLoadFinished(encode, retFileContent, true); + EXPECT_TRUE(pWindow->currentWrapper()->textEditor()->getReadOnlyPermission()); + + pWindow->deleteLater(); +} ////重新加载文件编码 1.文件修改 2.文件未修改处理逻辑一样 切换编码重新加载和另存为 梁卫东 //bool reloadFileEncode(QByteArray encode); diff --git a/translations/deepin-editor.ts b/translations/deepin-editor.ts index a4363c5c..eefcec53 100644 --- a/translations/deepin-editor.ts +++ b/translations/deepin-editor.ts @@ -2,17 +2,17 @@ BottomBar - + Row Row - + Column Column - + Characters %1 Characters %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None None @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Save - + Do you want to save this file? Do you want to save this file? - - + + Cancel Cancel - + Encoding changed. Do you want to save the file now? Encoding changed. Do you want to save the file now? - + Discard Discard - + You do not have permission to save %1 You do not have permission to save %1 - + File removed on the disk. Save it now? File removed on the disk. Save it now? - + File has changed on disk. Reload? File has changed on disk. Reload? - - + + INSERT INSERT - + OVERWRITE OVERWRITE - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + The file cannot be read, which may be too large or has been damaged! + FindBar - + Find Find - + Previous Previous - + Next Next @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Go to Line: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Text Editor is a powerful tool for viewing and editing text files. - + Text Editor Text Editor @@ -132,572 +137,572 @@ QObject - + Text Editor Text Editor - - - - - - + + + + + + Encoding Encoding - + Basic Basic - + Font Style Font Style - + Font Font - + Font Size Font Size - + Shortcuts Shortcuts - - + + Keymap Keymap - - - + + + Window Window - + New tab New tab - + New window New window - + Save Save - + Save as Save as - + Next tab Next tab - + Previous tab Previous tab - + Close tab Close tab - + Close other tabs Close other tabs - + Restore tab Restore tab - + Open file Open file - + Increment font size Increment font size - + Decrement font size Decrement font size - + Reset font size Reset font size - + Help Help - + Toggle fullscreen Toggle fullscreen - + Find Find - + Replace Replace - + Go to line Go to line - + Save cursor position Save cursor position - + Reset cursor position Reset cursor position - + Exit Exit - + Display shortcuts Display shortcuts - + Print Print - + Editor Editor - + Increase indent Increase indent - + Decrease indent Decrease indent - + Forward character Forward character - + Backward character Backward character - + Forward word Forward word - + Backward word Backward word - + Next line Next line - + Previous line Previous line - + New line New line - + New line above New line above - + New line below New line below - + Duplicate line Duplicate line - + Delete to end of line Delete to end of line - + Delete current line Delete current line - + Swap line up Swap line up - + Swap line down Swap line down - + Scroll up one line Scroll up one line - + Scroll down one line Scroll down one line - + Page up Page up - + Page down Page down - + Move to end of line Move to end of line - + Move to start of line Move to start of line - + Move to end of text Move to end of text - + Move to start of text Move to start of text - + Move to line indentation Move to line indentation - + Upper case Upper case - + Lower case Lower case - + Capitalize Capitalize - + Delete backward word Delete backward word - + Delete forward word Delete forward word - + Forward over a pair Forward over a pair - + Backward over a pair Backward over a pair - + Select all Select all - + Copy Copy - + Cut Cut - + Paste Paste - + Transpose character Transpose character - + Mark Mark - + Unmark Unmark - + Copy line Copy line - + Cut line Cut line - + Merge lines Merge lines - + Read-Only mode Read-Only mode - + Add comment Add comment - + Remove comment Remove comment - + Undo Undo - + Redo Redo - + Add/Remove bookmark Add/Remove bookmark - + Move to previous bookmark Move to previous bookmark - + Move to next bookmark Move to next bookmark - + Advanced Advanced - + Window size Window size - + Tab width Tab width - + Word wrap Word wrap - + Code folding flag Code folding flag - + Show line numbers Show line numbers - + Show bookmarks icon Show bookmarks icon - + Show whitespaces and tabs Show whitespaces and tabs - + Highlight current line Highlight current line - + Color mark Color mark - + Unicode Unicode - + WesternEuropean WesternEuropean - + CentralEuropean CentralEuropean - + Baltic Baltic - + Cyrillic Cyrillic - + Arabic Arabic - + Celtic Celtic - + SouthEasternEuropean SouthEasternEuropean - + Greek Greek - + Hebrew Hebrew - + ChineseSimplified ChineseSimplified - + ChineseTraditional ChineseTraditional - + Japanese Japanese - + Korean Korean - + Thai Thai - + Turkish Turkish - + Vietnamese Vietnamese - + File not saved File not saved - - - + + + Line Endings Line Endings @@ -705,32 +710,32 @@ ReplaceBar - + Find Find - + Replace With Replace With - + Replace Replace - + Skip Skip - + Replace Rest Replace Rest - + Replace All Replace All @@ -747,58 +752,58 @@ Settings - + Standard Standard - + Customize Customize - + Normal Normal - + Maximum Maximum - + Fullscreen Fullscreen - + This shortcut conflicts with system shortcut %1 This shortcut conflicts with system shortcut %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately - - + + The shortcut %1 is invalid, please set another one. The shortcut %1 is invalid, please set another one. - + Cancel Cancel - + Replace Replace - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Untitled %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Close tab - + Close other tabs Close other tabs - + More options More options - + Close tabs to the left Close tabs to the left - + Close tabs to the right Close tabs to the right - + Close unmodified tabs Close unmodified tabs @@ -847,261 +852,259 @@ TextEdit - + Undo Undo - + Redo Redo - + Cut Cut - + Copy Copy - + Paste Paste - + Delete Delete - + Select All Select All - - + + Find Find - - + + Replace Replace - + Go to Line Go to Line - + Turn on Read-Only mode Turn on Read-Only mode - + Turn off Read-Only mode Turn off Read-Only mode - + Fullscreen Fullscreen - + Exit fullscreen Exit fullscreen - + Display in file manager Display in file manager - - + + Add Comment Add Comment - + Text to Speech Text to Speech - + Stop reading Stop reading - + Speech to Text Speech to Text - + Translate Translate - + Column Mode Column Mode - + Add bookmark Add bookmark - + Remove Bookmark Remove Bookmark - + Previous bookmark Previous bookmark - + Next bookmark Next bookmark - + Remove All Bookmarks Remove All Bookmarks - + Fold All Fold All - + Fold Current Level Fold Current Level - + Unfold All Unfold All - + Unfold Current Level Unfold Current Level - + Color Mark Color Mark - + Clear All Marks Clear All Marks - + Clear Last Mark Clear Last Mark - + Mark Mark - + Mark All Mark All - + Remove Comment Remove Comment - Failed to paste text: it is too large - Failed to paste text: it is too large - - - + Copy failed: not enough memory Copy failed: not enough memory - + Press ALT and click lines to edit in column mode Press ALT and click lines to edit in column mode - + Change Case Change Case - + Upper Case Upper Case - + Lower Case Lower Case - + Capitalize Capitalize - + None None - + Selected line(s) copied Selected line(s) copied - + Current line copied Current line copied - + Selected line(s) clipped Selected line(s) clipped - + Current line clipped Current line clipped - + Paste failed: not enough memory Paste failed: not enough memory - + Read-Only mode is off Read-Only mode is off - - - + + + + + Read-Only mode is on Read-Only mode is on @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Reload @@ -1117,129 +1120,130 @@ Window - - + + Save as Save as - + New window New window - + New tab New tab - + Open file Open file - - + + Save Save - + Print Print - + Switch theme Switch theme - - + + Settings Settings - - + + Read-Only Read-Only - + You do not have permission to open %1 You do not have permission to open %1 - + + Invalid file: %1 Invalid file: %1 - - + + Do you want to save this file? Do you want to save this file? - + You do not have permission to save %1 You do not have permission to save %1 - + Saved successfully Saved successfully - - - + + + Save File Save File - + Encoding Encoding - + Read-Only mode is on Read-Only mode is on - + Current location remembered Current location remembered - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Editor - + Untitled %1 Untitled %1 - + Cancel Cancel - + Discard Discard diff --git a/translations/deepin-editor_az.ts b/translations/deepin-editor_az.ts index b8542da5..02919205 100644 --- a/translations/deepin-editor_az.ts +++ b/translations/deepin-editor_az.ts @@ -2,17 +2,17 @@ BottomBar - + Row Sətir - + Column Sütun - + Characters %1 %1 simvol @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Heç biri @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Saxlamaq - + Do you want to save this file? Bu faylı saxlamaq istəyirsiniz? - - + + Cancel İmtina - + Encoding changed. Do you want to save the file now? Kodlaşma dəyişdirildi. Faylı indi saxlamaq istəyirsiniz? - + Discard Rədd etmək - + You do not have permission to save %1 %1 saxlamaq üçün imtiyazınız yoxdur - + File removed on the disk. Save it now? Diskdəki fayl silindi. O, indi saxlanılsın? - + File has changed on disk. Reload? Diskdəki fayl dəyişdirildi. Yenidən yüklənsin? - - + + INSERT DAXİL_ETMƏK - + OVERWRITE ÜZƏRİNƏ_YAZMAQ - + R/O Y/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Tapmaq - + Previous Əvvəlki - + Next Sonrakı @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Sətirə keçin: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Mətn Redaktoru, mətn fayllarına baxmaq və onlara düzəliş etmək üçün güclü bir vasitədir. - + Text Editor Mətn Redaktoru @@ -132,572 +137,572 @@ QObject - + Text Editor Mətn Redaktoru - - - - - - + + + + + + Encoding Kodlaşma - + Basic Əsas - + Font Style Şrift üslubu - + Font Şrift - + Font Size Şriftin ölçüsü - + Shortcuts Qısa yollar - - + + Keymap Düymələr xəritəsi - - - + + + Window Pəncərə - + New tab Yeni vərəq - + New window Yeni pəncərə - + Save Saxlamaq - + Save as Belə saxlayın - + Next tab Sonrakı vərəq - + Previous tab Əvvəlki vərəq - + Close tab Vərəqi bağlamaq - + Close other tabs Digər vərəqləri bağlamaq - + Restore tab Vərəqi bərpa etmək - + Open file Faylı açın - + Increment font size Şriftin ölçüsünü artırmaq - + Decrement font size Şriftin ölçüsünü azaltmaq - + Reset font size Şriftin ölçüsünü sıfırlamaq - + Help Kömək - + Toggle fullscreen Tam ekran açmaq - + Find Tapmaq - + Replace Əvəzləmək - + Go to line Sətirə keçmək - + Save cursor position Kursorun yerini saxlamaq - + Reset cursor position Kursorun yerini sıfırlamaq - + Exit Çıxış - + Display shortcuts Qısayolları göstərmək - + Print Çap - + Editor Redaktor - + Increase indent Abzası böyütmək - + Decrease indent Abzası daraltmaq - + Forward character Bir sonrakı somvol - + Backward character Bir əvvəlki simvol - + Forward word Başlanğıc söz - + Backward word Bir əvvəlki söz - + Next line Sonrakı sətir - + Previous line Əvvəlki sətir - + New line Yeni sətir - + New line above Yeni sətir yuxarı - + New line below Yeni sətir aşağı - + Duplicate line Sətirin təkrarı - + Delete to end of line Sətirin sonundək silmək - + Delete current line Cari sətiri silmək - + Swap line up Sətiri yuxarı dəyişmək - + Swap line down Sətiri aşağı dəyişmək - + Scroll up one line Bir sətir yuxarı sürüşdürmək - + Scroll down one line Bir sətir aşağı sürüşdürmək - + Page up Bir səhifə yuxarı - + Page down Bir səhifə aşağı - + Move to end of line Sətirin sonuna köçürmək - + Move to start of line Sətirin başlanğıcına köçürmək - + Move to end of text Mətnin sonuna köçürmək - + Move to start of text Mətnin əvvəlinə köçürmək - + Move to line indentation Sətirin abzasına keçmək - + Upper case Böyük hərf - + Lower case Kiçik hərf - + Capitalize Baş hərflərlə - + Delete backward word Bir əvvəlki sözü silmək - + Delete forward word Bir sonrakı sözü silmək - + Forward over a pair Sonrakı cüt - + Backward over a pair Əvvəlki cüt - + Select all Hamısını seçmək - + Copy Kopyalamaq - + Cut Kəsmək - + Paste Yerləşdirmək - + Transpose character Simvolun yerini dəyişmək - + Mark İşarələmək - + Unmark İşarəni qaldırmaq - + Copy line Sətiri kopyalamaq - + Cut line Sətiri kəsmək - + Merge lines Sətirləri birləşdirmək - + Read-Only mode Yalnız-oxu rejimi - + Add comment Şərh əlavə edin - + Remove comment Şərhi silmək - + Undo Qaytarmaq - + Redo Hazır - + Add/Remove bookmark Əlfəcin əlavə edin/silin - + Move to previous bookmark Əvvəlki əlfəcinlərə köçürmək - + Move to next bookmark Sonrakı əlfəcinə köçürmək - + Advanced Əlavə - + Window size Pəncərə ölçüsü - + Tab width Vərəqin eni - + Word wrap Sözü sətirə keçirmək - + Code folding flag Kod yığma bayrağı - + Show line numbers Sətir nömrəsini göstərmək - + Show bookmarks icon Əlfəcinlərin nişanlarını göstərmək - + Show whitespaces and tabs Ara boşluqlarını və vərəqləri göstərmək - + Highlight current line Cari sətiri vurğulamaq - + Color mark Rəng markeri - + Unicode Unicode - + WesternEuropean Qərbi_Avropa - + CentralEuropean Mərkəzi_Avropa - + Baltic Baltik - + Cyrillic Kiril - + Arabic Ərəb - + Celtic Kelt - + SouthEasternEuropean Cənub-Şərqi_Avropa - + Greek Yunan - + Hebrew İvrit - + ChineseSimplified Çin_Sadələşdirilmiş - + ChineseTraditional Çin_Ənənəvi - + Japanese Yapon - + Korean Koreya - + Thai Tay - + Turkish Türk - + Vietnamese Vyetnam - + File not saved Fayl saxlanılmadı - - - + + + Line Endings Sətrin sonu @@ -705,32 +710,32 @@ ReplaceBar - + Find Tapmaq - + Replace With Bununla əvəzləmək - + Replace Əvəzləmək - + Skip Ötürmək - + Replace Rest Başqalarını dəyişin - + Replace All Hamısını əvəzləmək @@ -747,58 +752,58 @@ Settings - + Standard Standard - + Customize Özəlləşdirmək - + Normal Normal - + Maximum Ən çox - + Fullscreen Tam ekran - + This shortcut conflicts with system shortcut %1 Bu qısayol %1 sistem qısayolu ilə ziddiyyətlidir - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Bu qısayol %1 ilə ziddiyyətlidir, bu qısayolu dərhal qüvvəyə mindirmək üçün Əvəzləmək düyməsinə vurun - - + + The shortcut %1 is invalid, please set another one. %1 qısayolu işləmir, başqa birini təyin edin. - + Cancel İmtina - + Replace Əvəzləmək - + OK OLDU @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Başlıqsız %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Vərəqi bağlamaq - + Close other tabs Digər vərəqləri baölamaq - + More options Daha çox seçimlər - + Close tabs to the left Soldakı vərəqləri bağlamaq - + Close tabs to the right Saödakı vərəqləri bağlamaq - + Close unmodified tabs Dəyişdirilməmiş vərəqləri bağlamaq @@ -847,261 +852,259 @@ TextEdit - + Undo Qaytarmaq - + Redo Hazır - + Cut Kəsmək - + Copy Kopyalamaq - + Paste Yerləşdirmək - + Delete Silmək - + Select All Hamısını seçmək - - + + Find Tapmaq - - + + Replace Əvəzləmək - + Go to Line Sətirə keçin - + Turn on Read-Only mode Yalnız-oxu, rejimini açmaq - + Turn off Read-Only mode Yalnız-oxu, rejimini söndürmək - + Fullscreen Tam ekran - + Exit fullscreen Tam ekrandan çıxış - + Display in file manager Fayl bələdçisində göstərmək - - + + Add Comment Şərh əlavə edin - + Text to Speech Mətndən_Nitqə - + Stop reading Oxunuşu saxlamaq - + Speech to Text Nitqdən_Mətnə - + Translate Tərcümə - + Column Mode Sütun rejimi - + Add bookmark Əlfəcin əlavə etmək - + Remove Bookmark Əlfəcini silmək - + Previous bookmark Əvvəlki əlfəcin - + Next bookmark Sonrakı əlfəcin - + Remove All Bookmarks Bütün əlfəcinləri silmək - + Fold All Hamısını bükmək - + Fold Current Level Cari səviyyəni bükmək - + Unfold All Hamısını açmaq - + Unfold Current Level Cari səviyyəni açmaq - + Color Mark Rəng markeri - + Clear All Marks Bütün işarələri qaldırmaq - + Clear Last Mark Sonuncu işarəni qaldırmaq - + Mark İşarələmək - + Mark All Hamısını işarələmək - + Remove Comment Şərhi silmək - Failed to paste text: it is too large - Mətn yerləşdririlə bilmədi: o, çox böyükdür - - - + Copy failed: not enough memory Kopyalanmadı: kifayət qədər yaddaş yoxdur - + Press ALT and click lines to edit in column mode Sütun rejimində düzəliş etmək üçün ALT düyməsini basın və sətirə vurun - + Change Case Böyük-kiçik hərfi dəyişdirmək - + Upper Case Böyük hərf - + Lower Case Kiçik hərf - + Capitalize Baş hərflərlə - + None Heç biri - + Selected line(s) copied Seçilmiş sətir(lər) kopyalandı - + Current line copied Cari sətir kopyalandı - + Selected line(s) clipped Seçilmiş sətir(lər) kəsildi - + Current line clipped Cari sətir kəsildi - + Paste failed: not enough memory Yerləşdirilmədi: kifayət qədər yaddaş yoxdur - + Read-Only mode is off Yalnız-oxu, rejimi söndürülüb - - - + + + + + Read-Only mode is on Yalnız-ozu, rejimi aktivdir @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Yenidən yükləmək @@ -1117,129 +1120,130 @@ Window - - + + Save as Belə saxlayın - + New window Yeni pəncərə - + New tab Yeni vərəq - + Open file Faylı açın - - + + Save Saxlamaq - + Print Çap - + Switch theme Mövzunu dəyişmək - - + + Settings Ayarlar - - + + Read-Only Yalnız-oxumaq - + You do not have permission to open %1 %1 açmaq üçün imtiyazınız yoxdur - + + Invalid file: %1 Səhv fayl: %1 - - + + Do you want to save this file? Bu faylı saxlamaq istəyirsiniz? - + You do not have permission to save %1 %1 saxlamaq üçün imtiyazınız yoxdur - + Saved successfully Uğurla saxlanıldı - - - + + + Save File Faylı saxlayın - + Encoding Kodlaşma - + Read-Only mode is on Yalnız-ozu, rejimi aktivdir - + Current location remembered Cari yer yadda saxlanıldı - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Redaktor - + Untitled %1 Başlıqsız %1 - + Cancel İmtina - + Discard Rədd etmək diff --git a/translations/deepin-editor_bo.ts b/translations/deepin-editor_bo.ts index 243df2e1..c7421bcd 100644 --- a/translations/deepin-editor_bo.ts +++ b/translations/deepin-editor_bo.ts @@ -2,17 +2,17 @@ BottomBar - + Row འཕྲེད་སྟར། - + Column གཞུང་སྟར། - + Characters %1 ཡིག་འབྲུ། %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None མེད། @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save ཉར་ཚགས། - + Do you want to save this file? ཁྱེད་ཀྱིས་ཡིག་ཆ་འདི་ཉར་ཚགས་བྱེད་དམ། - - + + Cancel འདོར་བ། - + Encoding changed. Do you want to save the file now? ཡིག་ཆའི་ཨང་སྒྲིག་བཟོ་བཅོས་བྱས་ཟིན་པས། སྔོན་ལ་ཉར་ཚགས་བྱེད་དམ། - + Discard མི་ཉར། - + You do not have permission to save %1 ཁྱེད་ལ་%1ཉར་བའི་དབང་ཚད་མེད། - + File removed on the disk. Save it now? སྡུད་སྡེར་ནང་གི་ཐོག་མའི་ཡིག་ཆ་འབུད་ཟིན་པས། དེ་ཉར་རམ། - + File has changed on disk. Reload? སྡུད་སྡེར་ནང་གི་ཐོག་མའི་ཡིག་ཆ་བཟོ་བཅོས་བྱས་ཟིན་པས། བསྐྱར་འཇུག་བྱེད་དམ། - - + + INSERT ནང་འཇུག - + OVERWRITE འགེབས་པ། - + R/O ཀློག་ཙམ། + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find འཚོལ་བ། - + Previous གོང་མ། - + Next རྗེས་མ། @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: འཕྲེད་སྟར་དུ་མཆོང་བ། @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. ཡིག་ཆ་རྩོམ་སྒྲིག་ཆས་ནི་ཡིག་ཆ་ལྟ་བ་དང་རྩོམ་སྒྲིག་བྱེད་པའི་ཡོ་བྱད་ཞིག་རེད། - + Text Editor ཡིག་ཆ་རྩོམ་སྒྲིག་ཆས། @@ -132,572 +137,572 @@ QObject - + Text Editor ཡིག་ཆ་རྩོམ་སྒྲུག་ཆས། - - - - - - + + + + + + Encoding ཨང་སྒྲིག - + Basic རྨང་གཞིའི་སྒྲིག་བཀོད། - + Font Style ཡིག་གཟུགས་དཔེ་དབྱིབས། - + Font ཡིག་གཟུགས། - + Font Size ཡིག་ཨང་། - + Shortcuts མྱུར་མཐེབ། - - + + Keymap མྱུར་མཐེབ་རྟེན་འཕྲོ། - - - + + + Window སྒེའུ་ཁུང་། - + New tab ཁ་བྱང་ངོས་གསར། - + New window སྒེའུ་ཁུང་གསར་པ། - + Save ཉར་ཚགས། - + Save as གཞན་ཉར། - + Next tab ཁ་བྱང་ངོས་རྗེས་མ། - + Previous tab ཁ་བྱང་ངོས་གོང་མ། - + Close tab ཁ་བྱང་ངོས་ཁ་རྒྱག - + Close other tabs ཁ་བྱང་ངོས་གཞན་དག་ཁ་རྒྱག - + Restore tab ཁ་བྱང་ངོས་སླར་གསོ། - + Open file ཡིག་ཆ་ཁ་ཕྱེ། - + Increment font size ཡིག་ཨང་ཆེ་སྒྱུར། - + Decrement font size ཡིག་ཨང་ཆུང་སྒྱུར། - + Reset font size ཡིག་ཨང་སོར་ལོག - + Help རོགས་པ། - + Toggle fullscreen བརྙན་ཡོལ་ཡོངས་ལ་བརྗེ་བ། - + Find འཚོལ་བ། - + Replace བརྗེ་བ། - + Go to line འཕྲེད་སྟར་དུ་མཆོང་བ། - + Save cursor position འོད་རྟགས་གནས་ཡུལ་ཉར་བ། - + Reset cursor position ཉར་བའི་འོད་རྟགས་གནས་ཡུལ་དུ་མཆོང་བ། - + Exit ཕྱིར་འབུད། - + Display shortcuts མྱུར་མཐེབ་འཆར་བ། - + Print པར་འདེབས། - + Editor རྩོམ་སྒྲིག - + Increase indent སྐུམ་ཚད་ཆེར་གཏོང་། - + Decrease indent སྐུམ་ཚད་ཆུང་གཏོང་། - + Forward character གཡས་སུ་ཡིག་རྟགས་གཅིག་སྤོ་བ། - + Backward character གཡོན་ལ་ཡིག་རྟགས་གཅིག་སྤོ་བ། - + Forward word གཡས་སུ་ཚིག་གཅིག་སྤོ་བ། - + Backward word གཡོན་དུ་ཚིག་གཅིག་སྤོ་བ། - + Next line སྟར་པ་རྗེས་མ། - + Previous line སྟར་པ་གོང་མ། - + New line སྟར་པ་བརྗེ་བ། - + New line above གོང་ལ་སྟར་པ་གཅིག་འཇུག་པ། - + New line below འོག་ཏུ་སྟར་པ་གཅིག་འཇུག་པ། - + Duplicate line འདྲ་བཤུ་བྱས་རྗེས་མིག་སྔའི་སྟར་པར་སྦྱར་བ། - + Delete to end of line སྟར་པའི་མཇུག་བར་སུབ་པ། - + Delete current line མིག་སྔའི་སྟར་པ་སུབ་པ། - + Swap line up གོང་དུ་སྟར་པ་གཅིག་སྤོ་བ། - + Swap line down འོག་ཏུ་སྟར་པ་གཅིག་སྤོ་བ། - + Scroll up one line སྟེང་དུ་སྟར་པ་གཅིག་འགྲིལ་བ། - + Scroll down one line འོག་ཏུ་སྟར་པ་གཅིག་འགྲིལ་བ། - + Page up སྟེང་དུ་ཤོག་ལྷེ་གཅིག་འགྲིལ་བ། - + Page down འོག་ཏུ་ཤོག་ལྷེ་གཅིག་འགྲིལ་བ། - + Move to end of line སྟར་པའི་མཇུག་ཏུ་སྤོ་བ། - + Move to start of line སྟར་པའི་མགོ་ལ་སྤོ་བ། - + Move to end of text ཡིག་ཆའི་མཇུག་ཏུ་སྤོ་བ། - + Move to start of text ཡིག་ཆའི་མགོ་ལ་སྤོ་བ། - + Move to line indentation སྟར་པ་སྐུམ་སར་སྤོ་བ། - + Upper case ཆེ་བྲིས་ལ་བརྗེ་བ། - + Lower case ཆུང་བྲིས་ལ་བརྗེ་བ། - + Capitalize མགོ་ཡིག་ཆེ་བྲིས། - + Delete backward word གཡོན་དུ་ཚིག་གཅིག་སུབ་པ། - + Delete forward word གཡས་སུ་ཚིག་གཅིག་སུབ་པ། - + Forward over a pair གཡས་སུ་སྙོམ་སྒྲིག་བྱེད་པ། - + Backward over a pair གཡོན་དུ་སྙོམ་སྒྲིག་བྱེད་པ། - + Select all ཡོངས་འདེམས། - + Copy པར་སློག - + Cut དྲས་གཏུབ། - + Paste སྦྱར་བ། - + Transpose character ཡིག་རྟགས་བརྗེ་བ། - + Mark རྟགས་སྒྲིག་བཀོད། - + Unmark རྟགས་འདོར་བ། - + Copy line སྟར་པ་འདྲ་བཟོ། - + Cut line སྟར་པ་དྲས་པ། - + Merge lines སྟར་པ་སྒྲིལ་བ། - + Read-Only mode ཀློག་ཙམ་དཔེ་དབྱིབས་ལ་བརྗེ་བ། - + Add comment མཆན་སྣོན་པ། - + Remove comment མཆན་འདོར་བ། - + Undo མི་བྱེད། - + Redo བསྐྱར་བྱེད། - + Add/Remove bookmark ཤོག་འཛར་སྣོན་པ།/འདོར་བ། - + Move to previous bookmark ཤོག་འཛར་གོང་དུ་སྤོ་བ། - + Move to next bookmark ཤོག་འཛར་རྗེས་མར་སྤོ་བ། - + Advanced མཐོ་རིམ་སྒྲིག་བཀོད། - + Window size སྒེའུ་ཁུང་རྣམ་པ། - + Tab width Tabཡིག་རྟགས་ཞེང་ཚད། - + Word wrap རང་འགུལ་ངང་འཕྲེད་སྟར་བརྗེ་བ། - + Code folding flag ཚབ་རྟགས་ལྟེབ་པའི་མཚོན་རྟགས་གསལ་བ། - + Show line numbers སྟར་ཨང་གསལ་བ། - + Show bookmarks icon ཤོག་འཛར་གྱི་རྟགས་གསལ་བ། - + Show whitespaces and tabs སྟོང་ཆའི་ཡིག་རྟགས།/རེའུ་མིག་བཟོ་རྟགས་གསལ་བ། - + Highlight current line མིག་སྔའི་མཐོ་ཚད་གསལ་བ། - + Color mark ཚོས་གཞིའི་རྟགས། - + Unicode Unicode - + WesternEuropean ཡོ་རོབ་ནུབ་མའི་སྐད་ཁོངས། - + CentralEuropean ཡོ་རོབ་བར་མའི་སྐད་ཁོངས། - + Baltic པོ་ལོའུ་ཏི་ཧའེ་ཡི་སྐད་ཡིག - + Cyrillic ཞི་ལེར་གྱི་ཡི་གེ། - + Arabic ཨ་རབ་ཀྱི་སྐད། - + Celtic ཁའེ་ཐེའི་སྐད། - + SouthEasternEuropean ཡོ་རོབ་ཤར་ལྷོའི་སྐད་ཁོངས། - + Greek གྷི་རིག་གི་སྐད། - + Hebrew ཞི་པོ་ལའེ་ཡི་སྐད། - + ChineseSimplified ཟོར་ཡང་རྒྱ་ཡིག - + ChineseTraditional ཟོར་ལྕིའི་རྒྱ་ཡིག - + Japanese ཉི་ཧོང་སྐད། - + Korean ཁོ་རེ་ཡའི་སྐད། - + Thai ཐེ་ལན་གྱི་སྐད། - + Turkish ཐུར་ཁེའི་སྐད། - + Vietnamese ཝེ་ཐེ་ནམ་གྱི་སྐད། - + File not saved ཡིག་ཆ་ཉར་ཚགས་བྱས་མེད། - - - + + + Line Endings སྟར་བརྗེ་རྟགས། @@ -705,32 +710,32 @@ ReplaceBar - + Find འཚོལ་བ། - + Replace With ལ་བརྗེ་བ། - + Replace བརྗེ་བ། - + Skip མཆོང་བ། - + Replace Rest ལྷག་མ་བརྗེ་བ། - + Replace All ཚང་མ་བརྗེ་བ། @@ -747,58 +752,58 @@ Settings - + Standard ཚད་ལྡན། - + Customize རང་སྒྲུབ། - + Normal རྒྱུན་གཏན་སྒེའུ་ཁུང་། - + Maximum ཆེ་སྒྱུར། - + Fullscreen ཡོལ་གང་། - + This shortcut conflicts with system shortcut %1 མྱུར་མཐེབ་འདི་དང་མ་ལག་གི་མྱུར་མཐེབ་%1འགལ་ཟླ་ཡོད། - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately མྱུར་མཐེབ་འདི་དང་%1འགལ་ཟླ་ཡོད་པས། བརྗེ་པོ་མནན་ནས་མྱུར་མཐེབ་འདི་ལམ་སེང་སྤྱོད་གོ་ཆོད། - - + + The shortcut %1 is invalid, please set another one. %1ནི་ནུས་མེད་མྱུར་མཐེབ་ཡིན་པས། ཡང་བསྐྱར་སྒྲིག་བཀོད་གནང་རྒྱུ། - + Cancel འདོར་བ། - + Replace བརྗེ་བ། - + OK གཏན་འཁེལ། @@ -806,7 +811,7 @@ StartManager - + Untitled %1 མིང་མེད་པའི་ཡིག་ཚགས་%1 @@ -814,32 +819,32 @@ Tabbar - + Close tab ཁ་བྱང་ངོས་ཁ་རྒྱག - + Close other tabs ཁ་བྱང་ངོས་གཞན་དག་ཁ་རྒྱག - + More options ཁ་རྒྱག་ཐབས་དེ་ལས་མང་། - + Close tabs to the left གཡོན་ཕྱོགས་ཀྱི་ཁ་བྱང་ངོས་ཚང་མ་ཁ་རྒྱག - + Close tabs to the right གཡས་ཕྱོགས་ཀྱི་ཁ་བྱང་ངོས་ཚང་མ་ཁ་རྒྱག - + Close unmodified tabs བཟོ་བཅོས་བྱས་མེད་པའི་ཁ་བྱང་ངོས་ཚང་མ་ཁ་རྒྱག @@ -847,261 +852,259 @@ TextEdit - + Undo མི་བྱེད། - + Redo བསྐྱར་བྱེད། - + Cut དྲས་གཏུབ། - + Copy པར་སློག - + Paste སྦྱར་བ། - + Delete སུབ་པ། - + Select All ཡོངས་འདེམས། - - + + Find འཚོལ་བ། - - + + Replace བརྗེ་བ། - + Go to Line འཕྲེད་སྟར་དུ་མཆོང་བ། - + Turn on Read-Only mode ཀློག་ཙམ་དཔེ་དབྱིབས་ཁ་ཕྱེ། - + Turn off Read-Only mode ཀློག་ཙམ་དཔེ་དབྱིབས་ཁ་རྒྱག - + Fullscreen ཡོལ་གང་། - + Exit fullscreen ཡོལ་གང་ནས་ཕྱིར་འབུད་པ། - + Display in file manager ཡིག་ཆ་དོ་དམ་ཆས་ཁྲོད་དུ་མངོན་པ། - - + + Add Comment མཆན་སྣོན་པ། - + Text to Speech ཀློག་འདོན་བྱ་རྒྱུ། - + Stop reading ཀློག་མཚམས་འཇོག་པ། - + Speech to Text སྐད་སྒྲའི་དཔོད་བྲིས། - + Translate ཡིག་སྒྱུར། - + Column Mode གཞུང་སྟར་རྩོམ་སྒྲིག་རྣམ་པ། - + Add bookmark ཤོག་འཛར་སྣོན་པ། - + Remove Bookmark ཤོག་འཛར་འདོར་བ། - + Previous bookmark ཤོག་འཛར་གོང་མ། - + Next bookmark ཤོག་འཛར་རྗེས་མ། - + Remove All Bookmarks ཤོག་འཛར་ཚང་མ་འདོར་བ། - + Fold All བང་རིམ་ཚང་མ་ལྟེབ་པ། - + Fold Current Level མིག་སྔའི་བང་རིམ་ལྟེབ་པ། - + Unfold All བང་རིམ་ཚང་མ་བཀྲམ་པ། - + Unfold Current Level མིག་སྔའི་བང་རིམ་བཀྲམ་པ། - + Color Mark ཚོས་གཞིའི་རྟགས། - + Clear All Marks རྟགས་ཚང་མ་གཙང་སེལ། - + Clear Last Mark གོང་གི་རྟགས་གཙང་སེལ། - + Mark རྟགས་སྒྲིག་བཀོད། - + Mark All རྟགས་ཚང་མ། - + Remove Comment མཆན་འདོར་བ། - Failed to paste text: it is too large - ཡིག་ཆ་ཆེ་དྲགས་པས་སྦྱར་མི་ཐུབ། - - - + Copy failed: not enough memory གཤོང་ཚད་མ་འདང་བས་པར་སློག་བྱེད་ཐབས་བྲལ། - + Press ALT and click lines to edit in column mode ALT+ཙི་གུའི་འདེམས་པ་སྤྱད་ནས་གཞུང་སྟར་རྩོམ་སྒྲིག་རྣམ་པ་བརྗེ་རྒྱུ། - + Change Case ཆེ་བྲིས་ཆུང་བྲིས་བརྗེ་བ། - + Upper Case ཆེ་བྲིས། - + Lower Case ཆུང་བྲིས། - + Capitalize མགོ་ཡིག་ཆེ་བྲིས། - + None མེད། - + Selected line(s) copied བདམས་ཟིན་པའི་སྟར་པ(རུ་སྟར)འདི་དྲས་སྦྱར་པང་དུ་པར་སློག་བྱས་ཟིན། - + Current line copied མིག་སྔའི་སྟར་པ་འདི་དྲས་སྦྱར་པང་དུ་པར་སློག་བྱས་ཟིན། - + Selected line(s) clipped བདམས་ཟིན་པའི་སྟར་པ(རུ་སྟར)འདི་དྲས་སྦྱར་པང་དུ་དྲས་གཏུབ་བྱས་ཟིན། - + Current line clipped མིག་སྔའི་སྟར་པ་འདི་དྲས་སྦྱར་པང་དུ་དྲས་གཏུབ་བྱས་ཟིན། - + Paste failed: not enough memory ཤོང་ཚད་མི་འདང་བས་སྦྱར་མ་ཐུབ། - + Read-Only mode is off ཀློག་ཙམ་དཔེ་དབྱིབས་ཁ་བརྒྱབ་ཟིན། - - - + + + + + Read-Only mode is on ཀློག་ཙམ་དཔེ་དབྱིབས་ཁ་ཕྱེ་ཟིན། @@ -1109,7 +1112,7 @@ WarningNotices - + Reload བསྐྱར་འཇུག @@ -1117,129 +1120,130 @@ Window - - + + Save as གཞན་ཉར། - + New window སྒེའུ་ཁུང་གསར་པ། - + New tab ཁ་བྱང་ངོས་གསར། - + Open file ཡིག་ཆ་ཁ་ཕྱེ། - - + + Save ཉར་ཚགས། - + Print པར་འདེབས། - + Switch theme བརྗོད་བྱ་གཙོ་བོ་བརྗེ་བ། - - + + Settings སྒྲིག་བཀོད། - - + + Read-Only ཀློག་ཙམ། - + You do not have permission to open %1 ཁྱེད་ལ་%1ཁ་ཕྱེ་བའི་དབང་ཚད་མེད། - + + Invalid file: %1 ཕན་མེད་ཡིག་ཆ། %1 - - + + Do you want to save this file? ཁྱེད་ཀྱིས་ཡིག་ཆ་འདི་ཉར་ཚགས་བྱེད་དམ། - + You do not have permission to save %1 ཁྱེད་ལ་%1ཉར་བའི་དབང་ཚད་མེད། - + Saved successfully ཡིག་ཆ་ཉར་ཟིན། - - - + + + Save File ཉར་བ། - + Encoding ཨང་སྒྲིག - + Read-Only mode is on ཀློག་ཙམ་དཔེ་དབྱིབས་ཁ་ཕྱེ་ཟིན། - + Current location remembered མིག་སྔའི་གནས་ས་ངེས་ཟིན། - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor རྩོམ་སྒྲིག - + Untitled %1 མིང་མེད་པའི་ཡིག་ཚགས་%1 - + Cancel འདོར་བ། - + Discard མི་ཉར། diff --git a/translations/deepin-editor_ca.ts b/translations/deepin-editor_ca.ts index 11eafdbf..d5d0507a 100644 --- a/translations/deepin-editor_ca.ts +++ b/translations/deepin-editor_ca.ts @@ -2,17 +2,17 @@ BottomBar - + Row Fila - + Column Columna - + Characters %1 Caràcters %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Cap @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Desa - + Do you want to save this file? Voleu desar aquest fitxer? - - + + Cancel Cancel·la - + Encoding changed. Do you want to save the file now? Ha canviat la codificació. Voleu desar el fitxer ara? - + Discard Descarta - + You do not have permission to save %1 No teniu permís per desar %1 - + File removed on the disk. Save it now? El fitxer s'ha eliminat del disc. El voleu desar ara? - + File has changed on disk. Reload? El fitxer ha canviat al disc. El torno a carregar? - - + + INSERT INSEREIX - + OVERWRITE SOBREESCRIU - + R/O N/L + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Troba - + Previous Anterior - + Next Següent @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Ves a la línia: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. L'Editor de text és és una eina potent per visualitzar i editar fitxers de text. - + Text Editor Editor de text @@ -132,572 +137,572 @@ QObject - + Text Editor Editor de text - - - - - - + + + + + + Encoding Codificació - + Basic Bàsic - + Font Style Estil de la lletra - + Font Lletra - + Font Size Mida de la lletra - + Shortcuts Dreceres - - + + Keymap Mapa de tecles - - - + + + Window Finestra - + New tab Pestanya nova - + New window Finestra nova - + Save Desa - + Save as Desa com a - + Next tab Pestanya següent - + Previous tab Pestanya anterior - + Close tab Tanca la pestanya - + Close other tabs Tanca les altres pestanyes - + Restore tab Restaura la pestanya - + Open file Obre un fitxer - + Increment font size Augmenta la mida de la lletra - + Decrement font size Redueix la mida de la lletra - + Reset font size Restableix la mida de la lletra - + Help Ajuda - + Toggle fullscreen Commuta la pantalla completa - + Find Troba - + Replace Reemplaça - + Go to line Ves a la línia - + Save cursor position Desa la posició del cursor - + Reset cursor position Restableix la posició del cursor - + Exit Surt - + Display shortcuts Mostra les dreceres - + Print Imprimeix - + Editor Editor - + Increase indent Augmenta el sagnat - + Decrease indent Redueix el sagant - + Forward character Caràcter següent - + Backward character Caràcter anterior - + Forward word Paraula següent - + Backward word Paraula anterior - + Next line Línia següent - + Previous line Línia anterior - + New line Línia nova - + New line above Línia nova superior - + New line below Línia nova inferior - + Duplicate line Duplica la línia - + Delete to end of line Suprimeix fins al final de la línia - + Delete current line Suprimeix la línia actual - + Swap line up Intercanvia amb la línia superior - + Swap line down Intercanvia amb la línia inferior - + Scroll up one line Ves una línia amunt - + Scroll down one line Ves una línia avall - + Page up Pàgina amunt - + Page down Pàgina avall - + Move to end of line Mou al final de la línia - + Move to start of line Mou a l'inici de la línia - + Move to end of text Mou al final del text - + Move to start of text Mou a l'inici del text - + Move to line indentation Mou al sagnat de la línia - + Upper case Majúscules - + Lower case Minúscules - + Capitalize Posa en majúscules - + Delete backward word Suprimeix la paraula anterior - + Delete forward word Suprimeix la paraula següent - + Forward over a pair Endavant dues - + Backward over a pair Endarrere dues - + Select all Selecciona-ho tot - + Copy Copia - + Cut Retalla - + Paste Enganyxa - + Transpose character Transposa el caràcter - + Mark Marca - + Unmark Desmarca - + Copy line Copia la línia - + Cut line Retalla la línia - + Merge lines Fusiona les línies - + Read-Only mode Mode només de lectura - + Add comment Afegeix-hi un comentari - + Remove comment Elimina el comentari - + Undo Desfés - + Redo Refés - + Add/Remove bookmark Afegeix / elimina un marcador - + Move to previous bookmark Ves al marcador anterior - + Move to next bookmark Ves al marcador següent - + Advanced Avançat - + Window size Mida de la finestra - + Tab width Amplada de la pestanya - + Word wrap Ajust de paraules - + Code folding flag Bandera de plec de codi - + Show line numbers Mostra els números de línia - + Show bookmarks icon Mostra la icona dels marcadors - + Show whitespaces and tabs Mostra els espais en blanc i les tabulacions - + Highlight current line Ressalta la línia actual - + Color mark Marca de color - + Unicode Unicode - + WesternEuropean Europeu occidental - + CentralEuropean Centreeuropeu - + Baltic Bàltic - + Cyrillic Cirílic - + Arabic Àrab - + Celtic Celta - + SouthEasternEuropean Sud-est europeu - + Greek Grec - + Hebrew Hebreu - + ChineseSimplified Xinès simplificat - + ChineseTraditional Xinès tradicional - + Japanese Japonès - + Korean Coreà - + Thai Tailandès - + Turkish Turc - + Vietnamese Vietnamita - + File not saved Fitxer no desat - - - + + + Line Endings Finals de línia @@ -705,32 +710,32 @@ ReplaceBar - + Find Troba - + Replace With Reemplaça amb - + Replace Reemplaça - + Skip Omet - + Replace Rest Reemplaça'n la resta - + Replace All Reemplaça-ho tot @@ -747,58 +752,58 @@ Settings - + Standard Estàndard - + Customize Personalitza - + Normal Normal - + Maximum Màxim - + Fullscreen Pantalla completa - + This shortcut conflicts with system shortcut %1 Aquesta drecera entra en conflicte amb la drecera del sistema %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Aquesta tecla de drecera té conflicte amb %1. Cliqueu a Reemplaça perquè aquesta drecera tingui efecte immediatament. - - + + The shortcut %1 is invalid, please set another one. La drecera %1 no és vàlida. Establiu-ne una altra. - + Cancel Cancel·la - + Replace Reemplaça - + OK D'acord @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Sense títol: %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Tanca la pestanya - + Close other tabs Tanca les altres pestanyes - + More options Més opcions - + Close tabs to the left Tanca les pestanyes de l'esquerra - + Close tabs to the right Tanca les pestanyes de la dreta - + Close unmodified tabs Tanca les pestanyes no modificades @@ -847,261 +852,259 @@ TextEdit - + Undo Desfés - + Redo Refés - + Cut Retalla - + Copy Copia - + Paste Enganxa - + Delete Suprimeix - + Select All Selecciona-ho tot - - + + Find Troba - - + + Replace Reemplaça - + Go to Line Ves a la línia - + Turn on Read-Only mode Activa el mode només de lectura - + Turn off Read-Only mode Desactiva el mode només de lectura - + Fullscreen Pantalla completa - + Exit fullscreen Surt de la pantalla completa - + Display in file manager Mostra-ho al gestor de fitxers - - + + Add Comment Afegeix-hi un comentari - + Text to Speech Text a veu - + Stop reading Atura la lectura - + Speech to Text Veu a text - + Translate Tradueix - + Column Mode Mode de columna - + Add bookmark Afegeix-hi un marcador - + Remove Bookmark Elimina el marcador - + Previous bookmark Marcador anterior - + Next bookmark Marcador següent - + Remove All Bookmarks Elimina tots els marcadors - + Fold All Plega-ho tot - + Fold Current Level Plega el nivell actual - + Unfold All Desplega-ho tot - + Unfold Current Level Desplega el nivell actual - + Color Mark Marca de color - + Clear All Marks Neteja totes les marques - + Clear Last Mark Neteja la darrera marca - + Mark Marca - + Mark All Marca-ho tot - + Remove Comment Elimina el comentari - Failed to paste text: it is too large - No s'ha pogut enganxar el text: és massa gros. - - - + Copy failed: not enough memory La còpia ha fallat: no hi ha prou memòria. - + Press ALT and click lines to edit in column mode Premeu ALT i feu clic a les línies per editar-lo en mode columna - + Change Case Canvia'n la caixa - + Upper Case Majúscules - + Lower Case Minúscules - + Capitalize Posa en majúscules - + None Cap - + Selected line(s) copied S'han copiat les línies seleccionades. - + Current line copied S'ha copiat la línia actual. - + Selected line(s) clipped S'han retallat les línies seleccionades. - + Current line clipped S'ha retallat la línia actual. - + Paste failed: not enough memory Ha fallat l'acció d'enganxar: no hi ha prou memòria. - + Read-Only mode is off Mode de lectura desactivat - - - + + + + + Read-Only mode is on Mode de lectura activat @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Torna-ho a carregar @@ -1117,129 +1120,130 @@ Window - - + + Save as Desa com a - + New window Finestra nova - + New tab Pestanya nova - + Open file Obre un fitxer - - + + Save Desa - + Print Imprimeix - + Switch theme Canvia el tema - - + + Settings Paràmetres - - + + Read-Only Només de lectura - + You do not have permission to open %1 No teniu permís per obrir %1 - + + Invalid file: %1 Fitxer no vàlid: %1 - - + + Do you want to save this file? Voleu desar aquest fitxer? - + You do not have permission to save %1 No teniu permís per desar %1 - + Saved successfully S'ha desat correctament - - - + + + Save File Desa el fitxer - + Encoding Codificació - + Read-Only mode is on Mode de lectura activat - + Current location remembered Es recorda la ubicació actual. - + Ctrl+'=' Ctrl + = - + Ctrl+'-' Ctrl + - - + Editor Editor - + Untitled %1 Sense títol: %1 - + Cancel Cancel·la - + Discard Descarta diff --git a/translations/deepin-editor_cs.ts b/translations/deepin-editor_cs.ts index 16637061..b0ca4717 100644 --- a/translations/deepin-editor_cs.ts +++ b/translations/deepin-editor_cs.ts @@ -2,17 +2,17 @@ BottomBar - + Row Řádek - + Column Sloupec - + Characters %1 Znaků %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Žádné @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Uložit - + Do you want to save this file? Chcete tento soubor uložit? - - + + Cancel Zrušit - + Encoding changed. Do you want to save the file now? Kódování změněno. Chcete tento soubor uložit nyní? - + Discard Zahodit - + You do not have permission to save %1 Nemáte oprávnění pro uložení %1 - + File removed on the disk. Save it now? Soubor byl mezitím na disku odstraněn. Uložit ho nyní? - + File has changed on disk. Reload? Soubor byl mezitím na disku změněn. Načíst znovu? - - + + INSERT VLOŽIT - + OVERWRITE PŘEPSAT - + R/O Pouze pro čtení + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Najít - + Previous Předchozí - + Next Další @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Jít na řádek: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Textový editor je mocný nástroj na prohlížení a upravování textových souborů. - + Text Editor Textový editor @@ -132,572 +137,572 @@ QObject - + Text Editor Textový editor - - - - - - + + + + + + Encoding Kódování znaků - + Basic Základní - + Font Style Styl písma - + Font Písmo - + Font Size Velikost písma - + Shortcuts Klávesové zkratky - - + + Keymap Přiřazení kláves - - - + + + Window Okno - + New tab Nová karta - + New window Nové okno - + Save Uložit - + Save as Uložit jako - + Next tab Další karta - + Previous tab Předchozí karta - + Close tab Zavřít kartu - + Close other tabs Zavřít ostatní karty - + Restore tab Obnovit kartu - + Open file Otevřít soubor - + Increment font size Zvětšit velikost písma - + Decrement font size Zmenšit velikost písma - + Reset font size Vrátit velikost písma na výchozí - + Help Nápověda - + Toggle fullscreen Přepnout na celou obrazovku - + Find Najít - + Replace Nahradit - + Go to line Jít na řádek - + Save cursor position Uložit pozici kurzoru - + Reset cursor position Vrátit polohu kurzoru na výchozí - + Exit Ukončit - + Display shortcuts Zobrazit klávesové zkratky - + Print Tisk - + Editor Editor - + Increase indent Zvětšit odsazení - + Decrease indent Zmenšit odsazení - + Forward character O znak dopředu - + Backward character O znak dozadu - + Forward word O slovo dopředu - + Backward word O slovo dozadu - + Next line Další řádek - + Previous line Předchozí řádek - + New line Nový řádek - + New line above Nový řádek nad - + New line below Nový řádek pod - + Duplicate line Zduplikovat řádek - + Delete to end of line Smazat po konec řádku - + Delete current line Smazat stávající řádek - + Swap line up Prohodit řádek s tím nad ním - + Swap line down Prohodit řádek s tím pod ním - + Scroll up one line Posunout se o řádek nahoru - + Scroll down one line Posunout se o řádek dolů - + Page up O stránku nahoru - + Page down O stránku dolů - + Move to end of line Přesunout na konec řádku - + Move to start of line Přesunout na začátek řádku - + Move to end of text Přesunout na konec textu - + Move to start of text Přesunout na začátek textu - + Move to line indentation Přesunout na odsazení řádku - + Upper case Velká písmena - + Lower case Malá písmena - + Capitalize Vše velkými písmeny - + Delete backward word Smazat slovo za kurzorem - + Delete forward word Smazat slovo před kurzorem - + Forward over a pair Dopředu přes dvojici - + Backward over a pair Dozadu přes dvojici - + Select all Vybrat vše - + Copy Kopírovat - + Cut Vyjmout - + Paste Vložit - + Transpose character Přemístit znak - + Mark Označit - + Unmark Odznačit - + Copy line Kopírovat řádek - + Cut line Vyjmout řádek - + Merge lines Sloučit řádky - + Read-Only mode Režim pouze pro čtení - + Add comment Přidat komentář - + Remove comment Odebrat komentář - + Undo Zpět - + Redo Znovu - + Add/Remove bookmark Přidat/Odebrat záložku - + Move to previous bookmark Přesunout na předchozí záložku - + Move to next bookmark Přesunout na další záložku - + Advanced Pokročilé - + Window size Velikost okna - + Tab width Šířka zarážky (tabulátor) - + Word wrap Zalamování slov - + Code folding flag Příznak sbalení kódu - + Show line numbers Zobrazovat čísla řádek - + Show bookmarks icon Zobrazovat ikony záložek - + Show whitespaces and tabs Zobrazovat prázdné znaky a tabulátory - + Highlight current line Zvýraznit stávající řádek - + Color mark Barevná značka - + Unicode Unicode - + WesternEuropean Západoevropské - + CentralEuropean Středoevropské - + Baltic Baltské - + Cyrillic Cyrilice - + Arabic Arabské - + Celtic Keltské - + SouthEasternEuropean Jihovýchodoevropské - + Greek Řecké - + Hebrew Hebrejské - + ChineseSimplified Zjednodušená čínština - + ChineseTraditional Tradiční čínština - + Japanese Japonské - + Korean Korejské - + Thai Thajské - + Turkish Turecké - + Vietnamese Vietnamské - + File not saved Soubor neuložen - - - + + + Line Endings Konce řádků @@ -705,32 +710,32 @@ ReplaceBar - + Find Najít - + Replace With Nahradit za - + Replace Nahradit - + Skip Přeskočit - + Replace Rest Nahradit zbytek - + Replace All Nahradit vše @@ -747,58 +752,58 @@ Settings - + Standard Standardní - + Customize Přizpůsobit - + Normal Normální - + Maximum Největší - + Fullscreen Na celou obrazovku - + This shortcut conflicts with system shortcut %1 Tato zkratka je v konfliktu se systémovou %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately - Tato zkratka koliduje s %1 – klikněte na Nahradit, pokud chcete, aby začala platit pro tuto akci + Tato zkratka koliduje s %1 – klepněte na Nahradit, pokud chcete, aby začala platit pro tuto akci - - + + The shortcut %1 is invalid, please set another one. Zkratka %1 není platná – prosím nastavte jinou. - + Cancel Zrušit - + Replace Nahradit - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Bez názvu %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Zavřít kartu - + Close other tabs Zavřít ostatní karty - + More options Další volby - + Close tabs to the left Zavřít karty nalevo - + Close tabs to the right Zavřít karty napravo - + Close unmodified tabs Zavřít karty, kterých obsah se nezměnil @@ -847,261 +852,259 @@ TextEdit - + Undo Zpět - + Redo Znovu - + Cut Vyjmout - + Copy Zkopírovat - + Paste Vložit - + Delete Smazat - + Select All Vybrat vše - - + + Find Najít - - + + Replace Nahradit - + Go to Line Jít na řádek - + Turn on Read-Only mode Zapnout režim pouze pro čtení - + Turn off Read-Only mode Vypnout režim pouze pro čtení - + Fullscreen Na celou obrazovku - + Exit fullscreen Opustit zobrazení na celou obrazovku - + Display in file manager Zobrazit ve správci souborů - - + + Add Comment Přidat komentář - + Text to Speech Text na řeč - + Stop reading Zastavit předčítání - + Speech to Text Řeč na text - + Translate Přeložit - + Column Mode Sloupcový režim - + Add bookmark Přidat záložku - + Remove Bookmark Odebrat záložku - + Previous bookmark Předchozí záložka - + Next bookmark Další záložka - + Remove All Bookmarks Odebrat veškeré záložky - + Fold All Sbalit vše - + Fold Current Level Sbalit stávající úroveň - + Unfold All Rozbalit vše - + Unfold Current Level Rozbalit stávající úroveň - + Color Mark Barevná značka - + Clear All Marks Vymazat všechny značky - + Clear Last Mark Vymazat poslední značku - + Mark Označit - + Mark All Označit vše - + Remove Comment Odebrat komentář - Failed to paste text: it is too large - Nepodařilo se vložit text: je příliš dlouhý - - - + Copy failed: not enough memory Kopírování se nezdařilo: nedostatek paměti - + Press ALT and click lines to edit in column mode Pro upravování ve sloupcovém režimu stiskněte ALT a klepejte na řádky - + Change Case Změnit velikost písmen - + Upper Case Velká písmena - + Lower Case Malá písmena - + Capitalize Vše velkými písmeny - + None Žádné - + Selected line(s) copied Vybraný řádek (řádky) zkopírován - + Current line copied Stávající řádek zkopírován - + Selected line(s) clipped Vybraný řádek (řádky) zkrácen - + Current line clipped Stávající řádek zkrácen - + Paste failed: not enough memory Vložení se nezdařilo: nedostatek paměti - + Read-Only mode is off Režim pouze pro čtení je vypnut - - - + + + + + Read-Only mode is on Režim pouze pro čtení je zapnut @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Načíst znovu @@ -1117,129 +1120,130 @@ Window - - + + Save as Uložit jako - + New window Nové okno - + New tab Nová karta - + Open file Otevřít soubor - - + + Save Uložit - + Print Tisk - + Switch theme Přepnout vzhled - - + + Settings Nastavení - - + + Read-Only Pouze pro čtení - + You do not have permission to open %1 Nemáte oprávnění pro otevření %1 - + + Invalid file: %1 Neplatný soubor: %1 - - + + Do you want to save this file? Chcete tento soubor uložit? - + You do not have permission to save %1 Nemáte oprávnění pro uložení %1 - + Saved successfully Úspěšně uloženo - - - + + + Save File Uložit soubor - + Encoding Kódování znaků - + Read-Only mode is on Režim pouze pro čtení je zapnut - + Current location remembered Stávající pozice zapamatována - + Ctrl+'=' Ctrl + = - + Ctrl+'-' Ctlr + - - + Editor Editor - + Untitled %1 Bez názvu %1 - + Cancel Zrušit - + Discard Zahodit diff --git a/translations/deepin-editor_de.ts b/translations/deepin-editor_de.ts index 46909b43..1da99d1a 100644 --- a/translations/deepin-editor_de.ts +++ b/translations/deepin-editor_de.ts @@ -2,17 +2,17 @@ BottomBar - + Row Zeile - + Column Spalte - + Characters %1 Zeichen %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Keines @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Speichern - + Do you want to save this file? Möchten Sie diese Datei speichern? - - + + Cancel Abbrechen - + Encoding changed. Do you want to save the file now? Kodierung geändert. Wollen Sie die Datei jetzt speichern? - + Discard Verwerfen - + You do not have permission to save %1 Berechtigung zum Speichern von %1 fehlt - + File removed on the disk. Save it now? Die Datei wurde von der Festplatte entfernt. Soll die Datei jetzt gespeichert werden. - + File has changed on disk. Reload? Die Datei wurde verändert.. Soll die Datei neu geladen werden? - - + + INSERT EINFÜGEN - + OVERWRITE ÜBERSCHREIBEN - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Suchen - + Previous Vorheriges - + Next Nächstes @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Gehe zu Zeile: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Der Texteditor ist ein leistungsstarkes Tool zum Anzeigen und Bearbeiten von Textdateien. - + Text Editor Texteditor @@ -132,572 +137,572 @@ QObject - + Text Editor Texteditor - - - - - - + + + + + + Encoding Kodierung - + Basic Basis - + Font Style Schriftstil - + Font Schriftart - + Font Size Schriftgröße - + Shortcuts Tastaturkürzel - - + + Keymap Tastaturbelegung - - - + + + Window Fenster - + New tab Neuer Tab - + New window Neues Fenster - + Save Speichern - + Save as Speichern unter - + Next tab Nächster Tab - + Previous tab Vorheriger Tab - + Close tab Tab schließen - + Close other tabs Andere Tabs schließen - + Restore tab Tab wiederherstellen - + Open file Datei öffnen - + Increment font size Schriftgröße erhöhen - + Decrement font size Schriftgröße verringern - + Reset font size Schriftgröße zurücksetzen - + Help Hilfe - + Toggle fullscreen Vollbildmodus umschalten - + Find Suchen - + Replace Ersetzen - + Go to line Gehe zu Zeile - + Save cursor position Position des Schreibmarkers speichern - + Reset cursor position Position des Schreibmarkers zurücksetzen - + Exit Beenden - + Display shortcuts Tastaturkürzel anzeigen - + Print Drucken - + Editor Editor - + Increase indent Einrückung vergrößern - + Decrease indent Einrückung verringern - + Forward character Ein Zeichen vorwärts - + Backward character Ein Zeichen rückwärts - + Forward word Ein Wort vorwärts - + Backward word Ein Wort rückwärts - + Next line Nächste Zeile - + Previous line Vorherige Zeile - + New line Neue Zeile - + New line above Neue Zeile davor - + New line below Neue Zeile danach - + Duplicate line Zeile duplizieren - + Delete to end of line Ende der Zeile löschen - + Delete current line Aktuelle Zeile entfernen - + Swap line up Zeile nach oben verschieben - + Swap line down Zeile nach unten verschieben - + Scroll up one line Eine Zeile hoch - + Scroll down one line Eine Zeile runter - + Page up Eine Seite nach oben - + Page down Eine Seite nach unten - + Move to end of line Zum Ende der Zeile bewegen - + Move to start of line Zum Anfang der Zeile bewegen - + Move to end of text Zum Ende des Texts bewegen - + Move to start of text Zum Anfang des Texts bewegen - + Move to line indentation Zur Zeileneinrückung bewegen - + Upper case Großbuchstaben - + Lower case Kleinbuchstaben - + Capitalize Großschreibung - + Delete backward word Ein Wort rückwärts entfernen - + Delete forward word Ein Wort vorwärts entfernen - + Forward over a pair Vorwärts über ein Paar - + Backward over a pair Rückwärts über ein Paar - + Select all Alles markieren - + Copy Kopieren - + Cut Ausschneiden - + Paste Einfügen - + Transpose character Zeichen transponieren - + Mark Markieren - + Unmark Markierung aufheben - + Copy line Zeile kopieren - + Cut line Zeile ausschneiden - + Merge lines Zeilen zusammenfügen - + Read-Only mode Nur-Lese-Modus - + Add comment Kommentar hinzufügen - + Remove comment Kommentar entfernen - + Undo Rückgängig - + Redo Wiederherstellen - + Add/Remove bookmark Lesezeichen hinzufügen/entfernen - + Move to previous bookmark Zum vorherigen Lesezeichen wechseln - + Move to next bookmark Zum nächsten Lesezeichen wechseln - + Advanced Erweitert - + Window size Fenstergröße - + Tab width Tabulatorbreite - + Word wrap Zeilenumbruch - + Code folding flag Code-Einklapp-Schalter - + Show line numbers Zeilennummern anzeigen - + Show bookmarks icon Lesezeichensymbol anzeigen - + Show whitespaces and tabs Leerzeichen und Tabulatoren anzeigen - + Highlight current line Aktuelle Zeile markieren - + Color mark Farbmarkierung - + Unicode Unicode - + WesternEuropean Westeuropäisch - + CentralEuropean Mitteleuropäisch - + Baltic Baltisch - + Cyrillic Kyrillisch - + Arabic Arabisch - + Celtic Keltisch - + SouthEasternEuropean Südosteuropäisch - + Greek Griechisch - + Hebrew Hebräisch - + ChineseSimplified ChinesischVereinfacht - + ChineseTraditional ChinesischTraditionell - + Japanese Japanisch - + Korean Koreanisch - + Thai Thailändisch - + Turkish Türkisch - + Vietnamese Vietnamesisch - + File not saved Datei nicht gespeichert - - - + + + Line Endings Zeilenenden @@ -705,32 +710,32 @@ ReplaceBar - + Find Suchen - + Replace With Ersetzen mit - + Replace Ersetzen - + Skip Überspringen - + Replace Rest Rest ersetzen - + Replace All Alles ersetzen @@ -747,58 +752,58 @@ Settings - + Standard Standard - + Customize Anpassen - + Normal Normal - + Maximum Maximum - + Fullscreen Vollbild - + This shortcut conflicts with system shortcut %1 Dieses Tastaturkürzel steht im Konflikt mit dem Systemkürzel %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Dieses Tastaturkürzel steht im Konflikt mit %1, klicke auf Ersetzen, um dieses Kürzel sofort wirksam zu machen - - + + The shortcut %1 is invalid, please set another one. Das Tastaturkürzel %1 ist ungültig, bitte stelle ein anderes ein. - + Cancel Abbrechen - + Replace Ersetzen - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Unbenannt %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Tab schließen - + Close other tabs Schließe restliche Tabs - + More options Weitere Optionen - + Close tabs to the left Tabs nach links schließen - + Close tabs to the right Tabs nach rechts schließen - + Close unmodified tabs Unveränderte Tabs schließen @@ -847,261 +852,259 @@ TextEdit - + Undo Rückgängig - + Redo Wiederherstellen - + Cut Ausschneiden - + Copy Kopieren - + Paste Einfügen - + Delete Löschen - + Select All Alles auswählen - - + + Find Suchen - - + + Replace Ersetzen - + Go to Line Gehe zu Zeile - + Turn on Read-Only mode Nur-Lese-Modus aktivieren - + Turn off Read-Only mode Nur-Lese-Modus deaktivieren - + Fullscreen Vollbild - + Exit fullscreen Vollbild beenden - + Display in file manager Im Dateimanager anzeigen - - + + Add Comment Kommentar hinzufügen - + Text to Speech Text zu Sprache - + Stop reading Lesen beenden - + Speech to Text Sprache zu Text - + Translate Übersetzen - + Column Mode Spaltenmodus - + Add bookmark Lesezeichen hinzufügen - + Remove Bookmark Lesezeichen entfernen - + Previous bookmark Vorheriges Lesezeichen - + Next bookmark Nächstes Lesezeichen - + Remove All Bookmarks Alle Lesezeichen entfernen - + Fold All Alles einfalten - + Fold Current Level Aktuelle Ebene einfalten - + Unfold All Alles ausfalten - + Unfold Current Level Aktuelle Ebene ausfalten - + Color Mark Farbmarkierung - + Clear All Marks Alle Markierungen löschen - + Clear Last Mark Letzte Markierung löschen - + Mark Markieren - + Mark All Alles markieren - + Remove Comment Kommentar entfernen - Failed to paste text: it is too large - Der Text konnte nicht eingefügt werden, da er zu lang ist - - - + Copy failed: not enough memory Kopieren fehlgeschlagen: nicht genügend Speicher - + Press ALT and click lines to edit in column mode Drücke ALT und klicke auf Zeilen, um im Spaltenmodus zu bearbeiten - + Change Case Groß-/Kleinschreibung ändern - + Upper Case Großbuchstaben - + Lower Case Kleinbuchstaben - + Capitalize Großschreibung - + None Keines - + Selected line(s) copied Ausgewählte Zeile(n) kopiert - + Current line copied Aktuelle Zeile kopiert - + Selected line(s) clipped Ausgewählte Zeile(n) abgeschnitten - + Current line clipped Aktuelle Zeile abgeschnitten - + Paste failed: not enough memory Einfügen fehlgeschlagen: nicht genügend Speicher - + Read-Only mode is off Nur-Lese-Modus ist ausgeschaltet - - - + + + + + Read-Only mode is on Nur-Lese-Modus ist eingeschaltet @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Neu laden @@ -1117,129 +1120,130 @@ Window - - + + Save as Speichern unter - + New window Neues Fenster - + New tab Neuer Tab - + Open file Datei öffnen - - + + Save Speichern - + Print Drucken - + Switch theme Theme wechseln - - + + Settings Einstellungen - - + + Read-Only Nur Lesen - + You do not have permission to open %1 Berechtigung zum Öffnen von %1 fehlt - + + Invalid file: %1 Ungültige Datei: %1 - - + + Do you want to save this file? Möchten Sie diese Datei speichern? - + You do not have permission to save %1 Berechtigung zum Speichern von %1 fehlt - + Saved successfully Erfolgreich gespeichert - - - + + + Save File Datei speichern - + Encoding Kodierung - + Read-Only mode is on Nur-Lese-Modus ist aktiviert - + Current location remembered Aktueller Standort gespeichert - + Ctrl+'=' Strg+'=' - + Ctrl+'-' Strg+'-' - + Editor Editor - + Untitled %1 Unbenannt %1 - + Cancel Abbrechen - + Discard Verwerfen diff --git a/translations/deepin-editor_es.ts b/translations/deepin-editor_es.ts index eafc19ef..373413dc 100644 --- a/translations/deepin-editor_es.ts +++ b/translations/deepin-editor_es.ts @@ -2,17 +2,17 @@ BottomBar - + Row Fila - + Column Columna - + Characters %1 Caracteres %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Ninguno @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Guardar - + Do you want to save this file? ¿Desea guardar este archivo? - - + + Cancel Cancelar - + Encoding changed. Do you want to save the file now? La codificación ha cambiado. ¿Desea guardar el archivo ahora? - + Discard Descartar - + You do not have permission to save %1 No tienes permisos para guardar %1 - + File removed on the disk. Save it now? Archivo eliminado en el disco. ¿Desea guardarlo? - + File has changed on disk. Reload? El archivo ha cambiado en el disco. ¿Recargar? - - + + INSERT INSERTAR - + OVERWRITE SOBRESCRIBIR - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Buscar - + Previous Anterior - + Next Siguiente @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Ir a la línea @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Editor de texto de Deepin es una poderosa herramienta para ver y editar archivos de texto. - + Text Editor Editor de texto @@ -132,572 +137,572 @@ QObject - + Text Editor Editor de texto - - - - - - + + + + + + Encoding Codificación - + Basic Básico - + Font Style Estilo de fuente - + Font Fuente - + Font Size Tamaño de fuente - + Shortcuts Atajos - - + + Keymap Asignación de teclas - - - + + + Window Ventana - + New tab Nueva pestaña - + New window Nueva ventana - + Save Guardar - + Save as Guardar como - + Next tab Pestaña siguiente - + Previous tab Pestaña anterior - + Close tab Cerrar pestaña - + Close other tabs Cerrar otras pestañas - + Restore tab Restaurar pestaña - + Open file Abrir archivo - + Increment font size Aumentar tamaño de letra - + Decrement font size Disminuir tamaño de letra - + Reset font size Restablecer tamaño de la letra - + Help Ayuda - + Toggle fullscreen Cambiar a pantalla completa - + Find Buscar - + Replace Reemplazar - + Go to line Ir a la línea - + Save cursor position Guardar la posición del cursor - + Reset cursor position Restablecer posición del cursor - + Exit Salir - + Display shortcuts Mostrar atajos - + Print Imprimir - + Editor Editor - + Increase indent Aumentar sangría - + Decrease indent Disminuir sangría - + Forward character Próximo carácter - + Backward character Carácter anterior - + Forward word Próxima palabra - + Backward word Palabra anterior - + Next line Siguiente línea - + Previous line Línea anterior - + New line Nueva línea - + New line above Nueva línea encima - + New line below Nueva línea debajo - + Duplicate line Duplicar línea - + Delete to end of line Borrar hasta el final de la línea - + Delete current line Borrar la línea actual - + Swap line up Subir línea - + Swap line down Bajar línea - + Scroll up one line Desplazar una línea arriba - + Scroll down one line Desplazar una línea abajo - + Page up Página arriba - + Page down Página abajo - + Move to end of line Mover al final de la línea - + Move to start of line Mover al inicio de la línea - + Move to end of text Mover al final del texto - + Move to start of text Mover al inicio del texto - + Move to line indentation Mover a sangría de línea - + Upper case Mayúsculas - + Lower case Minúsculas - + Capitalize Capitalizar - + Delete backward word Borrar palabra anterior - + Delete forward word Borrar siguiente palabra - + Forward over a pair Adelantar sobre un par - + Backward over a pair Retroceder sobre un par - + Select all Seleccionar todo - + Copy Copiar - + Cut Cortar - + Paste Pegar - + Transpose character Transponer carácter - + Mark Resaltar - + Unmark No resaltar - + Copy line Copiar línea - + Cut line Cortar línea - + Merge lines Fusionar líneas - + Read-Only mode Modo solo lectura - + Add comment Añadir comentario - + Remove comment Borrar comentario - + Undo Deshacer - + Redo Rehacer - + Add/Remove bookmark Añadir/quitar marcador - + Move to previous bookmark Mover al marcador anterior - + Move to next bookmark Mover al siguiente marcador - + Advanced Avanzado - + Window size Tamaño de ventana - + Tab width Ancho de la pestaña - + Word wrap Ajuste de línea - + Code folding flag Marcador para contraer el código - + Show line numbers Mostrar número de línea - + Show bookmarks icon Mostrar iconos de marcadores - + Show whitespaces and tabs Mostrar espacios en blanco y tabulaciones - + Highlight current line Resaltar línea actual - + Color mark Resaltador - + Unicode Unicode - + WesternEuropean Europeo Occidental - + CentralEuropean Centro Europeo - + Baltic Báltico - + Cyrillic Cirílico - + Arabic Árabe - + Celtic Céltico - + SouthEasternEuropean Europeo del Sudeste - + Greek Griego - + Hebrew Hebreo - + ChineseSimplified Chino Simplificado - + ChineseTraditional Chino Tradicional - + Japanese Japonés - + Korean Coreano - + Thai Tailandés - + Turkish Turco - + Vietnamese Vietnamita - + File not saved No se guardó el archivo - - - + + + Line Endings Finales de línea @@ -705,32 +710,32 @@ ReplaceBar - + Find Buscar - + Replace With Reemplazar con - + Replace Reemplazar - + Skip Omitir - + Replace Rest Reemplazar el resto - + Replace All Reemplazar todo @@ -747,58 +752,58 @@ Settings - + Standard Estándar - + Customize Personalizar - + Normal Normal - + Maximum Maximizada - + Fullscreen Pantalla completa - + This shortcut conflicts with system shortcut %1 Este atajo entra en conflicto con el atajo del sistema %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Este atajo entra en conflicto con %1, haga clic en Reemplazar para que este atajo sea efectivo inmediatamente - - + + The shortcut %1 is invalid, please set another one. El atajo %1 es inválido, por favor ponga otro. - + Cancel Cancelar - + Replace Reemplazar - + OK Aceptar @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Sin título %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Cerrar pestaña - + Close other tabs Cerrar otras pestañas - + More options Más opciones - + Close tabs to the left Cerrar las pestañas de la izquierda - + Close tabs to the right Cerrar las pestañas de la derecha - + Close unmodified tabs Cerrar las pestañas sin modificar @@ -847,261 +852,259 @@ TextEdit - + Undo Deshacer - + Redo Rehacer - + Cut Cortar - + Copy Copiar - + Paste Pegar - + Delete Borrar - + Select All Seleccionar todo - - + + Find Buscar - - + + Replace Reemplazar - + Go to Line Ir a la línea - + Turn on Read-Only mode Activar modo solo lectura - + Turn off Read-Only mode Desactivar modo solo lectura - + Fullscreen Pantalla completa - + Exit fullscreen Salir de la pantalla completa - + Display in file manager Mostrar en el administrador de archivos - - + + Add Comment Añadir comentario - + Text to Speech Texto a voz - + Stop reading Detener lectura - + Speech to Text Voz a texto - + Translate Traducir - + Column Mode Modo de columna - + Add bookmark Añadir marcador - + Remove Bookmark Quitar marcador - + Previous bookmark Marcador anterior - + Next bookmark Marcador siguiente - + Remove All Bookmarks Quitar todos los marcadores - + Fold All Ocultar todo - + Fold Current Level Ocultar el nivel actual - + Unfold All Mostrar todo - + Unfold Current Level Mostrar el nivel actual - + Color Mark Resaltador - + Clear All Marks Borrar todo lo resaltado - + Clear Last Mark Borrar último resalte - + Mark Resaltar - + Mark All Resaltar todo - + Remove Comment Borrar comentario - Failed to paste text: it is too large - Fallo al pegar el texto: es demasiado grande - - - + Copy failed: not enough memory Copia fallida: no hay suficiente memoria - + Press ALT and click lines to edit in column mode Presiona ALT y haz clic en las líneas para editar en el modo de columna - + Change Case Formato de texto - + Upper Case Mayúsculas - + Lower Case Minúsculas - + Capitalize Capitalizar - + None Ninguno - + Selected line(s) copied Líneas seleccionadas copiadas - + Current line copied Línea actual copiada - + Selected line(s) clipped Líneas seleccionadas cortadas - + Current line clipped Línea actual cortada - + Paste failed: not enough memory Fallo al pegar: no hay suficiente memoria - + Read-Only mode is off Modo solo lectura desactivado - - - + + + + + Read-Only mode is on Modo solo lectura activado @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Recargar @@ -1117,129 +1120,130 @@ Window - - + + Save as Guardar como - + New window Nueva ventana - + New tab Nueva pestaña - + Open file Abrir archivo - - + + Save Guardar - + Print Imprimir - + Switch theme Cambiar el tema - - + + Settings Ajustes - - + + Read-Only Sólo lectura - + You do not have permission to open %1 No tienes permisos para abrir %1 - + + Invalid file: %1 Archivo inválido: %1 - - + + Do you want to save this file? ¿Desea guardar este archivo? - + You do not have permission to save %1 No tienes permisos para guardar %1 - + Saved successfully Guardado exitosamente - - - + + + Save File Guardar el archivo - + Encoding Codificación - + Read-Only mode is on Modo solo lectura activado - + Current location remembered Guardar ubicación actual - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Editor - + Untitled %1 Sin título %1 - + Cancel Cancelar - + Discard Descartar diff --git a/translations/deepin-editor_fi.ts b/translations/deepin-editor_fi.ts index cadde789..d577353c 100644 --- a/translations/deepin-editor_fi.ts +++ b/translations/deepin-editor_fi.ts @@ -2,17 +2,17 @@ BottomBar - + Row Rivi - + Column Sarake - + Characters %1 Merkit %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Tyhjä @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Tallenna - + Do you want to save this file? Haluatko tallentaa tämän tiedoston? - - + + Cancel Peru - + Encoding changed. Do you want to save the file now? Koodaus muutettu. Haluatko tallentaa tiedoston nyt? - + Discard Hylkää - + You do not have permission to save %1 Sinulla ei ole lupaa tallentaa %1 - + File removed on the disk. Save it now? Tiedosto on poistettu. Tallenna se nyt? - + File has changed on disk. Reload? Tiedosto on muuttunut. Päivitä? - - + + INSERT Lisää - + OVERWRITE Ylikirjoita - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Etsi - + Previous Edellinen - + Next Seuraava @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Siirry riville: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Tekstieditori on tehokas työkalu tekstitiedostojen katselemiseen ja muokkaamiseen. - + Text Editor Tekstieditori @@ -132,572 +137,572 @@ QObject - + Text Editor Tekstieditori - - - - - - + + + + + + Encoding Koodaus - + Basic Perustiedot - + Font Style Kirjasimen tyyli - + Font Kirjasin - + Font Size Kirjasimen koko - + Shortcuts Pikanäppäimet - - + + Keymap Näppäinkartta - - - + + + Window Ikkuna - + New tab Uusi välilehti - + New window Uusi ikkuna - + Save Tallenna - + Save as Tallenna nimellä - + Next tab Seuraava välilehti - + Previous tab Edellinen välilehti - + Close tab Sulje välilehti - + Close other tabs Sulje välilehdet - + Restore tab Palauta välilehti - + Open file Avaa tiedosto - + Increment font size Kasvata fonttikokoa - + Decrement font size Vähennä fonttikokoa - + Reset font size Nollaa kirjasimen koko - + Help Apua - + Toggle fullscreen Siirry koko näyttöön - + Find Etsi - + Replace Korvaa - + Go to line Siirry riville - + Save cursor position Tallenna kohdistimen sijainti - + Reset cursor position Nollaa kohdistimen sijainti - + Exit Poistu - + Display shortcuts Näytä pikavalinnat - + Print Tulosta - + Editor Editori - + Increase indent Suurenna sisennys - + Decrease indent Pienennä sisennys - + Forward character Merkki eteen - + Backward character Merkki taakse - + Forward word Sanan eteen - + Backward word Sanan taakse - + Next line Seuraava rivi - + Previous line Edellinen rivi - + New line Uusi rivi - + New line above Uusi rivi eteen - + New line below Uusi rivi taakse - + Duplicate line Monista rivi - + Delete to end of line Poista rivin loppuun - + Delete current line Poista nykyinen rivi - + Swap line up Vaihda rivi ylös - + Swap line down Vaihda rivi alas - + Scroll up one line Vieritä rivi ylöspäin - + Scroll down one line Vieritä rivi alaspäin - + Page up Sivu ylös - + Page down Sivu alas - + Move to end of line Siirry rivin loppuun - + Move to start of line Siirry rivin alkuun - + Move to end of text Siirry tekstin loppuun - + Move to start of text Siirry tekstin alkuun - + Move to line indentation Lisää sisennys - + Upper case Isot kirjaimet - + Lower case Pienet kirjaimet - + Capitalize Suuret kirjaimet - + Delete backward word Poista taaksepäin - + Delete forward word Poista eteenpäin - + Forward over a pair Etenevä - + Backward over a pair Takautuva - + Select all Valitse kaikki - + Copy Kopioi - + Cut Leikkaa - + Paste Liitä - + Transpose character Siirrä merkki - + Mark Merkki - + Unmark Poista merkintä - + Copy line Kopioi rivi - + Cut line Leikkaa rivi - + Merge lines Yhdistä rivit - + Read-Only mode Vain lukutila - + Add comment Lisää kommentti - + Remove comment Poista kommentti - + Undo Kumoa - + Redo Uudelleen - + Add/Remove bookmark Lisää/poista kirjanmerkki - + Move to previous bookmark Siirry edelliseen kirjanmerkkiin - + Move to next bookmark Siirry seuraavaan kirjanmerkkiin - + Advanced Edistynyt - + Window size Ikkunan koko - + Tab width Välilehden leveys - + Word wrap Rivitys - + Code folding flag Koodin taiton merkit - + Show line numbers Näytä rivinumerot - + Show bookmarks icon Näytä kirjanmerkit kuvake - + Show whitespaces and tabs Näytä välilyönnit ja tabulaattorit - + Highlight current line Korosta nykyinen rivi - + Color mark Värimerkki - + Unicode Unicode - + WesternEuropean Länsi-Eurooppa - + CentralEuropean Keski-Eurooppa - + Baltic Baltia - + Cyrillic Kyrillinen - + Arabic Arabia - + Celtic Kelttiläinen - + SouthEasternEuropean Kaakkois-Eurooppa - + Greek Kreikka - + Hebrew Hebrea - + ChineseSimplified Kiina-yksinkertaistettu - + ChineseTraditional Kiina-perinteinen - + Japanese Japani - + Korean Korea - + Thai Thai - + Turkish Turkki - + Vietnamese Vietnami - + File not saved Tiedostoa ei tallennettu - - - + + + Line Endings Rivin loppu @@ -705,32 +710,32 @@ ReplaceBar - + Find Etsi - + Replace With Korvaa - + Replace Korvaa - + Skip Ohita - + Replace Rest Korvaa loput - + Replace All Korvaa kaikki @@ -747,58 +752,58 @@ Settings - + Standard Standardi - + Customize Muokkaa - + Normal Normaali - + Maximum Maksimi - + Fullscreen Koko näyttö - + This shortcut conflicts with system shortcut %1 Tämä pikanäppäin on ristiriidassa järjestelmän %1 kanssa - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Tämä on ristiriidassa %1 kanssa, valitse Korvaa, jotta tämä pikanäppäin tulee voimaan välittömästi - - + + The shortcut %1 is invalid, please set another one. Pikanäppäin %1 on virheellinen, aseta toinen. - + Cancel Peru - + Replace Korvaa - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Nimetön %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Sulje välilehti - + Close other tabs Sulje välilehdet - + More options Lisää vaihtoehtoja - + Close tabs to the left Sulje välilehdet vasemmalla - + Close tabs to the right Sulje välilehdet oikealla - + Close unmodified tabs Sulje muuttumattomat välilehdet @@ -847,261 +852,259 @@ TextEdit - + Undo Kumoa - + Redo Uudelleen - + Cut Leikkaa - + Copy Kopioi - + Paste Liitä - + Delete Poista - + Select All Valitse kaikki - - + + Find Etsi - - + + Replace Korvaa - + Go to Line Siirry riville - + Turn on Read-Only mode Vain lukutila - + Turn off Read-Only mode Poista vain lukutila - + Fullscreen Koko näyttö - + Exit fullscreen Poistu koko näytöstä - + Display in file manager Näytä tiedostojenhallinnassa - - + + Add Comment Lisää kommentti - + Text to Speech Teksti puheeksi - + Stop reading Lopeta lukeminen - + Speech to Text Puhe tekstiksi - + Translate Kääntäjä - + Column Mode Saraketila - + Add bookmark Lisää kirjanmerkki - + Remove Bookmark Poista kirjanmerkki - + Previous bookmark Edellinen kirjanmerkki - + Next bookmark Seuraava kirjanmerkki - + Remove All Bookmarks Poista kaikki kirjanmerkkit - + Fold All Taita kaikki - + Fold Current Level Taita nykyinen taso - + Unfold All Avaa kaikki - + Unfold Current Level Avaa nykyinen taso - + Color Mark Värimerkki - + Clear All Marks Poista kaikki merkit - + Clear Last Mark Poista viimeinen merkki - + Mark Merkki - + Mark All Merkitse kaikki - + Remove Comment Poista kommentti - Failed to paste text: it is too large - Tekstin liittäminen epäonnistui: se on liian iso - - - + Copy failed: not enough memory Kopiointi epäonnistui: muisti ei riitä - + Press ALT and click lines to edit in column mode Paina ALT-näppäintä ja napsauta riviä, jos haluat muokata sitä saraketilassa - + Change Case Vaihda kirjainkokoa - + Upper Case Isot kirjaimet - + Lower Case Pienet kirjaimet - + Capitalize Suuret kirjaimet - + None Tyhjä - + Selected line(s) copied Valitut rivit kopioitu - + Current line copied Nykyinen rivi kopioitu - + Selected line(s) clipped Valitut rivit leikattu - + Current line clipped Nykyinen rivi leikattu - + Paste failed: not enough memory Liittäminen epäonnistui: muisti ei riitä - + Read-Only mode is off Lukutila on pois päältä - - - + + + + + Read-Only mode is on Lukutila on päällä @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Päivitä @@ -1117,129 +1120,130 @@ Window - - + + Save as Tallenna nimellä - + New window Uusi ikkuna - + New tab Uusi välilehti - + Open file Avaa tiedosto - - + + Save Tallenna - + Print Tulosta - + Switch theme Vaihda teema - - + + Settings Asetukset - - + + Read-Only Luettavissa - + You do not have permission to open %1 Sinulla ei ole lupaa avata %1 - + + Invalid file: %1 Virheellinen tiedosto: %1 - - + + Do you want to save this file? Haluatko tallentaa tämän tiedoston? - + You do not have permission to save %1 Sinulla ei ole lupaa tallentaa %1 - + Saved successfully Tallennus onnistui - - - + + + Save File Tallenna tiedosto - + Encoding Koodaus - + Read-Only mode is on Lukutila on päällä - + Current location remembered Nykyinen sijainti muistetaan - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Editori - + Untitled %1 Nimetön %1 - + Cancel Peru - + Discard Hylkää diff --git a/translations/deepin-editor_fr.ts b/translations/deepin-editor_fr.ts index 522eed38..1b6588b3 100644 --- a/translations/deepin-editor_fr.ts +++ b/translations/deepin-editor_fr.ts @@ -2,17 +2,17 @@ BottomBar - + Row Ligne - + Column Colonne - + Characters %1 Caractères %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Aucun @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Sauvegarder - + Do you want to save this file? Voulez-vous enregistrer ce fichier ? - - + + Cancel Annuler - + Encoding changed. Do you want to save the file now? L'encodage a changé. Voulez-vous enregistrer le fichier maintenant ? - + Discard Abandonner - + You do not have permission to save %1 Vous n'avez pas la permission de sauvegarder %1 - + File removed on the disk. Save it now? Fichier supprimé du disque. L'enregistrer maintenant ? - + File has changed on disk. Reload? Le fichier a été modifié sur le disque. Recharger ? - - + + INSERT INSÉRER - + OVERWRITE ÉCRASER - + R/O L/S + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Rechercher - + Previous Précédent - + Next Suivant @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Aller à la ligne : @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. L'éditeur de texte est un outil pour afficher et modifier des fichiers texte. - + Text Editor Éditeur de texte @@ -132,572 +137,572 @@ QObject - + Text Editor Éditeur de texte - - - - - - + + + + + + Encoding Encodage - + Basic De base - + Font Style Style d'écriture - + Font Police - + Font Size Taille de la police - + Shortcuts Raccourcis - - + + Keymap Préréglage - - - + + + Window Fenêtre - + New tab Nouvel onglet - + New window Nouvelle fenêtre - + Save Enregistrer - + Save as Enregistrer sous - + Next tab Onglet suivant - + Previous tab Onglet précédent - + Close tab Fermer l'onglet - + Close other tabs Fermer les autres onglets - + Restore tab Restaurer l'onglet - + Open file Ouvrir un fichier - + Increment font size Augmenter la taille de police - + Decrement font size Diminuer la taille de police - + Reset font size Réinitialiser la taille de la police - + Help Aide - + Toggle fullscreen Basculer en plein écran - + Find Rechercher - + Replace Remplacer - + Go to line Aller à la ligne - + Save cursor position Sauvegarder position curseur - + Reset cursor position Réinitialiser position curseur - + Exit Quitter - + Display shortcuts Afficher les raccourcis - + Print Imprimer - + Editor Éditeur - + Increase indent Augmenter espace - + Decrease indent Diminuer espace - + Forward character Caractère suivant - + Backward character Caractère précédent - + Forward word Mot suivant - + Backward word Mot précédent - + Next line Ligne suivante - + Previous line Ligne précédente - + New line Nouvelle ligne - + New line above Nouvelle ligne au dessus - + New line below Nouvelle ligne en dessous - + Duplicate line Dupliquer la ligne - + Delete to end of line Supprimer jusqu'à fin ligne - + Delete current line Supprimer la ligne actuelle - + Swap line up Basculer ligne vers haut - + Swap line down Basculer ligne vers bas - + Scroll up one line Faire défiler la ligne vers le haut - + Scroll down one line Faire défiler la ligne vers le bas - + Page up Page précédente - + Page down Page suivante - + Move to end of line Déplacer à la fin ligne - + Move to start of line Déplacer au début ligne - + Move to end of text Basculer à la fin du texte - + Move to start of text Basculer au début du texte - + Move to line indentation Basculer à l'index ligne - + Upper case Majuscule - + Lower case Minuscule - + Capitalize Mettre en majuscule - + Delete backward word Supprimer mot précédent - + Delete forward word Supprimer le mot suivant - + Forward over a pair Basculer à la fin sélection - + Backward over a pair Basculer au début sélection - + Select all Tout sélectionner - + Copy Copier - + Cut Couper - + Paste Coller - + Transpose character Caractère de transposition - + Mark Cocher - + Unmark Décocher - + Copy line Copier la ligne - + Cut line Couper la ligne - + Merge lines Fusionner les lignes - + Read-Only mode Mode lecture seule - + Add comment Ajouter un commentaire - + Remove comment Supprimer le commentaire - + Undo Annuler - + Redo Rétablir - + Add/Remove bookmark Ajouter/Supprimer un signet - + Move to previous bookmark Passer au signet précédent - + Move to next bookmark Passer au signet suivant - + Advanced Avancés - + Window size Taille de la fenêtre - + Tab width Largeur de tabulation - + Word wrap Retour automatique à la ligne - + Code folding flag Drapeau de pliage de code - + Show line numbers Afficher les numéros de ligne - + Show bookmarks icon Afficher l'icône des signets - + Show whitespaces and tabs Afficher les espaces et les tabulations - + Highlight current line Mettre en évidence la ligne actuelle - + Color mark Marque de couleur - + Unicode Unicode - + WesternEuropean Europe de l'ouest - + CentralEuropean Europe centrale - + Baltic Baltique - + Cyrillic Cyrillique - + Arabic Arabe - + Celtic Celtique - + SouthEasternEuropean Europe du sud-est - + Greek Grec - + Hebrew Hébreu - + ChineseSimplified Chinois simplifié - + ChineseTraditional Chinois traditionnel - + Japanese Japonais - + Korean Coréen - + Thai Thaïlandais - + Turkish Turc - + Vietnamese Vietnamien - + File not saved Fichier non sauvegardé - - - + + + Line Endings Fin de ligne @@ -705,32 +710,32 @@ ReplaceBar - + Find Rechercher - + Replace With Remplacer par - + Replace Remplacer - + Skip Passer - + Replace Rest Remplacer la suite - + Replace All Tout remplacer @@ -747,58 +752,58 @@ Settings - + Standard Standard - + Customize Personnaliser - + Normal Normal - + Maximum Maximum - + Fullscreen Plein écran - + This shortcut conflicts with system shortcut %1 Ce raccourci entre en conflit avec le raccourci système %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Ce raccourci entre en conflit avec %1, cliquez sur Remplacer pour rendre ce raccourci effectif immédiatement - - + + The shortcut %1 is invalid, please set another one. Le raccourci %1 n'est pas valide, veuillez en définir un autre. - + Cancel Annuler - + Replace Remplacer - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Sans titre %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Fermer l'onglet - + Close other tabs Fermer les autres onglets - + More options Plus d'options - + Close tabs to the left Fermer les onglets à gauche - + Close tabs to the right Fermer les onglets à droite - + Close unmodified tabs Fermer les onglets non modifiés @@ -847,261 +852,259 @@ TextEdit - + Undo Annuler - + Redo Rétablir - + Cut Couper - + Copy Copier - + Paste Coller - + Delete Supprimer - + Select All Tout sélectionner - - + + Find Rechercher - - + + Replace Remplacer - + Go to Line Aller à la ligne - + Turn on Read-Only mode Activer le mode lecture seule - + Turn off Read-Only mode Désactiver le mode lecture seule - + Fullscreen Plein écran - + Exit fullscreen Quitter le mode plein écran - + Display in file manager Afficher dans l'explorateur de fichiers - - + + Add Comment Ajouter un commentaire - + Text to Speech Texte vers voix - + Stop reading Arrêter de lire - + Speech to Text Voix vers texte - + Translate Traduire - + Column Mode Mode colonne - + Add bookmark Ajouter un signet - + Remove Bookmark Supprimer le signet - + Previous bookmark Signet précédent - + Next bookmark Signet suivant - + Remove All Bookmarks Supprimer tous les signets - + Fold All Tout plier - + Fold Current Level Plier le niveau actuel - + Unfold All Tout déplier - + Unfold Current Level Déplier le niveau actuel - + Color Mark Marque de couleur - + Clear All Marks Effacer toutes les marques - + Clear Last Mark Effacer la dernière marque - + Mark Cocher - + Mark All Marquer tout - + Remove Comment Supprimer le commentaire - Failed to paste text: it is too large - Impossible de coller: le texte est trop long - - - + Copy failed: not enough memory Copie ratée: pas assez de mémoire - + Press ALT and click lines to edit in column mode Appuyer sur ALT et cliquer sur les lignes pour éditer en mode colonne - + Change Case Changer de case - + Upper Case Mettre en majuscules - + Lower Case Mettre en minuscules - + Capitalize Mettre en majuscules - + None Aucun - + Selected line(s) copied Ligne(s) sélectionnée(s) copiée(s) - + Current line copied Ligne actuelle copiée - + Selected line(s) clipped Ligne(s) sélectionnée(s) coupée(s) - + Current line clipped Ligne actuelle coupée - + Paste failed: not enough memory Échec du collage : mémoire insuffisante - + Read-Only mode is off Le mode lecture seule est désactivé - - - + + + + + Read-Only mode is on Le mode lecture seule est activé @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Recharger @@ -1117,129 +1120,130 @@ Window - - + + Save as Enregistrer sous - + New window Nouvelle fenêtre - + New tab Nouvel onglet - + Open file Ouvrir un fichier - - + + Save Enregistrer - + Print Imprimer - + Switch theme Changer de thème - - + + Settings Paramètres - - + + Read-Only Lecture seule - + You do not have permission to open %1 Vous n'avez pas la permission d'ouvrir %1 - + + Invalid file: %1 Fichier invalide : %1 - - + + Do you want to save this file? Voulez-vous enregistrer ce fichier ? - + You do not have permission to save %1 Vous n'avez pas la permission de sauvegarder %1 - + Saved successfully Enregistré avec succès - - - + + + Save File Sauvegarder le fichier - + Encoding Encodage - + Read-Only mode is on Le mode lecture seule est activé - + Current location remembered Location actuelle sauvegardée - + Ctrl+'=' Ctrl + '=' - + Ctrl+'-' Ctrl + '-' - + Editor Éditeur - + Untitled %1 Sans titre %1 - + Cancel Annuler - + Discard Abandonner diff --git a/translations/deepin-editor_hu.ts b/translations/deepin-editor_hu.ts index d3f65131..060e0694 100644 --- a/translations/deepin-editor_hu.ts +++ b/translations/deepin-editor_hu.ts @@ -2,17 +2,17 @@ BottomBar - + Row Sor - + Column Oszlop - + Characters %1 %1 karakter @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Semmi @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Mentés - + Do you want to save this file? El akarja menteni ezt a fájlt? - - + + Cancel Mégsem - + Encoding changed. Do you want to save the file now? A kódolás megváltozott. El akarja menteni a fájlt most? - + Discard Elvetés - + You do not have permission to save %1 Nincs engedélye a %1 mentéséhez - + File removed on the disk. Save it now? A fájl eltávolítva a lemezről. Elmenti most? - + File has changed on disk. Reload? A fájl megváltozott a lemezen. Újra betölti? - - + + INSERT BESZÚRÁS - + OVERWRITE FELÜLÍRÁS - + R/O Írásvédett + + + The file cannot be read, which may be too large or has been damaged! + A fájl nem olvasható, mert túl nagy a mérete, vagy sérült! + FindBar - + Find Találat - + Previous Előző - + Next Következő @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Ugrás megadott sorra: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. A Szövegszerkesztő egy hatékony eszköz a szöveges fájlok megtekintésére és szerkesztésére. - + Text Editor Szövegszerkesztő @@ -132,572 +137,572 @@ QObject - + Text Editor Szövegszerkesztő - - - - - - + + + + + + Encoding Kódolás - + Basic Alapvető - + Font Style Betűstílus - + Font Betűtípus - + Font Size Betűméret - + Shortcuts Gyorsbillentyűk - - + + Keymap Karakterkiosztás - - - + + + Window Ablak - + New tab Új lap - + New window Új ablak - + Save Mentés - + Save as Mentés másként - + Next tab Következő lap - + Previous tab Előző lap - + Close tab Lap bezárása - + Close other tabs Többi lap bezárása - + Restore tab Lap visszaállítása - + Open file Fájl megnyitása - + Increment font size Betűméret növelése - + Decrement font size Betűméret csökkentése - + Reset font size Betűméret visszaállítása - + Help Segítség - + Toggle fullscreen Teljes képernyős mód - + Find Találat - + Replace Csere - + Go to line Ugrás megadott sorra - + Save cursor position Kurzor pozíciójának mentése - + Reset cursor position Kurzor pozíciójának visszaállítása - + Exit Kilépés - + Display shortcuts Gyorsbillentyűk megjelenítése - + Print Nyomtatás - + Editor Szerkesztő - + Increase indent Behúzás növelése - + Decrease indent Behúzás csökkentése - + Forward character Előre mutató karakter - + Backward character Visszafelé mutató karakter - + Forward word Szó előre - + Backward word Szó hátra - + Next line Következő sor - + Previous line Előző sor - + New line Új sor - + New line above Új sor felülre - + New line below Új sor alulra - + Duplicate line Sor duplikálása - + Delete to end of line Sorvég törlése - + Delete current line Aktuális sor törlése - + Swap line up Sor cseréje felfelé - + Swap line down Sor cseréje lefelé - + Scroll up one line Egy sorral felfelé - + Scroll down one line Egy sorral lefelé - + Page up Lapozás felfelé - + Page down Lapozás lefelé - + Move to end of line Ugrás a sor végére - + Move to start of line Ugrás a sor elejére - + Move to end of text Ugrás a szöveg végére - + Move to start of text Ugrás a szöveg elejére - + Move to line indentation Ugrás a sorbehúzáshoz - + Upper case Nagybetűs - + Lower case Kisbetűs - + Capitalize Kapitális - + Delete backward word Hátul lévő szó törlése - + Delete forward word Elől lévő szó törlése - + Forward over a pair Előre kettővel - + Backward over a pair Vissza kettővel - + Select all Összes kijelölése - + Copy Másolás - + Cut Kivágás - + Paste Beillesztés - + Transpose character Karakter átalakítása - + Mark Jelölés - + Unmark Jelölés törlése - + Copy line Sor másolása - + Cut line Sor kivágása - + Merge lines Sorok összefűzése - + Read-Only mode Csak olvasható mód - + Add comment Megjegyzés hozzáadása - + Remove comment Megjegyzés eltávolítása - + Undo Visszavonás - + Redo Visszavonás újra - + Add/Remove bookmark Könyvjelző hozzáadása/eltávolítása - + Move to previous bookmark Ugrás az előző könyvjelzőre - + Move to next bookmark Ugrás a következő könyvjelzőre - + Advanced Haladó - + Window size Ablakméret - + Tab width Tabulátor szélesség - + Word wrap Sortörés - + Code folding flag Kód hajtogatási zászló - + Show line numbers Sorok számának mutatása - + Show bookmarks icon Könyvjelző ikon megjelenítése - + Show whitespaces and tabs Szóközök és fülek megjelenítése - + Highlight current line Aktuális sor kijelölése - + Color mark Színes jelölő - + Unicode Unicode - + WesternEuropean Nyugat-európai - + CentralEuropean Közép-európai - + Baltic Balti - + Cyrillic Cirill - + Arabic Arab - + Celtic Kelta - + SouthEasternEuropean Délkelet-európai - + Greek Görög - + Hebrew Héber - + ChineseSimplified Egyszerűsített kínai - + ChineseTraditional Tradicionális kínai - + Japanese Japán - + Korean Kóreai - + Thai Thai - + Turkish Török - + Vietnamese Vietnámi - + File not saved A fájl nincs elmentve - - - + + + Line Endings Sorvégek @@ -705,32 +710,32 @@ ReplaceBar - + Find Találat - + Replace With Csere a - + Replace Csere - + Skip Kihagyás - + Replace Rest Aktuális cseréje - + Replace All Összes cseréje @@ -747,58 +752,58 @@ Settings - + Standard Alapértelmezett - + Customize Testreszabás - + Normal Normál - + Maximum Maximum - + Fullscreen Teljes képernyő - + This shortcut conflicts with system shortcut %1 Ez a gyorsbillentyű ütközik a %1 rendszer gyorsbillentyűvel - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Ez a gyorsbillentyű ütközik a következővel: %1, kattintson a Csere gombra a gyorsbillentyű azonnali használatához - - + + The shortcut %1 is invalid, please set another one. A %1 gyorsbillentyű érvénytelen, kérjük állítson be egy másikat. - + Cancel Mégsem - + Replace Csere - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Cím nélküli %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Lap bezárása - + Close other tabs Többi lap bezárása - + More options További beállítások - + Close tabs to the left Lapok balra zárása - + Close tabs to the right Lapok jobbra zárása - + Close unmodified tabs Módosítatlan lapok bezárása @@ -847,261 +852,259 @@ TextEdit - + Undo Visszavonás - + Redo Újra visszavonás - + Cut Kivágás - + Copy Másolás - + Paste Beillesztés - + Delete Törlés - + Select All Összes kijelölése - - + + Find Találat - - + + Replace Csere - + Go to Line Ugrás megadott sorra - + Turn on Read-Only mode Csak olvasható mód bekapcsolása - + Turn off Read-Only mode Csak olvasható mód kikapcsolása - + Fullscreen Teljes képernyő - + Exit fullscreen Kilépés a teljes képernyőből - + Display in file manager Megjelenítés a fájlkezelőben - - + + Add Comment Megjegyzés hozzáadása - + Text to Speech Szövegből beszéd - + Stop reading Olvasás megállítása - + Speech to Text Beszédből szöveg - + Translate Fordítás - + Column Mode Oszlop mód - + Add bookmark Könyvjelző hozzáadása - + Remove Bookmark Könyvjelző eltávolítása - + Previous bookmark Előző könyvjelző - + Next bookmark Következő könyvjelző - + Remove All Bookmarks Összes könyvjelző eltávolítása - + Fold All Összes hajtogatása - + Fold Current Level Jelenlegi szint hajtogatása - + Unfold All Összes kihajtogatása - + Unfold Current Level Jelenlegi szint kihajtogatása - + Color Mark Színes jelölő - + Clear All Marks Összes jelölő törlése - + Clear Last Mark Utolsó jelölés törlése - + Mark Jelölő - + Mark All Összes jelölése - + Remove Comment Megjegyzés eltávolítása - Failed to paste text: it is too large - Nem sikerült beilleszteni a szöveget: túl nagy méret - - - + Copy failed: not enough memory A másolás sikertelen: nincs elég memória - + Press ALT and click lines to edit in column mode Nyomja meg az ALT gombot, és kattintson a sorokra az oszlop módban történő szerkesztéshez - + Change Case Kisbetű/nagybetű váltása - + Upper Case Nagybetűs - + Lower Case Kisbetűs - + Capitalize Kapitális - + None Semmi - + Selected line(s) copied A kijelölt sor(ok) átmásolva - + Current line copied A jelenlegi sor átmásolva - + Selected line(s) clipped A kijelölt sor(ok) kivágva - + Current line clipped A jelenlegi sor kivágva - + Paste failed: not enough memory A beillesztés sikertelen: Nincs elegendő memória - + Read-Only mode is off Csak olvasható mód kikapcsolva - - - + + + + + Read-Only mode is on Csak olvasható mód bekapcsolva @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Újratöltés @@ -1117,129 +1120,130 @@ Window - - + + Save as Mentés másként - + New window Új ablak - + New tab Új lap - + Open file Fájl megnyitása - - + + Save Mentés - + Print Nyomtatás - + Switch theme Téma váltása - - + + Settings Beállítások - - + + Read-Only Csak olvasható - + You do not have permission to open %1 Nincs engedélye a %1 megnyitásához - + + Invalid file: %1 Érvénytelen fájl: %1 - - + + Do you want to save this file? El akarja menteni ezt a fájlt? - + You do not have permission to save %1 Nincs engedélye a %1 mentéséhez - + Saved successfully A mentés sikeres - - - + + + Save File Fájl mentése - + Encoding Kódolás - + Read-Only mode is on Csak olvasható mód bekapcsolva - + Current location remembered A jelenlegi hely megjegyezve - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Szerkesztő - + Untitled %1 Cím nélküli %1 - + Cancel Mégsem - + Discard Elvetés diff --git a/translations/deepin-editor_it.ts b/translations/deepin-editor_it.ts index 0600443c..62e86e12 100644 --- a/translations/deepin-editor_it.ts +++ b/translations/deepin-editor_it.ts @@ -2,17 +2,17 @@ BottomBar - + Row Riga - + Column Colonna - + Characters %1 Caratteri %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None No @@ -30,81 +30,86 @@ EditWrapper - - - - + + + + Save Salva - + Do you want to save this file? Desideri salvare questo file? - - + + Cancel Annulla - + Encoding changed. Do you want to save the file now?   La codifica è cambiata. Vuoi salvare il file ora? - + Discard Scarta - + You do not have permission to save %1 Non hai i permessi per salvare %1 - + File removed on the disk. Save it now? File rimosso dal disco, salvarlo ora? - + File has changed on disk. Reload? File modificato sul Disco, ricaricarlo? - - + + INSERT INSERT - + OVERWRITE OVERWRITE - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Trova - + Previous Precedente - + Next Prossima @@ -112,7 +117,7 @@ La codifica è cambiata. Vuoi salvare il file ora? JumpLineBar - + Go to Line: Vai alla linea: @@ -120,13 +125,13 @@ La codifica è cambiata. Vuoi salvare il file ora? MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Editor di Testo è uno strumento utile a visualizzare ed editare testi. Localizzazione italiana a cura di Massimo A. Carofano. - + Text Editor Editor di Testo @@ -134,572 +139,572 @@ Localizzazione italiana a cura di Massimo A. Carofano. QObject - + Text Editor Editor di Testo - - - - - - + + + + + + Encoding Codifica - + Basic Base - + Font Style Stile Font - + Font Font - + Font Size Dimensione Font - + Shortcuts Scorciatoie - - + + Keymap Mappa caratteri - - - + + + Window Finestra - + New tab Nuova scheda - + New window Nuova finestra - + Save Salva - + Save as Salva con nome - + Next tab Prossima scheda - + Previous tab Scheda precedente - + Close tab Chiudi scheda - + Close other tabs Chiudi le altre schede - + Restore tab Ripristina scheda - + Open file Apri file - + Increment font size Aumenta dimensione font - + Decrement font size Diminuisci dimensione font - + Reset font size Ripristina dimensione font - + Help Aiuto - + Toggle fullscreen Passa a schermo intero - + Find Trova - + Replace Sostituisci - + Go to line Vai alla linea - + Save cursor position Salva la posizione del cursore - + Reset cursor position Ripristina la posizione del cursore - + Exit Esci - + Display shortcuts Mostra scorciatoie - + Print Stampa - + Editor Editor - + Increase indent Aumenta il rientro - + Decrease indent Diminuisci il rientro - + Forward character Prossimo carattere - + Backward character Carattere precedente - + Forward word Parola successiva - + Backward word Parola precedente - + Next line Prossima linea - + Previous line Linea precedente - + New line Nuova riga - + New line above Nuova riga sopra - + New line below Nuova riga sotto - + Duplicate line Duplica riga - + Delete to end of line Elimina dalla fine della riga - + Delete current line Elimina riga corrente - + Swap line up Inverti riga superiore - + Swap line down Inverti riga inferiore - + Scroll up one line Passa alla riga sopra - + Scroll down one line Passa alla riga sotto - + Page up Pagina su - + Page down Pagina giu - + Move to end of line Muovi alla fine della riga - + Move to start of line Muovi all'inizio della riga - + Move to end of text Muovi alla fine del testo - + Move to start of text Muovi all'inizio del testo - + Move to line indentation Muovi al rientro di riga - + Upper case Lettere maiuscole - + Lower case Lettere minuscole - + Capitalize Maiuscola - + Delete backward word Elimina parola precedente - + Delete forward word Elimina parola successiva - + Forward over a pair Avanti paritario - + Backward over a pair Indietro paritario - + Select all Seleziona tutto - + Copy Copia - + Cut Taglia - + Paste Incolla - + Transpose character Trasponi caratteri - + Mark Evidenzia - + Unmark Non in evidenza - + Copy line Copia riga - + Cut line Taglia riga - + Merge lines Unisci righe - + Read-Only mode Modalità sola lettura - + Add comment Aggiungi commento - + Remove comment Rimuovi commento - + Undo Annulla - + Redo Riapplica - + Add/Remove bookmark Aggiungi/rimuovi segnalibro - + Move to previous bookmark Torna al segnalibro precedente - + Move to next bookmark Vai al prossimo segnalibro - + Advanced Avanzate - + Window size Dimensione finestra - + Tab width Larghezza scheda - + Word wrap A capo automatico - + Code folding flag Opzioni di collasso del codice - + Show line numbers Mostra numero riga - + Show bookmarks icon Mostra icona segnalibri - + Show whitespaces and tabs Mostra spazi bianchi e schede - + Highlight current line Evidenzia la riga corrente - + Color mark Colori come marcatori - + Unicode Unicode - + WesternEuropean Europa occidentale - + CentralEuropean Europa centrale - + Baltic Baltici - + Cyrillic Cirillico - + Arabic Arabic - + Celtic Celtico - + SouthEasternEuropean Sud est Europa - + Greek Greek - + Hebrew Hebrew - + ChineseSimplified Cinese Semplificato - + ChineseTraditional Cinese Tradizionale - + Japanese Japanese - + Korean Korean - + Thai Thai - + Turkish Turkish - + Vietnamese Vietnamese - + File not saved File non salvato - - - + + + Line Endings Fine delle righe @@ -707,32 +712,32 @@ Localizzazione italiana a cura di Massimo A. Carofano. ReplaceBar - + Find Trova - + Replace With Sostituisci con - + Replace Sostituisci - + Skip Salta - + Replace Rest Sostituisci il resto - + Replace All Sostituisci tutto @@ -749,58 +754,58 @@ Localizzazione italiana a cura di Massimo A. Carofano. Settings - + Standard Standard - + Customize Personalizzato - + Normal Normale - + Maximum Massimo - + Fullscreen Pieno schermo - + This shortcut conflicts with system shortcut %1 Questa scorciatoia è in conflitto con la scorciatoia di sistema %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Questa scorciatoia è in conflitto con %1, clicca su Sostituisci per rendere questa come effettiva - - + + The shortcut %1 is invalid, please set another one. La scorciatoia %1 non è valida, inseriscine una nuova. - + Cancel Annulla - + Replace Sostituisci - + OK OK @@ -808,7 +813,7 @@ Localizzazione italiana a cura di Massimo A. Carofano. StartManager - + Untitled %1 %1 senza titolo @@ -816,32 +821,32 @@ Localizzazione italiana a cura di Massimo A. Carofano. Tabbar - + Close tab Chiudi scheda - + Close other tabs Chiudi le altre schede - + More options Ulteriori opzioni - + Close tabs to the left Chiudi le schede sulla sinistra - + Close tabs to the right Chiudi le schede sulla destra - + Close unmodified tabs Chiudi schede non modificate @@ -849,261 +854,259 @@ Localizzazione italiana a cura di Massimo A. Carofano. TextEdit - + Undo Annulla - + Redo Ripeti - + Cut Taglia - + Copy Copia - + Paste Incolla - + Delete Elimina - + Select All Seleziona tutto - - + + Find Trova - - + + Replace Sostituisci - + Go to Line Vai alla linea - + Turn on Read-Only mode Attiva la modalità Sola Lettura - + Turn off Read-Only mode Disattiva la modalità Sola Lettura - + Fullscreen Schermo intero - + Exit fullscreen Esci dallo schermo intero - + Display in file manager Visualizza nel gestore file - - + + Add Comment Aggiungi commento - + Text to Speech Da testo a voce - + Stop reading Interrompi lettura - + Speech to Text Da voce a testo - + Translate Traduci - + Column Mode Modlità colonna - + Add bookmark Aggiungi segnalibro - + Remove Bookmark Rimuovi segnalibro - + Previous bookmark Segnalibro precedente - + Next bookmark Prossimo segnalibro - + Remove All Bookmarks Rimuovi tutti i segnalibri - + Fold All Collassa tutti i livelli - + Fold Current Level Collassa l'attuale livello - + Unfold All Espandi tutti i livelli - + Unfold Current Level Espandi il livello corrente - + Color Mark Colori come marcatori - + Clear All Marks Rimuovi le evidenziazioni - + Clear Last Mark Rimuovi ultima evidenziazione - + Mark Evidenzia - + Mark All Evidenzia tutto - + Remove Comment Rimuovi commenti - Failed to paste text: it is too large - Impossibile incollare il testo, è troppo grande - - - + Copy failed: not enough memory Copia fallita: memoria non sufficiente - + Press ALT and click lines to edit in column mode Premi ALT e clicca sulle linee per editare in modalità colonna - + Change Case Cambia maiuscole - + Upper Case Maiuscolo - + Lower Case Minuscolo - + Capitalize Maiuscola iniziale - + None No - + Selected line(s) copied Linea(e) selezionate copiate - + Current line copied Linea corrente copiata - + Selected line(s) clipped Linea(e) selezionate copiate negli appunti - + Current line clipped Linea corrente copiata negli appunti - + Paste failed: not enough memory Copia fallita: memoria non sufficiente - + Read-Only mode is off La modalità sola lettura è disattivata - - - + + + + + Read-Only mode is on La modalità sola lettura è attiva @@ -1111,7 +1114,7 @@ Localizzazione italiana a cura di Massimo A. Carofano. WarningNotices - + Reload Ricarica @@ -1119,129 +1122,130 @@ Localizzazione italiana a cura di Massimo A. Carofano. Window - - + + Save as Salva con nome - + New window Nuova finestra - + New tab Nuova scheda - + Open file Apri file - - + + Save Salva - + Print Stampa - + Switch theme Cambia tema - - + + Settings Impostazioni - - + + Read-Only Sola lettura - + You do not have permission to open %1 Non hai i permessi per aprire %1 - + + Invalid file: %1 File non valido: %1 - - + + Do you want to save this file? Desideri salvare questo file? - + You do not have permission to save %1 Non hai i permessi per salvare %1 - + Saved successfully Salvato con successo - - - + + + Save File Salva file - + Encoding Codifica - + Read-Only mode is on La modalità sola lettura è attiva - + Current location remembered Locazione corrente memorizzata - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Editor - + Untitled %1 %1 senza titolo - + Cancel Annulla - + Discard Scarta diff --git a/translations/deepin-editor_ms.ts b/translations/deepin-editor_ms.ts index 2b6f59a0..91c6d6ac 100644 --- a/translations/deepin-editor_ms.ts +++ b/translations/deepin-editor_ms.ts @@ -2,17 +2,17 @@ BottomBar - + Row Baris - + Column Lajur - + Characters %1 Aksara %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Tiada @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Simpan - + Do you want to save this file? Anda mahu menyimpan fail ini? - - + + Cancel Batal - + Encoding changed. Do you want to save the file now? Pengekodan berubah. Anda mahu menyimpan fail sekarang? - + Discard Singkir - + You do not have permission to save %1 Anda tidak mempunyai keizinan untuk menyimpan %1 - + File removed on the disk. Save it now? Fail dalam cakera telah dibuang. Simpan ia sekarang? - + File has changed on disk. Reload? Fail telah berubah di dalam cakera. Muat semula? - - + + INSERT SISIP - + OVERWRITE TULISGANTI - + R/O R/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Cari - + Previous Terdahulu - + Next Berikutnya @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Pergi ke Baris: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Penyunting Teks ialah sebuah alat melihat dan menyunting fail teks yang hebat. - + Text Editor Penyunting Teks @@ -132,572 +137,572 @@ QObject - + Text Editor Penyunting Teks - - - - - - + + + + + + Encoding Pengekodan - + Basic Asas - + Font Style Gaya Fon - + Font Fon - + Font Size Saiz Fon - + Shortcuts Pintasan - - + + Keymap Peta Kunci - - - + + + Window Tetingkap - + New tab Tab baharu - + New window Tetingkap baharu - + Save Simpan - + Save as Simpan sebagai - + Next tab Tab berikutnya - + Previous tab Tab terdahulu - + Close tab Tutup tab - + Close other tabs Tutup tab lain - + Restore tab Pulihkan tab - + Open file Buka fail - + Increment font size Tingkatkan saiz fon - + Decrement font size Kurangkan saiz fon - + Reset font size Tetap semula saiz fon - + Help Bantuan - + Toggle fullscreen Togol skrin penuh - + Find Cari - + Replace Ganti - + Go to line Pergi ke baris - + Save cursor position Simpan kedudukan kursor - + Reset cursor position Tetap semula kedudukan kursor - + Exit Keluar - + Display shortcuts Papar pintasan - + Print Cetak - + Editor Penyunting - + Increase indent Tingkatkan inden - + Decrease indent Kurangkan inden - + Forward character Aksara maju - + Backward character Aksara undur - + Forward word Maju perkataan - + Backward word Undur perkataan - + Next line Baris berikutnya - + Previous line Baris terdahulu - + New line Baris baharu - + New line above Baris baharu di atas - + New line below Baris baharu di bawah - + Duplicate line Gandakan baris - + Delete to end of line Padam ke penghujung baris - + Delete current line Padam baris semasa - + Swap line up Silih baris ke atas - + Swap line down Silih baris ke bawah - + Scroll up one line Tatal ke atas satu baris - + Scroll down one line Tatal ke bawah satu baris - + Page up Halaman ke atas - + Page down Halaman ke bawah - + Move to end of line Gerak ke penghujung baris - + Move to start of line Gerak ke permulaan baris - + Move to end of text Gerak ke penghujung teks - + Move to start of text Gerak ke permulaan teks - + Move to line indentation Alih ke indentasi baris - + Upper case Huruf besar - + Lower case Huruf kecil - + Capitalize Huruf Besarkan - + Delete backward word Padam perkataan mengundur - + Delete forward word Padam perkataan ke hadapan - + Forward over a pair Majukan melangkaui pasangan - + Backward over a pair Undur melangkaui pasangan - + Select all Pilih semua - + Copy Salin - + Cut Potong - + Paste Tampal - + Transpose character Transposisi aksara - + Mark Tanda - + Unmark Nyahtanda - + Copy line Salin baris - + Cut line Potong baris - + Merge lines Gabung baris - + Read-Only mode Mod Baca-Sahaja - + Add comment Tambah ulasan - + Remove comment Buang ulasan - + Undo Buat Asal - + Redo Buat Semula - + Add/Remove bookmark Tambah/Buang tanda buku - + Move to previous bookmark Alih ke tanda buku terdahulu - + Move to next bookmark Alih ke tanda buku berikutnya - + Advanced Lanjutan - + Window size Saiz tetingkap - + Tab width Lebar tab - + Word wrap Lilit perkataan - + Code folding flag Bendera melipat kod - + Show line numbers Tunjuk nombor baris - + Show bookmarks icon Tunjuk ikon tanda buku - + Show whitespaces and tabs Tunjuk jarak dan tab - + Highlight current line Sorot baris semasa - + Color mark Tanda warna - + Unicode Unikod - + WesternEuropean Eropah Barat - + CentralEuropean Eropah Tengah - + Baltic Baltik - + Cyrillic Cyril - + Arabic Arab - + Celtic Celt - + SouthEasternEuropean Eropah Tenggara - + Greek Yunani - + Hebrew Ibrani - + ChineseSimplified Cina Ringkas - + ChineseTraditional Cina Tradisional - + Japanese Jepun - + Korean Korea - + Thai Siam - + Turkish Turki - + Vietnamese Vietnam - + File not saved Fail tidak disimpan - - - + + + Line Endings Penghujung Baris @@ -705,32 +710,32 @@ ReplaceBar - + Find Cari - + Replace With Ganti Dengan - + Replace Ganti - + Skip Langkau - + Replace Rest Ganti Selebihnya - + Replace All Ganti Semua @@ -747,58 +752,58 @@ Settings - + Standard Piawai - + Customize Suai - + Normal Biasa - + Maximum Maksimum - + Fullscreen Skrin Penuh - + This shortcut conflicts with system shortcut %1 Pintasan ini berkonflik dengan pintasan sistem %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Pintasan ini berkonflik dengan %1, klik Ganti untuk menjadikan pintasan ini berkesan serta-merta - - + + The shortcut %1 is invalid, please set another one. Pintasan %1 tidak sah, sila tetapkan yang lain. - + Cancel Batal - + Replace Ganti - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 %1 Tidak Bertajuk @@ -814,32 +819,32 @@ Tabbar - + Close tab Tutup tab - + Close other tabs Tutup tab lain - + More options Lagi pilihan - + Close tabs to the left Tutup tab di sebelah kiri - + Close tabs to the right Tutup tab di sebelah kanan - + Close unmodified tabs Tutup tab yang tidak diubah suai @@ -847,261 +852,259 @@ TextEdit - + Undo Buat Asal - + Redo Buat Semula - + Cut Potong - + Copy Salin - + Paste Tampal - + Delete Padam - + Select All Pilih Semua - - + + Find Cari - - + + Replace Ganti - + Go to Line Pergi ke Baris - + Turn on Read-Only mode Hidupkan mod Baca-Sahaja - + Turn off Read-Only mode Matikan mod Baca-Sahaja - + Fullscreen Skrin Penuh - + Exit fullscreen Keluar dari skrin penuh - + Display in file manager Papar dalam pengurus fail - - + + Add Comment Tambah Ulasan - + Text to Speech Teks ke Pertuturan - + Stop reading Berhenti membaca - + Speech to Text Pertuturan ke Teks - + Translate Terjemah - + Column Mode Mod Lajur - + Add bookmark Tambah tanda buku - + Remove Bookmark Buang Tanda Buku - + Previous bookmark Tanda buku terdahulu - + Next bookmark Tanda buku berikutnya - + Remove All Bookmarks Buang Semua Tanda Buku - + Fold All Lipat Semua - + Fold Current Level Lipat Aras Semasa - + Unfold All Nyahlipat Semua - + Unfold Current Level Nyahlipat Aras Semasa - + Color Mark Tanda Warna - + Clear All Marks Kosongkan Semua Tanda - + Clear Last Mark Kosongkan Tanda Terakhir - + Mark Tanda - + Mark All Tanda Semua - + Remove Comment Buang Ulasan - Failed to paste text: it is too large - Gagal menampal teks: ia terlalu besar - - - + Copy failed: not enough memory Gagal salin: ingatan tidak mencukupi - + Press ALT and click lines to edit in column mode Tekan ALT dan klik baris untuk menyunting dalam mod lajur - + Change Case Ubah Kata - + Upper Case Huruf Besar - + Lower Case Huruf Kecil - + Capitalize Huruf Besarkan - + None Tiada - + Selected line(s) copied Baris terpilih disalin - + Current line copied Baris semasa disalin - + Selected line(s) clipped Baris terpilih dikerat - + Current line clipped Baris semasa dikerat - + Paste failed: not enough memory Gagal tampal: ingatan tidak mencukupi - + Read-Only mode is off Mod Baca-Sahaja dimatikan - - - + + + + + Read-Only mode is on Mod Baca-Sahaja dihidupkan @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Muat Semula @@ -1117,129 +1120,130 @@ Window - - + + Save as Simpan sebagai - + New window Tetingkap baharu - + New tab Tab baharu - + Open file Buka fail - - + + Save Simpan - + Print Cetak - + Switch theme Tukar tema - - + + Settings Tetapan - - + + Read-Only Baca-Sahaja - + You do not have permission to open %1 Anda tidak mempunyai keizinan untuk membuka %1 - + + Invalid file: %1 Fail tidak sah: %1 - - + + Do you want to save this file? Anda mahu menyimpan fail ini? - + You do not have permission to save %1 Anda tidak mempunyai keizinan untuk menyimpan %1 - + Saved successfully Berjaya disimpan - - - + + + Save File Simpan Fail - + Encoding Pengekodan - + Read-Only mode is on Mod Baca-Sahaja dihidupkan - + Current location remembered Lokasi semasa diingati - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Penyunting - + Untitled %1 %1 Tidak Bertajuk - + Cancel Batal - + Discard Singkir diff --git a/translations/deepin-editor_nl.ts b/translations/deepin-editor_nl.ts index 3fc66e07..4d360dda 100644 --- a/translations/deepin-editor_nl.ts +++ b/translations/deepin-editor_nl.ts @@ -2,17 +2,17 @@ BottomBar - + Row Rij - + Column Kolom - + Characters %1 %1 tekens @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Geen @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Opslaan - + Do you want to save this file? Wil je dit bestand opslaan? - - + + Cancel Annuleren - + Encoding changed. Do you want to save the file now? De tekencodering is aangepast. Wil je het bestand opslaan? - + Discard Verwerpen - + You do not have permission to save %1 Je bent niet gemachtigd om %1 op te slaan - + File removed on the disk. Save it now? Het bestand is verwijderd van de schijf. Wil je het opslaan? - + File has changed on disk. Reload? Het bestand is aangepast op de schijf. Wil je het opnieuw laden? - - + + INSERT INSERT - + OVERWRITE OVERSCHRIJVEN - + R/O ALLEEN-LEZEN + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Zoeken - + Previous Vorige - + Next Volgende @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Ga naar regel: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Tekstbewerker is een programma vol functies om platte tekst te bekijken en bewerken. - + Text Editor Tekstbewerker @@ -132,572 +137,572 @@ QObject - + Text Editor Tekstbewerker - - - - - - + + + + + + Encoding Tekencodering - + Basic Algemeen - + Font Style Lettertypestijl - + Font Lettertype - + Font Size Lettergrootte - + Shortcuts Sneltoetsen - - + + Keymap Sneltoetsoverzicht - - - + + + Window Venster - + New tab Nieuw tabblad - + New window Nieuw venster - + Save Opslaan - + Save as Opslaan als - + Next tab Volgend tabblad - + Previous tab Vorig tabblad - + Close tab Tabblad sluiten - + Close other tabs Overige tabbladen sluiten - + Restore tab Tabblad herstellen - + Open file Bestand openen - + Increment font size Lettertype vergroten - + Decrement font size Lettertype verkleinen - + Reset font size Lettergrootte herstellen - + Help Hulp - + Toggle fullscreen Beeldvullende modus in-/uitschakelen - + Find Zoeken - + Replace Vervangen - + Go to line Ga naar regel - + Save cursor position Cursorpositie opslaan - + Reset cursor position Cursorpositie herstellen - + Exit Afsluiten - + Display shortcuts Sneltoetsen tonen - + Print Afdrukken - + Editor Bewerker - + Increase indent Inspringing vergroten - + Decrease indent Inspringing verkleinen - + Forward character Teken vooruit - + Backward character Teken achteruit - + Forward word Woord vooruit - + Backward word Woord achteruit - + Next line Volgende regel - + Previous line Vorige regel - + New line Nieuwe regel - + New line above Nieuwe regel erboven - + New line below Nieuwe regel eronder - + Duplicate line Regel dupliceren - + Delete to end of line Wissen tot einde van regel - + Delete current line Huidige regel wissen - + Swap line up Regel omhoog verwisselen - + Swap line down Regel omlaag verwisselen - + Scroll up one line Eén regel omhoog scrollen - + Scroll down one line Eén regel omlaag scrollen - + Page up Pagina omhoog - + Page down Pagina omlaag - + Move to end of line Verplaatsen naar einde van regel - + Move to start of line Verplaatsen naar begin van regel - + Move to end of text Verplaatsen naar einde van tekst - + Move to start of text Verplaatsen naar begin van tekst - + Move to line indentation Verplaatsen naar regelinspringing - + Upper case Hoofdletters - + Lower case Kleine letters - + Capitalize Omzetten naar hoofdletters - + Delete backward word Woord achterwaarts wissen - + Delete forward word Woord voorwaarts wissen - + Forward over a pair Voorwaarts over een stel - + Backward over a pair Achterwaarts over een stel - + Select all Alles selecteren - + Copy Kopiëren - + Cut Knippen - + Paste Plakken - + Transpose character Teken omzetten - + Mark Markeren - + Unmark Demarkeren - + Copy line Regel kopiëren - + Cut line Regel knippen - + Merge lines Regels samenvoegen - + Read-Only mode Alleen-lezenmodus - + Add comment Opmerking toevoegen - + Remove comment Opmerking verwijderen - + Undo Ongedaan maken - + Redo Opnieuw - + Add/Remove bookmark Bladwijzer toevoegen/verwijderen - + Move to previous bookmark Naar vorige bladwijzer - + Move to next bookmark Naar volgende bladwijzer - + Advanced Geavanceerd - + Window size Venstergrootte - + Tab width Tabbreedte - + Word wrap Regelafbreking - + Code folding flag Codefloodvlag - + Show line numbers Regelnummers tonen - + Show bookmarks icon Bladwijzerpictogram tonen - + Show whitespaces and tabs Witruimtes en tabs tonen - + Highlight current line Huidige regel markeren - + Color mark Markeerkleur - + Unicode Unicode - + WesternEuropean West-Europees - + CentralEuropean Centraal-Europees - + Baltic Baltisch - + Cyrillic Cyrillisch - + Arabic Arabisch - + Celtic Keltisch - + SouthEasternEuropean Zuidoost-Europees - + Greek Grieks - + Hebrew Hebreeuws - + ChineseSimplified Chinees (Vereenvoudigd) - + ChineseTraditional Chinees (Traditioneel) - + Japanese Japans - + Korean Koreaans - + Thai Thais - + Turkish Turks - + Vietnamese Vietnamees - + File not saved Bestand is niet opgeslagen - - - + + + Line Endings Regeleindes @@ -705,32 +710,32 @@ ReplaceBar - + Find Zoeken - + Replace With Vervangen door - + Replace Vervangen - + Skip Overslaan - + Replace Rest Overige vervangen - + Replace All Alles vervangen @@ -747,58 +752,58 @@ Settings - + Standard Standaard - + Customize Aanpassen - + Normal Normaal - + Maximum Maximaal - + Fullscreen Beeldvullende modus - + This shortcut conflicts with system shortcut %1 Deze sneltoets is wordt al gebruikt door de algemene sneltoets %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Deze sneltoets is al in gebruik door %1 - klik om deze sneltoets in plaats daarvan te gebruiken - - + + The shortcut %1 is invalid, please set another one. De sneltoets '%1' is ongeldig. Stel een andere in. - + Cancel Annuleren - + Replace Vervangen - + OK Oké @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Naamloos %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Tabblad sluiten - + Close other tabs Overige tabbladen sluiten - + More options Meer opties - + Close tabs to the left Tabbladen links sluiten - + Close tabs to the right Tabbladen rechts sluiten - + Close unmodified tabs Onaangepaste tabbladen sluiten @@ -847,261 +852,259 @@ TextEdit - + Undo Ongedaan maken - + Redo Opnieuw - + Cut Knippen - + Copy Kopiëren - + Paste Plakken - + Delete Verwijderen - + Select All Alles selecteren - - + + Find Zoeken - - + + Replace Vervangen - + Go to Line Ga naar regel - + Turn on Read-Only mode Alleen-lezenmodus inschakelen - + Turn off Read-Only mode Alleen-lezenmodus uitschakelen - + Fullscreen Beeldvullende modus - + Exit fullscreen Beeldvullende modus verlaten - + Display in file manager Tonen in bestandsbeheerder - - + + Add Comment Opmerking toevoegen - + Text to Speech Tekst-naar-spraak - + Stop reading Stoppen met lezen - + Speech to Text Spraak-naar-tekst - + Translate Vertalen - + Column Mode Kolommodus - + Add bookmark Bladwijzer toevoegen - + Remove Bookmark Bladwijzer verwijderen - + Previous bookmark Vorige bladwijzer - + Next bookmark Volgende bladwijzer - + Remove All Bookmarks Alle bladwijzers verwijderen - + Fold All Alles inklappen - + Fold Current Level Huidig niveau inklappen - + Unfold All Alles uitklappen - + Unfold Current Level Huidig niveau uitklappen - + Color Mark Markeerkleur - + Clear All Marks Alle markeringen missen - + Clear Last Mark Recentste markering demarkeren - + Mark Markeren - + Mark All Alles markeren - + Remove Comment Opmerking verwijderen - Failed to paste text: it is too large - De hoeveelheid tekst is te groot en kan daarom niet worden geplakt - - - + Copy failed: not enough memory Het kopiëren is mislukt omdat er onvoldoende vrij geheugen is - + Press ALT and click lines to edit in column mode Druk op Alt en klik op regels om te bewerken in kolommodus - + Change Case Hoofdletters/Kleine letters - + Upper Case Hoofdletters - + Lower Case Kleine letters - + Capitalize Omzetten naar hoofdletters - + None Geen - + Selected line(s) copied De geselecteerde regel(s) is (zijn) gekopieerd - + Current line copied De huidige regel is gekopieerd - + Selected line(s) clipped De geselecteerde regel(s) is (zijn) ingekort - + Current line clipped De huidige regel is ingekort - + Paste failed: not enough memory Het plakken is mislukt omdat er onvoldoende vrij geheugen is - + Read-Only mode is off Alleen-lezenmodus is uitgeschakeld - - - + + + + + Read-Only mode is on Alleen-lezenmodus is ingeschakeld @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Opnieuw laden @@ -1117,129 +1120,130 @@ Window - - + + Save as Opslaan als - + New window Nieuw venster - + New tab Nieuw tabblad - + Open file Bestand openen - - + + Save Opslaan - + Print Afdrukken - + Switch theme Thema wijzigen - - + + Settings Instellingen - - + + Read-Only Alleen-lezen - + You do not have permission to open %1 Je bent niet gemachtigd om %1 te openen - + + Invalid file: %1 Ongeldig bestand: %1 - - + + Do you want to save this file? Wil je dit bestand opslaan? - + You do not have permission to save %1 Je bent niet gemachtigd om %1 op te slaan - + Saved successfully Opgeslagen - - - + + + Save File Bestand opslaan - + Encoding Tekencodering - + Read-Only mode is on Alleen-lezenmodus is ingeschakeld - + Current location remembered De huidige locatie wordt onthouden - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Bewerker - + Untitled %1 Naamloos %1 - + Cancel Annuleren - + Discard Verwerpen diff --git a/translations/deepin-editor_pl.ts b/translations/deepin-editor_pl.ts index e64ea3de..38ddad7f 100644 --- a/translations/deepin-editor_pl.ts +++ b/translations/deepin-editor_pl.ts @@ -2,17 +2,17 @@ BottomBar - + Row Wiersz - + Column Kolumna - + Characters %1 Znaki %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Brak @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Zapisz - + Do you want to save this file? Czy chcesz zapisać plik? - - + + Cancel Anuluj - + Encoding changed. Do you want to save the file now? - Kodowanie zmienione. Czy chcesz teraz zapisać plik? + Kodowanie zostało zmienione. Czy chcesz teraz zapisać plik? - + Discard Odrzuć - + You do not have permission to save %1 Nie posiadasz uprawnień do zapisania %1 - + File removed on the disk. Save it now? Plik został usunięty z dysku. Czy chcesz go zapisać? - + File has changed on disk. Reload? Plik został zmieniony na dysku. Czy chcesz go ponownie wczytać? - - + + INSERT WSTAWIANIE - + OVERWRITE NADPISYWANIE - + R/O TYLKO DO ODCZYTU + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Znajdź - + Previous Poprzednie - + Next Następne @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Przejdź do wiersza: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Edytor Tekstu to potężne narzędzie do przeglądania i edycji plików tekstowych. - + Text Editor Edytor tekstu @@ -132,572 +137,572 @@ QObject - + Text Editor Edytor tekstu - - - - - - + + + + + + Encoding Kodowanie - + Basic Podstawowe - + Font Style Styl czcionki - + Font Czcionka - + Font Size Rozmiar czcionki - + Shortcuts Skróty - - + + Keymap Mapowanie klawiszy - - - + + + Window Okno - + New tab Nowa karta - + New window Nowe okno - + Save Zapisz - + Save as Zapisz jako - + Next tab Następna karta - + Previous tab Poprzednia karta - + Close tab Zamknij kartę - + Close other tabs Zamknij pozostałe karty - + Restore tab Przywróć kartę - + Open file Otwórz plik - + Increment font size Zwiększ rozmiar czcionki - + Decrement font size Zmniejsz rozmiar czcionki - + Reset font size Zresetuj rozmiar czcionki - + Help Pomoc - + Toggle fullscreen Przełącz pełny ekran - + Find Znajdź - + Replace Zamień - + Go to line Przejdź do wiersza - + Save cursor position Zapisz pozycję kursora - + Reset cursor position Zresetuj pozycję kursora - + Exit - Wyjście + Wyjdź - + Display shortcuts Wyświetl skróty - + Print Drukuj - + Editor Edytor - + Increase indent Zwiększ wcięcie - + Decrease indent Zmniejsz wcięcie - + Forward character Znak do przodu - + Backward character Znak do tyłu - + Forward word Następne słowo - + Backward word Poprzednie słowo - + Next line Następny wiersz - + Previous line Poprzedni wiersz - + New line Nowy wiersz - + New line above Nowy wiersz powyżej - + New line below Nowy wiersz poniżej - + Duplicate line Duplikuj wiersz - + Delete to end of line Usuń do końca wiersza - + Delete current line Usuń bieżący wiersz - + Swap line up Zamień wiersz z powyższym - + Swap line down Zamień wiersz z poniższym - + Scroll up one line Przewiń jeden wiersz w górę - + Scroll down one line Przewiń jeden wiersz w dół - + Page up Strona w górę - + Page down Strona w dół - + Move to end of line Przejdź do końca wiersza - + Move to start of line Przejdź do początku wiersza - + Move to end of text Przejdź do końca tekstu - + Move to start of text Przejdź do początku tekstu - + Move to line indentation Przejdź do wcięcia wiersza - + Upper case Wielkie litery - + Lower case Małe litery - + Capitalize Wielka litera - + Delete backward word Usuń poprzedzające słowo - + Delete forward word Usuń następujące słowo - + Forward over a pair Przenieś się za nawias - + Backward over a pair Przenieś się przed nawias - + Select all Zaznacz wszystko - + Copy Kopiuj - + Cut Wytnij - + Paste Wklej - + Transpose character Przenieś znak - + Mark Oznacz - + Unmark Odznacz - + Copy line Kopiuj wiersz - + Cut line Wytnij wiersz - + Merge lines Połącz wiersze - + Read-Only mode Tryb tylko-do-odczytu - + Add comment Dodaj komentarz - + Remove comment Usuń komentarz - + Undo Cofnij - + Redo Ponów - + Add/Remove bookmark Dodaj/Usuń zakładkę - + Move to previous bookmark Przejdź do poprzedniej zakładki - + Move to next bookmark Przejdź do następnej zakładki - + Advanced Zaawansowane - + Window size Rozmiar okna - + Tab width Szerokość zakładki - + Word wrap Zawijanie tekstu - + Code folding flag Pokaż strzałki zawijające kod - + Show line numbers - Pokaż numery linii + Pokaż numery wierszy - + Show bookmarks icon Pokaż ikonę zakładek - + Show whitespaces and tabs Pokaż spacje i tabulatory - + Highlight current line Podkreśl bieżący wiersz - + Color mark Kolor oznaczenia - + Unicode Unicode - + WesternEuropean Zachodnio Europejski - + CentralEuropean Europa Centralna - + Baltic Bałtycki - + Cyrillic Cyrylica - + Arabic Arabski - + Celtic Celtycki - + SouthEasternEuropean Południowo-Wschodnia Europa - + Greek Grecki - + Hebrew Hebrajski - + ChineseSimplified Chiński uproszczony - + ChineseTraditional Chiński tradycyjny - + Japanese Japoński - + Korean Koreański - + Thai Tajlandzki - + Turkish Turecki - + Vietnamese Wietnamski - + File not saved Plik nie został zapisany - - - + + + Line Endings Zakończenia wiersza @@ -705,32 +710,32 @@ ReplaceBar - + Find Znajdź - + Replace With Zamień na - + Replace Zastąp - + Skip Pomiń - + Replace Rest Zastąp pozostałe - + Replace All Zastąp wszystkie @@ -747,58 +752,58 @@ Settings - + Standard Standardowe - + Customize Dostosuj - + Normal - Normalne + Normalny - + Maximum - Maksymalne + Maksymalny - + Fullscreen Pełny ekran - + This shortcut conflicts with system shortcut %1 Ten skrót jest w konflikcie ze skrótem systemowym %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Ten skrót jest w konflikcie z %1, kliknij Zamień, aby skrót zaczął działać od razu - - + + The shortcut %1 is invalid, please set another one. Skrót %1 jest nieprawidłowy, ustaw inny. - + Cancel Anuluj - + Replace Zamień - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Bez tytułu %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Zamknij kartę - + Close other tabs Zamknij pozostałe karty - + More options Więcej opcji - + Close tabs to the left Zamknij karty po lewej stronie - + Close tabs to the right Zamknij karty po prawej stronie - + Close unmodified tabs Zamknij niezmodyfikowane karty @@ -847,269 +852,267 @@ TextEdit - + Undo Cofnij - + Redo Ponów - + Cut Wytnij - + Copy Kopiuj - + Paste Wklej - + Delete Usuń - + Select All Zaznacz wszystko - - + + Find Znajdź - - + + Replace Zamień - + Go to Line Przejdź do wiersza - + Turn on Read-Only mode Włącz tryb tylko-do-odczytu - + Turn off Read-Only mode Wyłącz tryb tylko-do-odczytu - + Fullscreen Pełny ekran - + Exit fullscreen - Wyłącz pełny ekran + Opuść pełny ekran - + Display in file manager Wyświetl w Menedżerze plików - - + + Add Comment Dodaj komentarz - + Text to Speech Tekst na mowę - + Stop reading Przestań czytać - + Speech to Text Mowa na tekst - + Translate Przetłumacz - + Column Mode Tryb kolumnowy - + Add bookmark Dodaj zakładkę - + Remove Bookmark Usuń zakładkę - + Previous bookmark Poprzednia zakładka - + Next bookmark Następna zakładka - + Remove All Bookmarks Usuń wszystkie zakładki - + Fold All Zwiń wszystko - + Fold Current Level Zwiń bieżący poziom - + Unfold All Rozwiń wszystko - + Unfold Current Level Rozwiń bieżący poziom - + Color Mark Kolor oznaczenia - + Clear All Marks Wyczyść wszystkie oznaczenia - + Clear Last Mark Wyczyść ostatnie oznaczenie - + Mark Oznacz - + Mark All Oznacz wszystko - + Remove Comment Usuń komentarz - Failed to paste text: it is too large - Nie udało się wkleić tekstu: jest go zbyt dużo - - - + Copy failed: not enough memory Kopiowanie nieudane: niewystarczająca ilość pamięci - + Press ALT and click lines to edit in column mode - Naciśnij ALT i kliknij linie, aby edytować w trybie kolumnowym + Naciśnij ALT i kliknij wiersz, aby edytować w trybie kolumnowym - + Change Case Zmień wielkość znaków - + Upper Case Wielkie litery - + Lower Case Małe litery - + Capitalize Wielka litera - + None Brak - + Selected line(s) copied - Wybrane linie zostały skopiowane + Skopiowano zaznaczone wiersz(e) - + Current line copied - Bieżąca linia została skopiowana + Skopiowano bieżący wiersz - + Selected line(s) clipped - Obcięto wybrane linie + Wycięto zaznaczone wiersz(e) - + Current line clipped - Obcięto bieżącą linię + Wycięto bieżący wiersz - + Paste failed: not enough memory Wklejanie nieudane: niewystarczająca ilość pamięci - + Read-Only mode is off - Tryb tylko-do-odczytu jest wyłączony + Tryb tylko-do-odczytu jest nieaktywny - - - + + + + + Read-Only mode is on - Tryb tylko-do-odczytu jest włączony + Tryb tylko-do-odczytu jest aktywny WarningNotices - + Reload Przeładuj @@ -1117,129 +1120,130 @@ Window - - + + Save as Zapisz jako - + New window Nowe okno - + New tab Nowa karta - + Open file Otwórz plik - - + + Save Zapisz - + Print Drukuj - + Switch theme Przełącz motyw - - + + Settings Ustawienia - - + + Read-Only Tylko-do-odczytu - + You do not have permission to open %1 Nie posiadasz uprawnień do otwarcia %1 - + + Invalid file: %1 Nieprawidłowy plik: %1 - - + + Do you want to save this file? Czy chcesz zapisać ten plik? - + You do not have permission to save %1 Nie posiadasz uprawnień do zapisania %1 - + Saved successfully Zapisano pomyślnie - - - + + + Save File Zapisz plik - + Encoding Kodowanie - + Read-Only mode is on - Tryb tylko-do-odczytu jest włączony + Tryb tylko-do-odczytu jest aktywny - + Current location remembered - Aktualna lokalizacja została zapamiętana + Bieżąca pozycja kursora została zapamiętana - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Edytor - + Untitled %1 Bez tytułu %1 - + Cancel Anuluj - + Discard Odrzuć diff --git a/translations/deepin-editor_pt.ts b/translations/deepin-editor_pt.ts index 9edafcc2..226d1717 100644 --- a/translations/deepin-editor_pt.ts +++ b/translations/deepin-editor_pt.ts @@ -2,17 +2,17 @@ BottomBar - + Row Linha - + Column Coluna - + Characters %1 Caracteres %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Nenhum @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Guardar - + Do you want to save this file? Quer guardar este ficheiro? - - + + Cancel Cancelar - + Encoding changed. Do you want to save the file now? A codificação foi alterada. Deseja guardar o ficheiro agora? - + Discard Descartar - + You do not have permission to save %1 Não possui permissões para guardar %1 - + File removed on the disk. Save it now? Ficheiro removido no disco. Guardar agora? - + File has changed on disk. Reload? Ficheiro foi alterado no disco. Recarregar? - - + + INSERT INSERIR - + OVERWRITE SOBRESCREVER - + R/O A/L + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Procurar - + Previous Anterior - + Next Seguinte @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Ir para linha: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. O Editor de texto é uma ferramenta poderosa para visualizar e editar ficheiros de texto. - + Text Editor Editor de texto @@ -132,572 +137,572 @@ QObject - + Text Editor Editor de texto - - - - - - + + + + + + Encoding Codificação - + Basic Básico - + Font Style Estilo de fonte - + Font Fonte - + Font Size Tamanho da fonte - + Shortcuts Atalhos - - + + Keymap Esquema de teclado - - - + + + Window Janela - + New tab Novo separador - + New window Nova janela - + Save Guardar - + Save as Guardar como - + Next tab Separador seguinte - + Previous tab Separador anterior - + Close tab Fechar separador - + Close other tabs Fechar outros separadores - + Restore tab Restaurar separador - + Open file Abrir ficheiro - + Increment font size Aumentar tamanho da fonte - + Decrement font size Diminuir tamanho da fonte - + Reset font size Redefinir tamanho da fonte - + Help Ajuda - + Toggle fullscreen Ativar/Desativar ecrã inteiro - + Find Procurar - + Replace Substituir - + Go to line Ir para linha - + Save cursor position Guardar posição do cursor - + Reset cursor position Redefinir posição do cursor - + Exit Sair - + Display shortcuts Mostrar atalhos - + Print Imprimir - + Editor Editor - + Increase indent Aumentar indentação - + Decrease indent Diminuir indentação - + Forward character Avançar caracter - + Backward character Recuar caracter - + Forward word Avançar palavra - + Backward word Recuar palavra - + Next line Linha seguinte - + Previous line Linha anterior - + New line Nova linha - + New line above Nova linha acima - + New line below Nova linha abaixo - + Duplicate line Duplicar linha - + Delete to end of line Eliminar até ao fim da linha - + Delete current line Eliminar esta linha - + Swap line up Trocar para linha acima - + Swap line down Trocar para linha abaixo - + Scroll up one line Rolar uma linha para cima - + Scroll down one line Rolar uma linha para baixo - + Page up Página acima - + Page down Página abaixo - + Move to end of line Mover para o fim da linha - + Move to start of line Mover para o início da linha - + Move to end of text Mover para o fim do texto - + Move to start of text Mover para o início do texto - + Move to line indentation Mover para indentação da linha - + Upper case Maiúsculas - + Lower case Minúsculas - + Capitalize Maiúsculas - + Delete backward word Eliminar palavra anterior - + Delete forward word Eliminar palavra seguinte - + Forward over a pair Avançar em pares - + Backward over a pair Recuar em pares - + Select all Selecionar tudo - + Copy Copiar - + Cut Cortar - + Paste Colar - + Transpose character Transpor caracter - + Mark Marcar - + Unmark Desmarcar - + Copy line Copiar linha - + Cut line Cortar linha - + Merge lines Juntar linhas - + Read-Only mode Modo de Apenas-Leitura - + Add comment Adicionar comentário - + Remove comment Remover comentário - + Undo Anular - + Redo Refazer - + Add/Remove bookmark Adicionador/Remover marcador - + Move to previous bookmark Mover para o marcador anterior - + Move to next bookmark Mover para o marcador seguinte - + Advanced Avançado - + Window size Tamanho da janela - + Tab width Largura do separador - + Word wrap Quebra de linha - + Code folding flag Marcador de código minimizado - + Show line numbers Mostrar números de linha - + Show bookmarks icon Mostrar ícone de marcadores - + Show whitespaces and tabs Mostrar espaços em branco e separadores - + Highlight current line Destacar a linha atual - + Color mark Marca de cor - + Unicode Unicode - + WesternEuropean EuropeuOcidental - + CentralEuropean CentroEuropeu - + Baltic Báltico - + Cyrillic Cirílico - + Arabic Árabe - + Celtic Celta - + SouthEasternEuropean SudesteEuropeu - + Greek Grego - + Hebrew Hebraico - + ChineseSimplified ChinêsSimplificado - + ChineseTraditional ChinêsTradicional - + Japanese Japonês - + Korean Coreano - + Thai Tailandês - + Turkish Turco - + Vietnamese Vietnamita - + File not saved Ficheiro não guardado - - - + + + Line Endings Terminações de linha @@ -705,32 +710,32 @@ ReplaceBar - + Find Localizar - + Replace With Substituir por - + Replace Substituir - + Skip Ignorar - + Replace Rest Substituir restantes - + Replace All Substituir todos @@ -747,58 +752,58 @@ Settings - + Standard Predefinição - + Customize Personalizar - + Normal Normal - + Maximum Máximo - + Fullscreen Ecrã Inteiro - + This shortcut conflicts with system shortcut %1 Este atalho entra em conflito com o atalho do sistema %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Esta tecla de atalho entra em conflito com %1, clique em Substituir para que esta tecla de atalho entre em vigor imediatamente - - + + The shortcut %1 is invalid, please set another one. O atalho %1 é inválido, defina outro. - + Cancel Cancelar - + Replace Substituir - + OK Aceitar @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Sem título %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Fechar separador - + Close other tabs Fechar outros separadores - + More options Mais opções - + Close tabs to the left Fechar separadores à esquerda - + Close tabs to the right Fechar separadores à direita - + Close unmodified tabs Fechar separadores não modificados @@ -847,261 +852,259 @@ TextEdit - + Undo Anular - + Redo Refazer - + Cut Cortar - + Copy Copiar - + Paste Colar - + Delete Eliminar - + Select All Selecionar tudo - - + + Find Procurar - - + + Replace Substituir - + Go to Line Ir para linha - + Turn on Read-Only mode Ativar modo de Apenas-Leitura - + Turn off Read-Only mode Desativar modo de Apenas-Leitura - + Fullscreen Ecrã inteiro - + Exit fullscreen Sair de ecrã inteiro - + Display in file manager Mostrar no gestor de ficheiros - - + + Add Comment Adicionar comentário - + Text to Speech Texto para voz - + Stop reading Parar a leitura - + Speech to Text Voz para texto - + Translate Traduzir - + Column Mode Modo de coluna - + Add bookmark Adicionador marcador - + Remove Bookmark Remover marcador - + Previous bookmark Marcador anterior - + Next bookmark Marcador seguinte - + Remove All Bookmarks Remover todos os marcadores - + Fold All Minimizar tudo - + Fold Current Level Minimizar nível atual - + Unfold All Mostrar tudo - + Unfold Current Level Mostrar nível atual - + Color Mark Marca de cor - + Clear All Marks Limpar selecionados - + Clear Last Mark Limpar último selecionado - + Mark Marcar - + Mark All Marcar tudo - + Remove Comment Remover comentário - Failed to paste text: it is too large - Falha ao colar texto: é demasiado grande - - - + Copy failed: not enough memory Falha ao copiar: não há memória suficiente - + Press ALT and click lines to edit in column mode Prima ALT e clique em linhas para editar em modo de coluna - + Change Case Maiúsculas e Minúsculas - + Upper Case Maiúsculas - + Lower Case Minúsculas - + Capitalize Maiúsculas - + None Nenhum - + Selected line(s) copied Linha(s) selecionada(s) copiada(s) - + Current line copied Linha atual copiada - + Selected line(s) clipped Linha(s) selecionada(s) cortada(s) - + Current line clipped Linha atual cortada - + Paste failed: not enough memory Falha ao colar: memória insuficiente - + Read-Only mode is off O modo de Apenas-Leitura está desligado - - - + + + + + Read-Only mode is on O modo de Apenas-Leitura está ligado @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Recarregar @@ -1117,129 +1120,130 @@ Window - - + + Save as Guardar como - + New window Nova janela - + New tab Novo separador - + Open file Abrir ficheiro - - + + Save Guardar - + Print Imprimir - + Switch theme Alterar tema - - + + Settings Definições - - + + Read-Only Apenas-Leitura - + You do not have permission to open %1 Não possui permissões para abrir %1 - + + Invalid file: %1 Ficheiro inválido: %1 - - + + Do you want to save this file? Quer guardar este ficheiro? - + You do not have permission to save %1 Não possui permissões para guardar %1 - + Saved successfully Gravado com sucesso - - - + + + Save File Guardar ficheiro - + Encoding Codificação - + Read-Only mode is on O modo de Apenas-Leitura está ligado - + Current location remembered Localização atual memorizada - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Editor - + Untitled %1 Sem título %1 - + Cancel Cancelar - + Discard Descartar diff --git a/translations/deepin-editor_ru.ts b/translations/deepin-editor_ru.ts index 58d74d58..934dc449 100644 --- a/translations/deepin-editor_ru.ts +++ b/translations/deepin-editor_ru.ts @@ -2,17 +2,17 @@ BottomBar - + Row Строка - + Column Столбец - + Characters %1 Символы %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Ничего @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Сохранить - + Do you want to save this file? Вы хотите сохранить этот документ? - - + + Cancel Отмена - + Encoding changed. Do you want to save the file now? Кодирование изменилось. Вы хотите сохранить файл сейчас? - + Discard Забыть - + You do not have permission to save %1 Вы не имеете разрешения на сохранение %1 - + File removed on the disk. Save it now? Файл удален на диске. Сохранить его сейчас? - + File has changed on disk. Reload? Файл изменился на диске. Обновить? - - + + INSERT ВСТАВИТЬ - + OVERWRITE ПЕРЕЗАПИСАТЬ - + R/O Т/Ч + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Найти - + Previous Предыдущий - + Next Следующий @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Перейти к Строке: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Текстовый редактор - это мощный инструмент для просмотра и редактирования текстовых файлов. - + Text Editor Текстовый Редактор @@ -132,572 +137,572 @@ QObject - + Text Editor Текстовый редактор - - - - - - + + + + + + Encoding Кодировка - + Basic Основной - + Font Style Стиль Шрифта - + Font Шрифт - + Font Size Размер Шрифта - + Shortcuts Горячие Клавиши - - + + Keymap Раскладка - - - + + + Window Окно - + New tab Новая вкладка - + New window Новое окно - + Save Сохранить - + Save as Сохранить как - + Next tab Следующая вкладка - + Previous tab Предыдущая вкладка - + Close tab Закрыть вкладку - + Close other tabs Закрыть другие вкладки - + Restore tab Восстановить вкладки - + Open file Открыть файл - + Increment font size Увеличить размер шрифта - + Decrement font size Уменьшить размер шрифта - + Reset font size Сбросить размер шрифта - + Help Помощь - + Toggle fullscreen Включить полноэкранный режим - + Find Найти - + Replace Заменить - + Go to line Перейти к строке - + Save cursor position Сохранить позицию курсора - + Reset cursor position Сбросить позицию курсора - + Exit Выйти - + Display shortcuts Показать горячие клавиши - + Print Печать - + Editor Редактор - + Increase indent Показать ярлыки - + Decrease indent Уменьшить отступ - + Forward character Символ спереди - + Backward character Символ задом наперёд - + Forward word Начальное слово - + Backward word Последнее слово - + Next line Следующая строка - + Previous line Предыдущая строка - + New line Новая строка - + New line above Новая строка выше - + New line below Новая строка ниже - + Duplicate line Дублированная строка - + Delete to end of line Удалить конец строки - + Delete current line Удалить текущую строку - + Swap line up заменить верхнюю строку - + Swap line down Заменить нижнюю строку - + Scroll up one line Прокрутка вверх на одну строку - + Scroll down one line Прокрутка вниз на одну строку - + Page up Страница вверх - + Page down Страница вниз - + Move to end of line Переход к конецу строки - + Move to start of line Переход к началу строки - + Move to end of text Переход к концу текста - + Move to start of text Переход к началу текста - + Move to line indentation Переход к строке отступа - + Upper case Верхний регистр - + Lower case Нижний регистр - + Capitalize Прописной - + Delete backward word Удалить слово с конца - + Delete forward word Удалить слово с начала - + Forward over a pair Вперед по паре - + Backward over a pair Назад по паре - + Select all Выбрать всё - + Copy Копировать - + Cut Вырезать - + Paste Вставить - + Transpose character Перемещаемый символ - + Mark Пометить - + Unmark Снять отметку - + Copy line Копировать строку - + Cut line Вырезать строку - + Merge lines Совместить строки - + Read-Only mode Режим Только Чтение - + Add comment Добавить комментарий - + Remove comment Удалить комментарий - + Undo Отменить - + Redo Готово - + Add/Remove bookmark Добавить/удалить закладку - + Move to previous bookmark К предыдущей закладке - + Move to next bookmark К следующей закладке - + Advanced Расширенные - + Window size Размер окна - + Tab width Ширина вкладки - + Word wrap Перенос cлова - + Code folding flag Флаг сворачивания кода - + Show line numbers Показать номера строк - + Show bookmarks icon Показать значок закладок - + Show whitespaces and tabs Показать пробелы и табуляции - + Highlight current line Выделить текущую строку - + Color mark Цветная метка - + Unicode Unicode - + WesternEuropean Западноевропейский - + CentralEuropean Центральноевропейский - + Baltic Балтийский - + Cyrillic Кириллица - + Arabic Арабский - + Celtic Кельтский - + SouthEasternEuropean Юго-Восточная Европа - + Greek Греческий - + Hebrew Еврейский - + ChineseSimplified Китайский упрощенный - + ChineseTraditional Китайский традиционный - + Japanese Японский - + Korean Корейский - + Thai Тайландский - + Turkish Турецкий - + Vietnamese Вьетнамский - + File not saved Файл не сохранен - - - + + + Line Endings Окончание строк @@ -705,32 +710,32 @@ ReplaceBar - + Find Найти - + Replace With Заменить На - + Replace Заменить: - + Skip Пропустить - + Replace Rest Заменить Остальное - + Replace All Заменить Всё @@ -747,58 +752,58 @@ Settings - + Standard Стандартный - + Customize Настроить - + Normal Обычный - + Maximum Максимум - + Fullscreen Полный экран - + This shortcut conflicts with system shortcut %1 Это сочетание конфликтует с системным сочитанием %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Это сочетание конфликтует с %1, нажмите Заменить, чтобы это сочетание вступило в силу немедленно - - + + The shortcut %1 is invalid, please set another one. Сочетание %1 недействительно, установите другое. - + Cancel Отмена - + Replace Заменить - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Без названия %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Закрыть вкладку - + Close other tabs Закрыть другие вкладки - + More options Больше вариантов - + Close tabs to the left Закрыть вкладки слева - + Close tabs to the right Закрыть вкладки справа - + Close unmodified tabs Закрыть не изменённые вкладки @@ -847,261 +852,259 @@ TextEdit - + Undo Отменить - + Redo Готово - + Cut Вырезать - + Copy Копировать - + Paste Вставить - + Delete Удалить - + Select All Выбрать всё - - + + Find Найти - - + + Replace Заменить - + Go to Line Перейти к строке - + Turn on Read-Only mode Включить режим Только Чтение - + Turn off Read-Only mode Отключить режим Только Чтение - + Fullscreen Полноэкранный режим - + Exit fullscreen Выйти из полноэкранного режима - + Display in file manager Показать в файловом менеджере - - + + Add Comment Добавить комментарий - + Text to Speech Текст в речь - + Stop reading Прекратить читать - + Speech to Text Речь в текст - + Translate Перевести - + Column Mode Режим колонки - + Add bookmark Добавить закладку - + Remove Bookmark Удалить закладку - + Previous bookmark Предыдущая закладка - + Next bookmark Следующая закладка - + Remove All Bookmarks Удалить все закладки - + Fold All Свернуть всё - + Fold Current Level Свернуть текущий уровень - + Unfold All Развернуть всё - + Unfold Current Level Развернуть текущий уровень - + Color Mark Цветная метка - + Clear All Marks Очистить все метки - + Clear Last Mark Очистить последнюю метку - + Mark Пометить - + Mark All Пометить всё - + Remove Comment Удалить комментарий - Failed to paste text: it is too large - - - - + Copy failed: not enough memory - + Копирование не удалось: недостаточно памяти - + Press ALT and click lines to edit in column mode Нажмите ALT и щелкните строки для редактирования в режиме колонки - + Change Case Изменить регистр - + Upper Case Верхний регистр - + Lower Case Нижний регистр - + Capitalize Заглавные буквы - + None Ничего - + Selected line(s) copied Выбранные строки скопированы - + Current line copied Текущая строка скопирована - + Selected line(s) clipped Выбранные строки обрезаны - + Current line clipped Текущая строка отрезана - + Paste failed: not enough memory - + Вставка не удалось: недостаточно памяти - + Read-Only mode is off Режим Только Чтение отключён - - - + + + + + Read-Only mode is on Режим Только Чтение включён @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Обновить @@ -1117,129 +1120,130 @@ Window - - + + Save as Сохранить как - + New window Новое окно - + New tab Новая вкладка - + Open file Открыть файл - - + + Save Сохранить - + Print Печать - + Switch theme Переключить тему - - + + Settings Настройки - - + + Read-Only Только Чтение - + You do not have permission to open %1 Вы не имеете разрешения на открытие %1 - + + Invalid file: %1 Недопустимый файл: %1 - - + + Do you want to save this file? Вы хотите сохранить этот документ? - + You do not have permission to save %1 Вы не имеете разрешения на сохранение %1 - + Saved successfully Успешно сохранено - - - + + + Save File Сохранить Файл - + Encoding Кодировка - + Read-Only mode is on Режим Только Чтение включён - + Current location remembered Текущее местоположение запомнилось - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Редактор - + Untitled %1 Без названия %1 - + Cancel Отмена - + Discard Отмена diff --git a/translations/deepin-editor_sl.ts b/translations/deepin-editor_sl.ts index 2825b5da..7374cacd 100644 --- a/translations/deepin-editor_sl.ts +++ b/translations/deepin-editor_sl.ts @@ -2,17 +2,17 @@ BottomBar - + Row Vrsta - + Column Stolp - + Characters %1 Znakov %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None brez @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Shrani - + Do you want to save this file? Bi radi shranili to datoteko? - - + + Cancel Prekini - + Encoding changed. Do you want to save the file now? Kodiranje je bilo spremenjeno. Želite sedaj shraniti to datoteko? - + Discard Opusti - + You do not have permission to save %1 Nimate pravic za shranjevanje %1 - + File removed on the disk. Save it now? Datoteka je bila odstranjena z diska. Shranim sedaj? - + File has changed on disk. Reload? Datoteka je bila spremenjena na disku. Ponovno naložim? - - + + INSERT VSTAVI - + OVERWRITE PREPIŠI - + R/O S/B + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Najdi - + Previous Nazaj - + Next Naprej @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Skok na vrstico: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Urejevalnik besedil je močno orodje za pregledovanje in urejanje besedilnih datotek. - + Text Editor Urejevalnik besedil @@ -132,572 +137,572 @@ QObject - + Text Editor Urejevalnik besedil - - - - - - + + + + + + Encoding Kodiranje - + Basic Osnovno - + Font Style Slog pisave - + Font Pisava - + Font Size Velikost pisave - + Shortcuts Bljižnica - - + + Keymap Razpored tipk - - - + + + Window Okno - + New tab Nov zavihek - + New window Novo okno - + Save ShraniShrani - + Save as Shrani kot - + Next tab Naslednji zavihek - + Previous tab Prejšnji zavihek - + Close tab Zapri zavihek - + Close other tabs Zapri ostale zavihke - + Restore tab Obnovi zavihek - + Open file Odpir datoteko - + Increment font size Povečaj velikost pisave - + Decrement font size Zmanjšaj velikost pisave - + Reset font size Ponastavi velikost pisave - + Help Pomoč - + Toggle fullscreen Preklopi celozaslonski prikaz - + Find Najdi - + Replace Zamenjaj - + Go to line Skok na vrstico - + Save cursor position Shrani položaj kurzorja - + Reset cursor position Ponastavi položaj kurzorja - + Exit Izhod - + Display shortcuts Prikaži bljižnice - + Print Tiskanje - + Editor Urejevalnik - + Increase indent Povečaj zamik - + Decrease indent Zmanjšaj zamik - + Forward character Znak naprej - + Backward character Znak nazaj - + Forward word Besedo naprej - + Backward word Besedo nazaj - + Next line Naslednja vrstica - + Previous line Prejšnja vrstica - + New line Nova vrstica - + New line above Nova vrstica zograj - + New line below Nova vrstica spodaj - + Duplicate line Podvoji vrstico - + Delete to end of line Izbriši do konca vrstice - + Delete current line Izbriši trenutno vrstico - + Swap line up Zamenja vrstico navzgor - + Swap line down Zamenjaj vrstico navzdol - + Scroll up one line Pomakni eno vrstico navzgor - + Scroll down one line Pomakni eno vrstico navzdol - + Page up Prejšnja stran - + Page down Naslednja stran - + Move to end of line Na konec vrstice - + Move to start of line Na začetek vrstice - + Move to end of text Na konec besedila - + Move to start of text Na začetek besedila - + Move to line indentation Na zamik vrstice - + Upper case Velike črke - + Lower case Male črke - + Capitalize Velika začetnica - + Delete backward word Izbriši prejšnjo besedo - + Delete forward word briši naslednjo besedo - + Forward over a pair Naprej preko para - + Backward over a pair Nazaj preko para - + Select all Izberi vse - + Copy Kopiraj - + Cut Izreži - + Paste Prilepi - + Transpose character Spremeni velikost znaka - + Mark Označi - + Unmark Odznači - + Copy line Kopiraj vrstico - + Cut line Izreži vrstico - + Merge lines Združi vrstice - + Read-Only mode Samo branje - + Add comment Dodaj komentar - + Remove comment Odstrani komentar - + Undo razveljavi - + Redo Uveljavi - + Add/Remove bookmark Dodaj/odstrani zaznamek - + Move to previous bookmark Na prejšnji zaznamek - + Move to next bookmark Na naslednji zaznamek - + Advanced Napredno - + Window size Velikost okna - + Tab width Širina zavihka - + Word wrap Deljenje besed - + Code folding flag Zastavica za zlaganje kode - + Show line numbers Prikaži teilko vrstice - + Show bookmarks icon Prikaži ikone zaznamkov - + Show whitespaces and tabs Prikaži presledke in tabulatorje - + Highlight current line Osvetli trenutno vrstico - + Color mark barvna oznaka - + Unicode Unicode - + WesternEuropean Zahodnoevropski - + CentralEuropean Srednjeevropski - + Baltic Baltik - + Cyrillic Cirilica - + Arabic Arabsko - + Celtic Keltsko - + SouthEasternEuropean JugovzhodnaEvropa - + Greek Grško - + Hebrew Hebrejsko - + ChineseSimplified KitajščinaPoenostavljena - + ChineseTraditional KitajščinaTradicionalna - + Japanese Japonsko - + Korean Korejsko - + Thai Tajsko - + Turkish Turško - + Vietnamese Vietnamsko - + File not saved Datoteka ni bila shranjena - - - + + + Line Endings Zaključki vrstic @@ -705,32 +710,32 @@ ReplaceBar - + Find Najdi - + Replace With Zamenjaj z - + Replace Zamenjaj - + Skip Preskoči - + Replace Rest Zamenjaj ostalo - + Replace All Zamenjaj vse @@ -747,58 +752,58 @@ Settings - + Standard Standardno - + Customize Prilagodi - + Normal Normalno - + Maximum Maksimalno - + Fullscreen Celozaslonsko - + This shortcut conflicts with system shortcut %1 Ta bljižnica je enaka sistemski bližnjici %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Ta bližnjica je enaka kot %1. Kliknite na Zamenjaj, da jo nemudoma vklopite - - + + The shortcut %1 is invalid, please set another one. Bližnjica %1 ni veljavna. Določite drugo. - + Cancel Prekini - + Replace Zamenjaj - + OK V redu @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Neimenovano %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Zapri zavihek - + Close other tabs Zapri ostale zavihke - + More options Več možnosti - + Close tabs to the left Zapri zavihke na levi - + Close tabs to the right Zapri zavihke na desni - + Close unmodified tabs Zapri nespremenjene zavihke @@ -847,261 +852,259 @@ TextEdit - + Undo razveljavi - + Redo Uveljavi - + Cut Izreži - + Copy Kopiraj - + Paste Prilepi - + Delete Izbriši - + Select All Označi vse - - + + Find Najdi - - + + Replace Zamenjaj - + Go to Line Skok na vrstico - + Turn on Read-Only mode Vklopi samo branje - + Turn off Read-Only mode Izklopi samo branje - + Fullscreen Celozaslonsko - + Exit fullscreen Zapri celozaslonski način - + Display in file manager Prikaži v upravljalniku datotek - - + + Add Comment Dodaj komentar - + Text to Speech Besedilo v govor - + Stop reading Zaustavi branje - + Speech to Text Govor v besedilo - + Translate Prevedi - + Column Mode Stolpčni način - + Add bookmark Dodaj zaznamek - + Remove Bookmark Odstrani zaznamek - + Previous bookmark Prejšnji zaznamek - + Next bookmark Naslednji zaznamek - + Remove All Bookmarks Odstrani vse zaznamke - + Fold All Zloži vse - + Fold Current Level Zloži trenutni nivo - + Unfold All Razpri vse - + Unfold Current Level Razpri trenutni nivo - + Color Mark Barvna oznaka - + Clear All Marks Odstrani vse oznake - + Clear Last Mark Odstrani zadnjo oznako - + Mark Označi - + Mark All Označi vse - + Remove Comment Odstrani komentar - Failed to paste text: it is too large - Besedilo je preveliko za prilepljenje - - - + Copy failed: not enough memory Kopiranje ni uspelo: ni dovolj pomnilnika - + Press ALT and click lines to edit in column mode Pritisnite ALT in kliknite na vrstice za urejanje v stolpcu - + Change Case Spremeni velikost črk - + Upper Case Velike črke - + Lower Case Male črke - + Capitalize Velika začetnica - + None brez - + Selected line(s) copied Izbrane vrstice so bile kopirane - + Current line copied Trenutna vrstica je bila skopirana - + Selected line(s) clipped Izbrane vrstice so bile porezane - + Current line clipped Trenutna vrstica je bila porezana - + Paste failed: not enough memory Kopiranje ni uspelo: ni dovolj pomnilnika - + Read-Only mode is off Samo branje je izklopljeno - - - + + + + + Read-Only mode is on Vklopljeno je samo branje @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Ponovno naloži @@ -1117,129 +1120,130 @@ Window - - + + Save as Shrani kot - + New window Novo okno - + New tab Nov zavihek - + Open file Odpir datoteko - - + + Save Shrani - + Print Tiskanje - + Switch theme Zamenjaj temo - - + + Settings nastavitve - - + + Read-Only Samo branje - + You do not have permission to open %1 Nimate pravic za odpiranje %1 - + + Invalid file: %1 Napačna datoteka: %1 - - + + Do you want to save this file? Bi radi shranili to datoteko? - + You do not have permission to save %1 Nimate pravic za shranjevanje %1 - + Saved successfully Uspešno shranjeno - - - + + + Save File Shrani datoteko - + Encoding Kodiranje - + Read-Only mode is on Vklopljeno je samo branje - + Current location remembered Trenutni položaj je shranjen - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Urejevalnik - + Untitled %1 Neimenovano %1 - + Cancel Prekini - + Discard Opusti diff --git a/translations/deepin-editor_sq.ts b/translations/deepin-editor_sq.ts index e79f6cd2..4f14107e 100644 --- a/translations/deepin-editor_sq.ts +++ b/translations/deepin-editor_sq.ts @@ -2,17 +2,17 @@ BottomBar - + Row Rresht - + Column Shtyllë - + Characters %1 Shenja %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Asnjë @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Ruaje - + Do you want to save this file? Doni të ruhet kjo kartelë? - - + + Cancel Anuloje - + Encoding changed. Do you want to save the file now? Kodimi ndryshoi. Doni të ruhet kartela tani? - + Discard Hidhe Tej - + You do not have permission to save %1 S’keni leje të ruani %1 - + File removed on the disk. Save it now? Kartela u hoq nga disku. Të ruhet tani? - + File has changed on disk. Reload? Kartela ka ndryshuar në disk. Të ringarkohet? - - + + INSERT FUTE - + OVERWRITE MBISHKRUAJE - + R/O V/L + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Gjej - + Previous E mëparshmja - + Next Pasuesja @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Shko te Rreshti: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Përpunuesi i Teksteve është një mjet i fuqishëm për parje dhe përpunim kartelash tekst. - + Text Editor Përpunues Tekstesh @@ -132,572 +137,572 @@ QObject - + Text Editor Përpunues Tekstesh - - - - - - + + + + + + Encoding Kodim - + Basic Elementare - + Font Style Stil Shkronjash - + Font Shkronja - + Font Size Madhësi Shkronjash - + Shortcuts Shkurtore - - + + Keymap Skemë tastiere - - - + + + Window Dritare - + New tab Skedë e re - + New window Dritare e re - + Save Ruaje - + Save as Ruaje si - + Next tab Skeda pasuese - + Previous tab Skeda e mëparshme - + Close tab Mbylle skedën - + Close other tabs Mbylli skedat e tjera - + Restore tab Riktheje skedën - + Open file Hap kartelë - + Increment font size Rritje madhësie shkronjash - + Decrement font size Zvogëlim madhësie shkronjash - + Reset font size Ktheje madhësinë e shkronjave te parazgjedhja - + Help Ndihmë - + Toggle fullscreen Aktivizo/Çaktivizo mënyrën “sa krejt ekrani” - + Find Gjej - + Replace Zëvendësoje - + Go to line Shko te rreshti - + Save cursor position Ruaj pozicionin e kursorit - + Reset cursor position Zero pozicionin e kursorit - + Exit Dil - + Display shortcuts Shfaq shkurtore - + Print Shtype - + Editor Përpunues - + Increase indent Rrit hapësirë kryeradhe - + Decrease indent Zvogëlo hapësirë kryeradhe - + Forward character - + Backward character - + Forward word Fjala përpara - + Backward word Fjala prapa - + Next line Rreshti pasues - + Previous line Rreshti i mëparshëm - + New line Rresht i ri - + New line above Rresht i ri sipër - + New line below Rresht i ri poshtë - + Duplicate line Përsëdyte rreshtin - + Delete to end of line Fshije deri në fund të rreshtit - + Delete current line Fshi rreshtin e tanishëm - + Swap line up Këmbeje me rreshtin sipër - + Swap line down Këmbeje me rreshtin poshtë - + Scroll up one line Ngjitu një rresht më sipër - + Scroll down one line Zbrit një rresht më poshtë - + Page up Page Up - + Page down Page Down - + Move to end of line Kalo te fund rreshti - + Move to start of line Kalo në fillim rreshti - + Move to end of text Kalo në fund të tekstit - + Move to start of text Kalo në fillim të tekstit - + Move to line indentation Kalo te kryeradhë rreshti - + Upper case Shkronja të mëdha - + Lower case Shkronja të vogla - + Capitalize Kaloje Në Shkronjë të Madhe - + Delete backward word Fshi fjalën prapa - + Delete forward word Fshi fjalën përpara - + Forward over a pair Përpara tej një dysheje - + Backward over a pair Mbrapsht tej një dysheje - + Select all Përzgjidhe krejt - + Copy Kopjoje - + Cut Prije - + Paste Ngjite - + Transpose character Ndërkëmbe shenjën - + Mark Vëri shenjë - + Unmark Hiqja shenjën - + Copy line Kopjo rreshtin - + Cut line Prije rreshtin - + Merge lines Përzie rreshta - + Read-Only mode Mënyrë “Vetëm Për Lexim” - + Add comment Shtoni koment - + Remove comment Hiqe komentin - + Undo Zhbëje - + Redo Ribëje - + Add/Remove bookmark Shtoni/Hiqni faqerojtës - + Move to previous bookmark Kalo te faqerojtësi i mëparshëm - + Move to next bookmark Kalo te faqerojtësi pasues - + Advanced Të mëtejshme - + Window size Madhësi dritareje - + Tab width Gjerësi Tabulacioni - + Word wrap Mbështjellje fjale - + Code folding flag Shenjë për mbështjellje kodi - + Show line numbers Shfaq numra rreshtash - + Show bookmarks icon Shfaq ikonë faqerojtësish - + Show whitespaces and tabs Shfaq hapësira të zbrazëta dhe tabulacione - + Highlight current line Thekso rreshtin e tanishëm - + Color mark Shenjë ngjyre - + Unicode Unikod - + WesternEuropean Europiane Perëndimore - + CentralEuropean Europiane Qendrore - + Baltic Baltike - + Cyrillic Cirilike - + Arabic Arabe - + Celtic Kelte - + SouthEasternEuropean Europiane Juglindore - + Greek Greke - + Hebrew Hebraishte - + ChineseSimplified Kineze të Thjeshtuara - + ChineseTraditional Kineze Tradicionale - + Japanese Japoneze - + Korean Koreane - + Thai Tajlandeze - + Turkish Turke - + Vietnamese Vietnameze - + File not saved Kartela s’u ruajt - - - + + + Line Endings Funde Rreshtash @@ -705,32 +710,32 @@ ReplaceBar - + Find Gjej - + Replace With Zëvendësoje Me - + Replace Zëvendësoje - + Skip Anashkaloje - + Replace Rest - + Replace All Zëvendësoji Krejt @@ -747,58 +752,58 @@ Settings - + Standard Standarde - + Customize Përshtateni - + Normal Normale - + Maximum Maksimum - + Fullscreen Sa krejt ekrani - + This shortcut conflicts with system shortcut %1 Kjo shkurtore përplaset me shkurtoren e sistemit %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Kjo shkurtore përplaset me %1, klikoni mbi Zëvendësoje për ta bërë këtë shkurtore të hyjë në fuqi menjëherë - - + + The shortcut %1 is invalid, please set another one. Shkurtorja %1 është e pavlefshme, ju lutemi, caktoni një tjetër. - + Cancel Anuloje - + Replace Zëvendësoje - + OK OK @@ -806,7 +811,7 @@ StartManager - + Untitled %1 %1 pa titull @@ -814,32 +819,32 @@ Tabbar - + Close tab Mbylle skedën - + Close other tabs Mbylli skedat e tjera - + More options Më tepër mundësi - + Close tabs to the left Mbylli skedat në të majtë - + Close tabs to the right Mbylli skedat në të djathtë - + Close unmodified tabs Mbylli skedat e paprekura @@ -847,261 +852,259 @@ TextEdit - + Undo Zhbëje - + Redo Ribëje - + Cut Prije - + Copy Kopjoje - + Paste Ngjite - + Delete Fshije - + Select All Përzgjidhi Krejt - - + + Find Gjej - - + + Replace Zëvendësoje - + Go to Line Shko te Rreshti - + Turn on Read-Only mode Aktivizo mënyrën “Vetëm Për Lexim” - + Turn off Read-Only mode Çaktivizo mënyrën “Vetëm Për Lexim” - + Fullscreen Sa krejt ekrani - + Exit fullscreen Dil nga mënyra sa krejt ekrani - + Display in file manager Shfaqe në përgjegjës kartelash - - + + Add Comment Shtoni Koment - + Text to Speech Nga Tekst Në të Folur - + Stop reading Ndale leximin - + Speech to Text Nga e Folur Në Tekst - + Translate Përkthejeni - + Column Mode Mënyrë Shtylla - + Add bookmark Shtoni faqerojtës - + Remove Bookmark Hiqe Faqerojtësin - + Previous bookmark Faqerojtësi i mëparshëm - + Next bookmark Faqerojtësi pasues - + Remove All Bookmarks Hiqi Krejt Faqerojtësit - + Fold All Palosi Krejt - + Fold Current Level Palos Nivelin e Tanishëm - + Unfold All Shpalosi Krejt - + Unfold Current Level Shpalos Nivelin e Tanishëm - + Color Mark Shenjë Ngjyre - + Clear All Marks Hiqi Krejt Shenjat - + Clear Last Mark Spastro Shenjën e Fundit - + Mark Vëri shenjë - + Mark All Vëru Shenjë të Tërëve - + Remove Comment Hiqe Komentin - Failed to paste text: it is too large - S’u arrit të ngjitet tekst: është shumë i madh - - - + Copy failed: not enough memory Kopjimi dështoi: s’ka kujtesë të mjaftueshme - + Press ALT and click lines to edit in column mode Shtypni tastin ALT dhe klikoni mbi rreshtat që të përpunohen nën mënyrën shtyllë - + Change Case Këmbe Shkronja - + Upper Case Kaloje në Shkronja të Mëdha - + Lower Case Kaloje në Shkronja të Vogla - + Capitalize Kaloje Në Shkronjë të Madhe - + None Asnjë - + Selected line(s) copied U kopjua rreshti(at) i përzgjedhur - + Current line copied U kopjua rreshti i tanishëm - + Selected line(s) clipped Rreshti(at) i përzgjedhur u qeth - + Current line clipped Rreshti i tanishëm u qeth - + Paste failed: not enough memory - + Ngjitja dështoi: kujtesë e pamjaftueshme - + Read-Only mode is off Mënyra “Vetëm Për Lexim” është off - - - + + + + + Read-Only mode is on Mënyra “Vetëm Për Lexim” është on @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Ringarkoje @@ -1117,129 +1120,130 @@ Window - - + + Save as Ruaje si - + New window Dritare e re - + New tab Skedë e re - + Open file Hap kartelë - - + + Save Ruaje - + Print Shtype - + Switch theme Këmbeni temë - - + + Settings Rregullime - - + + Read-Only Vetëm-Lexim - + You do not have permission to open %1 S’keni leje të hapni %1 - + + Invalid file: %1 Kartelë e pavlefshme: %1 - - + + Do you want to save this file? Doni të ruhet kjo kartelë? - + You do not have permission to save %1 S’keni leje të ruani %1 - + Saved successfully U ruajt me sukses - - - + + + Save File Ruaje Kartelën - + Encoding Kodim - + Read-Only mode is on Mënyra “Vetëm Për Lexim” është on - + Current location remembered Vendi i tanishëm u mbajt mend - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Përpunues - + Untitled %1 %1 pa titull - + Cancel Anuloje - + Discard Hidhe Tej diff --git a/translations/deepin-editor_tr.ts b/translations/deepin-editor_tr.ts index 7eb68c68..a0cebede 100644 --- a/translations/deepin-editor_tr.ts +++ b/translations/deepin-editor_tr.ts @@ -2,17 +2,17 @@ BottomBar - + Row Satır - + Column Sütun - + Characters %1 %1 Karakter @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Yok @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Kaydet - + Do you want to save this file? Bu dosyayı kaydetmek ister misiniz? - - + + Cancel İptal - + Encoding changed. Do you want to save the file now? Kodlama değişti. Dosyayı şimdi kaydetmek istiyor musunuz? - + Discard Yoksay - + You do not have permission to save %1 %1 dosyasını kaydetme izniniz yok - + File removed on the disk. Save it now? Dosya diskten silinmiş. Şimdi kaydetmek ister misiniz? - + File has changed on disk. Reload? Disk üzerindeki dosya değişmiş. Yeniden yüklensin mi? - - + + INSERT EKLE - + OVERWRITE ÜZERİNE YAZ - + R/O S/O + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Bul - + Previous Önceki - + Next Sonraki @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Şu Satıra Git: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Metin Düzenleyici, metni görüntülemek ve düzenlemek için güçlü bir araçtır. - + Text Editor Metin Düzenleyici @@ -132,572 +137,572 @@ QObject - + Text Editor Metin Düzenleyici - - - - - - + + + + + + Encoding Kodlama - + Basic Temel - + Font Style Yazı Tipi Biçimi - + Font Yazı Tipi - + Font Size Yazı Tipi Boyutu - + Shortcuts Kısayollar - - + + Keymap Tuş Eşleşmesi - - - + + + Window Pencere - + New tab Yeni sekme - + New window Yeni pencere - + Save Kaydet - + Save as Farklı kaydet - + Next tab Sonraki sekme - + Previous tab Önceki sekme - + Close tab Sekmeyi kapat - + Close other tabs Diğer sekmeleri kapat - + Restore tab Sekmeyi geri yükle - + Open file Dosya aç - + Increment font size Yazı boyutunu büyüt - + Decrement font size Yazı boyutunu küçült - + Reset font size Yazı tipi boyutunu sıfırla - + Help Yardım - + Toggle fullscreen Tam ekranı aç/kapat - + Find Bul - + Replace Değiştir - + Go to line Şu satıra git - + Save cursor position İmleç konumunu kaydet - + Reset cursor position İmleç konumunu sıfırla - + Exit Çıkış - + Display shortcuts Kısayolları görüntüle - + Print Yazdır - + Editor Düzenleyici - + Increase indent Girinti düzeyini arttır - + Decrease indent Girinti düzeyini azalt - + Forward character Sonraki karakter - + Backward character Önceki karakter - + Forward word Sonraki sözcük - + Backward word Önceki sözcük - + Next line Sonraki satır - + Previous line Önceki satır - + New line Yeni satır - + New line above Üste yeni satır - + New line below Alta yeni satır - + Duplicate line Yinelenen satır - + Delete to end of line Satır sonuna kadar sil - + Delete current line Mevcut satırı sil - + Swap line up Üstteki satır ile değiştir - + Swap line down Alttaki satır ile değiştir - + Scroll up one line Bir satır yukarı kaydır - + Scroll down one line Bir satır aşağı kaydır - + Page up Sayfa üstü - + Page down Sayfa altı - + Move to end of line Satır sonuna git - + Move to start of line Satır başına git - + Move to end of text Metnin sonuna git - + Move to start of text Metnin başına git - + Move to line indentation Satır girintisine git - + Upper case Büyük harf - + Lower case Küçük harf - + Capitalize İlk harfleri büyüt - + Delete backward word Önceki sözcüğü sil - + Delete forward word Sonraki sözcüğü sil - + Forward over a pair Sonraki çift - + Backward over a pair Önceki çift - + Select all Tümünü seç - + Copy Kopyala - + Cut Kes - + Paste Yapıştır - + Transpose character Karakteri dönüştür - + Mark İşaretle - + Unmark İşareti kaldır - + Copy line Satırı kopyala - + Cut line Satırı kes - + Merge lines Satırları birleştir - + Read-Only mode Salt okunur kip - + Add comment Yorum ekle - + Remove comment Yorumu kaldır - + Undo Geri al - + Redo Yinele - + Add/Remove bookmark Yer imi Ekle/Kaldır - + Move to previous bookmark Önceki yer imine git - + Move to next bookmark Sonraki yer imine git - + Advanced Gelişmiş - + Window size Pencere boyutu - + Tab width Sekme genişliği - + Word wrap Sözcük kaydır - + Code folding flag Kod katlama bayrağı - + Show line numbers Satır numaralarını göster - + Show bookmarks icon Yer imi simgesini göster - + Show whitespaces and tabs Boşluk ve sekmeleri göster - + Highlight current line Mevcut satırı vurgula - + Color mark Renk işareti - + Unicode Unicode - + WesternEuropean WesternEuropean - + CentralEuropean CentralEuropean - + Baltic Baltic - + Cyrillic Cyrillic - + Arabic Arabic - + Celtic Celtic - + SouthEasternEuropean SouthEasternEuropean - + Greek Greek - + Hebrew Hebrew - + ChineseSimplified ChineseSimplified - + ChineseTraditional ChineseTraditional - + Japanese Japonca - + Korean Korece - + Thai Tayca - + Turkish Türkçe - + Vietnamese Vietnamca - + File not saved Dosya kaydedilmedi - - - + + + Line Endings Satır Sonları @@ -705,32 +710,32 @@ ReplaceBar - + Find Bul - + Replace With Şununla Değiştir - + Replace Değiştir - + Skip Atla - + Replace Rest Kalanları Değiştir - + Replace All Tümünü Değiştir @@ -747,58 +752,58 @@ Settings - + Standard Standart - + Customize Özelleştir - + Normal Normal - + Maximum En fazla - + Fullscreen Tam ekran - + This shortcut conflicts with system shortcut %1 Bu kısayol, %1 sistem kısayolu ile çakışıyor - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Bu kısayol %1 ile çakışıyor, bu kısayolu hemen etkin hale getirmek için Değiştire tıklayın - - + + The shortcut %1 is invalid, please set another one. %1 kısayolu geçersiz, lütfen başka bir tane ayarlayın. - + Cancel İptal - + Replace Değiştir - + OK Tamam @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Başlıksız %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Sekmeyi kapat - + Close other tabs Diğer sekmeleri kapat - + More options Daha fazla seçenek - + Close tabs to the left Soldaki sekmeleri kapat - + Close tabs to the right Sağdaki sekmeleri kapat - + Close unmodified tabs Değiştirilmemiş sekmeleri kapat @@ -847,261 +852,259 @@ TextEdit - + Undo Geri al - + Redo Yinele - + Cut Kes - + Copy Kopyala - + Paste Yapıştır - + Delete Sil - + Select All Tümünü Seç - - + + Find Bul - - + + Replace Değiştir - + Go to Line Şu Satıra Git - + Turn on Read-Only mode Salt Okunur Kipi Aç - + Turn off Read-Only mode Salt Okunur Kipi Kapat - + Fullscreen Tam ekran - + Exit fullscreen Tam ekrandan çık - + Display in file manager Dosya yöneticisinde görüntüle - - + + Add Comment Yorum Ekle - + Text to Speech Yazıdan Konuşmaya - + Stop reading Okumayı durdur - + Speech to Text Konuşmadan Yazıya - + Translate Çeviri - + Column Mode Sütun Kipi - + Add bookmark Yer imlerine ekle - + Remove Bookmark Yer İmini Kaldır - + Previous bookmark Önceki yer imi - + Next bookmark Sonraki yer imi - + Remove All Bookmarks Tüm Yer İmlerini Kaldır - + Fold All Tümünü Katla - + Fold Current Level Mevcut Seviyeyi Katla - + Unfold All Tümünü Katlama - + Unfold Current Level Mevcut Seviyeyi Katlama - + Color Mark Renk İşareti - + Clear All Marks Tüm İşaretleri Temizle - + Clear Last Mark Son İşareti Temizle - + Mark İşaretle - + Mark All Tümünü İşaretle - + Remove Comment Yorumu Kaldır - Failed to paste text: it is too large - Metin yapıştırılamadı: çok büyük - - - + Copy failed: not enough memory Kopyalama başarısız: yeterli bellek yok - + Press ALT and click lines to edit in column mode Sütun kipinde düzenlemek için ALT tuşuna bas ve satırları tıkla - + Change Case Büyük Küçük Harfi Değiştir - + Upper Case Büyük Harf - + Lower Case Küçük Harf - + Capitalize İlk Harfleri Büyüt - + None Yok - + Selected line(s) copied Seçilen satır(lar) kopyalandı - + Current line copied Mevcut satır kopyalandı - + Selected line(s) clipped Seçilen satır(lar) kırpıldı - + Current line clipped Mevcut satır kopyalandı - + Paste failed: not enough memory Yapıştırılamadı: yeterli bellek yok - + Read-Only mode is off Salt okunur kip kapalı - - - + + + + + Read-Only mode is on Salt okunur kip açık @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Yeniden yükle @@ -1117,129 +1120,130 @@ Window - - + + Save as Farklı kaydet - + New window Yeni pencere - + New tab Yeni sekme - + Open file Dosya aç - - + + Save Kaydet - + Print Yazdır - + Switch theme Temayı değiştir - - + + Settings Ayarlar - - + + Read-Only Salt Okunur - + You do not have permission to open %1 %1 dosyasını açma izniniz yok - + + Invalid file: %1 Geçersiz dosya: %1 - - + + Do you want to save this file? Bu dosyayı kaydetmek ister misiniz? - + You do not have permission to save %1 %1 dosyasını kaydetme izniniz yok - + Saved successfully Başarıyla kaydedildi - - - + + + Save File Dosyayı Kaydet - + Encoding Kodlama - + Read-Only mode is on Salt okunur kip açık - + Current location remembered Mevcut konum hatırlandı - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Düzenleyici - + Untitled %1 Başlıksız %1 - + Cancel İptal - + Discard Yoksay diff --git a/translations/deepin-editor_ug.ts b/translations/deepin-editor_ug.ts index df6a180c..d1bdecd8 100644 --- a/translations/deepin-editor_ug.ts +++ b/translations/deepin-editor_ug.ts @@ -2,17 +2,17 @@ BottomBar - + Row قۇر - + Column قاتار - + Characters %1 ھەرپ-بەلگە سانى %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None يوق @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save ساقلاش - + Do you want to save this file? بۇ ھۆججەتنى ساقلامسىز؟ - - + + Cancel بىكار قىلىش - + Encoding changed. Do you want to save the file now? ھۆججەت كودلاش ئۇسۇلى ئۆزگەرتىلدى، ئۇنى ئاۋۋال ساقلىماقچىمۇ؟ - + Discard ساقلىمايمەن - + You do not have permission to save %1 %1نى ساقلاش ھوقۇقىڭىز يوق - + File removed on the disk. Save it now? دىسكىدىكى ئەسلى ھۆججەت ئۆچۈرۈلدى، قايتا ساقلىماقچىمۇ؟ - + File has changed on disk. Reload? دىسكىدىكى ئەسلى ھۆججەت ئۆزگەرتىلدى، قايتا يۈكلىمەكچىمۇ؟ - - + + INSERT كىرگۈزۈش - + OVERWRITE باستۇرۇش - + R/O پەقەت ئوقۇش + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find ئىزدەش - + Previous ئالدىنقىسى - + Next كېيىنكىسى @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: سەكرەش: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. تېكىست تەھرىرلىگۈچ تېكىست ھۆججەتلىرىنى كۆرۈش ۋە تەھرىرلەش قورالىدۇر. - + Text Editor تېكىست تەھرىرلىگۈچ @@ -132,572 +137,572 @@ QObject - + Text Editor تېكىست تەھرىرلىگۈچ - - - - - - + + + + + + Encoding كودلاش - + Basic ئاساسىي تەڭشەكلەر - + Font Style خەت شەكلى ھالىتى - + Font خەت شەكلى - + Font Size خەت نومۇرى - + Shortcuts تېزلەتمە - - + + Keymap تېزلەتمە كۆرۈنسۇن - - - + + + Window كۆزنەك - + New tab يېڭى خەتكۈچ - + New window يېڭى كۆزنەك - + Save ساقلاش - + Save as باشقا ساقلاش - + Next tab كېيىنكى خەتكۈچ - + Previous tab ئالدىنقى خەتكۈچ - + Close tab خەتكۈچنى تاقاش - + Close other tabs باشقا خەتكۈچنى تاقاش - + Restore tab خەتكۈچنى ئەسلگە كەلتۈرۈش - + Open file ئېچىش - + Increment font size خەت نومۇرىنى چوڭايتىش - + Decrement font size خەت نومۇرىنى كىچىكلىتىش - + Reset font size خەت نومۇرىنى ئەسلىگە قايتۇرۇش - + Help ياردەم - + Toggle fullscreen پۈتۈن ئېكرانغا ئالماشتۇرۇش - + Find ئىزدەش - + Replace ئالماشتۇرۇش - + Go to line سەكرەش - + Save cursor position نۇر بەلگىسىنىڭ ئورنىنى ساقلاش - + Reset cursor position نۇر بەلگىسى ساقلانغان ئورۇنغا سەكرىسۇن - + Exit چېكىنىش - + Display shortcuts تېزلەتمە كۆرۈنسۇن - + Print بېسىش - + Editor تەھرىرلەش - + Increase indent قۇر بېشىنى قىسقارتىش - + Decrease indent قۇر بېسىنى كېڭەيتىش - + Forward character ئوڭغا بىر ھەرپ-بەلگە سۈرۈلسۇن - + Backward character سولغا بىر ھەرپ-بەلگە سۈرۈلسۇن - + Forward word ئوڭغا بىر سۆز يۆتكەلسۇن - + Backward word سولغا بىر سۆز يۆتكەلسۇن - + Next line كېيىنكى قۇر - + Previous line ئالدىنقى قۇر - + New line قۇر ئالمىشىش - + New line above ئۈستىگە بىر قۇر قوشۇش - + New line below ئاستىغا بىر قۇر قوشۇش - + Duplicate line ھازىرقى ئورۇنغا كۆچۈرۈش ۋە چاپلاش - + Delete to end of line قۇر ئاخىرىغىچە ئۆچۈرۈش - + Delete current line بۇ قۇرنى ئۆچۈرۈش - + Swap line up ئۈستىگە بىر قۇر يۆتكەش - + Swap line down ئاستىغا بىر قۇر يۆتكەش - + Scroll up one line ئۈستىگە بىر قۇر سىيرىش - + Scroll down one line ئاستىغا بىر قۇر سىيرىش - + Page up ئۈستىگە بىر بەت سىيرىش - + Page down ئاستىغا بىر بەت سىيرىش - + Move to end of line قۇر ئاخىرىغا يۆتكەش - + Move to start of line قۇر بېشىغا يۆتكەش - + Move to end of text تېكىست ئاخىرىغا يۆتكەش - + Move to start of text تېكىست بېشىغا يۆتكەش - + Move to line indentation قۇر قىسقارغۇچە يۆتكەش - + Upper case چوڭ يېزىلىشقا ئالماشتۇرۇش - + Lower case كىچىك يېزىلىشقا ئالماشتۇرۇش - + Capitalize 1-ھەرپ چوڭ يېزىلسۇن - + Delete backward word سولغا بىر خەت ئۆچۈرسۇن - + Delete forward word ئوڭغا بىر خەت ئۆچۈرسۇن - + Forward over a pair ئوڭغا ماسلاشسۇن - + Backward over a pair سولغا ماسلاشسۇن - + Select all ھەممىسى - + Copy كۆچۈرۈش - + Cut كېسىش - + Paste چاپلاش - + Transpose character ھەرپ-بەلگە ئالماشتۇرۇش - + Mark بەلگە قويۇش - + Unmark بەلگىنى ئېلىۋېتىش - + Copy line قۇرنى كۆچۈرۈش - + Cut line قۇرنى كېسىۋېلىش - + Merge lines قۇرنى قوشۇۋېتىش - + Read-Only mode پەقەت ئوقۇيدىغان قىلىش - + Add comment ئىزاھات قوشۇش - + Remove comment ئىزاھاتنى بىكار قىلىش - + Undo ئەمەلدىن قالدۇرۇش - + Redo قايتا - + Add/Remove bookmark خەتكۈچ قوشۇش/چىقىرىۋېتىش - + Move to previous bookmark ئالدىنقى خەتكۈچ - + Move to next bookmark كېيىنكى خەتكۈچ - + Advanced ئالىي تەڭشەك - + Window size كۆزنەك ھالىتى - + Tab width Tab ھەرپ-بەلگىسىنىڭ كەڭلىكى - + Word wrap قۇر ئاپتوماتىك ئالماشسۇن - + Code folding flag كود قاتلىۋەتكەن بەلگىلەرنى كۆرسىتىش - + Show line numbers قۇر نومۇرى كۆرۈنسۇن - + Show bookmarks icon خەتكۈچ سىنبەلگىسى كۆرۈنسۇن - + Show whitespaces and tabs قۇرۇق ھەرپ/بەتكۈچلەر كۆرۈنسۇن - + Highlight current line نۆۋەتتىكى قۇر ئىگىزلىكى يورۇقلۇقى - + Color mark رەڭ بەلگىسى - + Unicode يۇنىكود - + WesternEuropean غەربىي ياۋروپا تىل سىستېمىسى - + CentralEuropean ئوتتۇرا ياۋروپا تىل سىستېمىسى - + Baltic بالتىق دىڭىزى تىللىرى - + Cyrillic سىرىل يېزىقى - + Arabic ئەرەب تىلى - + Celtic كېلتىك تىلى - + SouthEasternEuropean شەرقىي جەنۇبىي ياۋروپا تىل سىستېمىسى - + Greek گرېك تىلى - + Hebrew ئىبرانى تىلى - + ChineseSimplified ئاددىي خەنزۇ يېزىقى - + ChineseTraditional مۇرەككەپ خەنزۇ يېزىقى - + Japanese ياپونچە - + Korean كورىيەچە - + Thai تەي - + Turkish تۈرك تىلى - + Vietnamese ۋېيتنامچە - + File not saved ھۆججەت ساقلانمىغان - - - + + + Line Endings قۇر تاشلاش بەلگىسى @@ -705,32 +710,32 @@ ReplaceBar - + Find ئىزدەش - + Replace With غا ئالماشتۇرۇش - + Replace ئالماشتۇرۇش - + Skip ئاتلاش - + Replace Rest قالغانلىرىنى ئالماشتۇرۇش - + Replace All ھەممىنى ئالماشتۇرۇش @@ -747,58 +752,58 @@ Settings - + Standard ئۆلچەملىك - + Customize بەلگىلەش - + Normal نورمال كۆزنەك - + Maximum كىچىكلىتىش - + Fullscreen پۈتۈن ئېكران - + This shortcut conflicts with system shortcut %1 بۇ تېزلەتمە سىستېما تېزلەتمىسى %1 بىلەن توقۇنۇشىدۇ - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately بۇ تېزلەتمە %1 بىلەن توقۇنۇشىدۇ، ئالماشتۇرۇشنى بېسىپ بۇ تېزلەتمنى ئۈنۈملۈك قىلىڭ - - + + The shortcut %1 is invalid, please set another one. %1 ئۈنۈمسىز، قايتا بەلگىلەڭ - + Cancel بىكار قىلىش - + Replace ئالماشتۇرۇش - + OK ھەئە @@ -806,7 +811,7 @@ StartManager - + Untitled %1 %1نىڭ نامىنى ئۆزگەتىش @@ -814,32 +819,32 @@ Tabbar - + Close tab خەتكۈچنى تاقاش - + Close other tabs باشقا خەتكۈچنى تاقاش - + More options تېخىمۇ كۆپ تاقاش ئۇسۇلى - + Close tabs to the left سولدىكى بارلىق خەتكۈچنى تاقاش - + Close tabs to the right ئوڭدىكى بارلىق خەتكۈچنى تاقاش - + Close unmodified tabs ئۆزگەرتىلمىگەن بارلىق خەتكۈچنى تاقاش @@ -847,261 +852,259 @@ TextEdit - + Undo ئەمەلدىن قالدۇرۇش - + Redo قايتا - + Cut چاپلاش - + Copy كۆچۈرۈش - + Paste چاپلاش - + Delete ئۆچۈرۈش - + Select All ھەممىنى - - + + Find ئىزدەش - - + + Replace ئالماشتۇرۇش - + Go to Line سەكرەش - + Turn on Read-Only mode پەقەت ئوقۇيدىغان ھالەتنى ئېچىش - + Turn off Read-Only mode پەقەت ئوقۇيدىغان ھالەتنى تاقاش - + Fullscreen پۈتۈن ئېكران - + Exit fullscreen پۈتۈن ئېكراندىن چېكىنىش - + Display in file manager ھۆججەت باشقۇرغۇچتا كۆرسىتىش - - + + Add Comment ئىزاھات قوشۇش - + Text to Speech تېكىستنى ئاۋازغا ئايلاندۇرۇش - + Stop reading ئوقۇشنى توختىتىش - + Speech to Text ئاۋازنى تېكىستكە ئايلاندۇرۇش - + Translate تەرجىمان - + Column Mode ئىستون تەھرىرلەش ھالىتى - + Add bookmark خەتكۈچ قوشۇش - + Remove Bookmark خەتكۈچ چىقىرىۋېتىش - + Previous bookmark ئالدىنقى خەتكۈچ - + Next bookmark كېيىنكى خەتكۈچ - + Remove All Bookmarks بارلىق خەتكۈچنى چىقىرىۋېتىش - + Fold All بارلىق قاتلامنى قاتلاش - + Fold Current Level ھازىرقى قاتلامنى قاتلاش - + Unfold All بارلىق قاتلامنى ئېچىش - + Unfold Current Level ھازىرقى قاتلامنى ئېچىش - + Color Mark رەڭ بەلگىسى - + Clear All Marks بارلىق بەلگىلەرنى چىقىرىۋېتىش - + Clear Last Mark ئالدىنقى بەلگىنى چىقىرىۋېتىش - + Mark بەلگە قويۇش - + Mark All ھەممىسىگە بەلگە قويۇش - + Remove Comment ئىزاھاتنى بىكار قىلىش - Failed to paste text: it is too large - تېكىست مەزمۇنى كۆپ، چاپلانمىدى - - - + Copy failed: not enough memory ئىچكى ساقلىغۇچ يېتىشمىدى، كۆچۈرەلمىدى - + Press ALT and click lines to edit in column mode ئىستون تەھرىرلەش ھالىتىنى ئالماشتۇرۇش ئۈچۈن ALT بىلەن مائۇسنى ئىشلىتىڭ - + Change Case چوڭ-كىچىك يېزىلىشىنى ئالماشتۇرۇش - + Upper Case چوڭ يېزىلىش - + Lower Case كىچىك يېزىلىش - + Capitalize 1-ھەرپ چوڭ يېزىلسۇن - + None يوق - + Selected line(s) copied تاللانغان قۇر چاپلاش تاختىسىغا كۆچۈرۈلدى - + Current line copied نۆۋەتتىكى قۇر چاپلاش تاختىسىغا كۆچۈرۈلدى - + Selected line(s) clipped تاللانغان قۇر چاپلاش تاختىسىغا كېسىلدى - + Current line clipped نۆۋەتتىكى قۇر چاپلاش تاختىسىغا كېسىلدى - + Paste failed: not enough memory ئىچكى ساقلىغۇچ يېتىشمىدى، چاپلانمىدى - + Read-Only mode is off پەقەت ئوقۇيدىغان ھالەت تاقالدى - - - + + + + + Read-Only mode is on پەقەت ئوقۇيدىغان ھالەتنى ئېچىلدى @@ -1109,7 +1112,7 @@ WarningNotices - + Reload قايتا كىرگۈزۈڭ @@ -1117,129 +1120,130 @@ Window - - + + Save as باشقا ساقلاش - + New window يېڭى كۆزنەك - + New tab يېڭى خەتكۈچ - + Open file ئېچىش - - + + Save ساقلاش - + Print بېسىش - + Switch theme ئۇسلۇب ئالماشتۇرۇش - - + + Settings تەڭشەك - - + + Read-Only پەقەت ئوقۇيدىغان قىلىش - + You do not have permission to open %1 %1نى ئېچىش ھوقۇقىڭىز يوق - + + Invalid file: %1 ئۈنۈمسىز ھۆججەت: %1 - - + + Do you want to save this file? بۇ ھۆججەتنى ساقلامسىز؟ - + You do not have permission to save %1 %1نى ساقلاش ھوقۇقىڭىز يوق - + Saved successfully ھۆججەت ساقلاندى - - - + + + Save File ساقلاش - + Encoding كودلاش - + Read-Only mode is on پەقەت ئوقۇيدىغان ھالەتنى ئېچىلدى - + Current location remembered نۆۋەتتىكى ئورۇن ئەستە ساقلاندى - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor تەھرىرلەش - + Untitled %1 %1نىڭ نامىنى ئۆزگەتىش - + Cancel بىكار قىلىش - + Discard ساقلىمايمەن diff --git a/translations/deepin-editor_uk.ts b/translations/deepin-editor_uk.ts index 76aaab2e..481c2874 100644 --- a/translations/deepin-editor_uk.ts +++ b/translations/deepin-editor_uk.ts @@ -2,17 +2,17 @@ BottomBar - + Row Рядок - + Column Стовпчик - + Characters %1 %1 символів @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None Ніякий @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save Зберегти - + Do you want to save this file? Хочете зберегти цей файл? - - + + Cancel Скасувати - + Encoding changed. Do you want to save the file now? Кодування змінено. Хочете зберегти файл зараз? - + Discard Відкинути - + You do not have permission to save %1 У вас немає прав на збереження %1 - + File removed on the disk. Save it now? Файл вилучено з диска. Зберегти його? - + File has changed on disk. Reload? Файл на диску був змінений. Перезавантажити? - - + + INSERT ВСТАВЛЯТИ - + OVERWRITE ПЕРЕЗАПИСУВАТИ - + R/O ЛИШЕ ЧИТАННЯ + + + The file cannot be read, which may be too large or has been damaged! + + FindBar - + Find Знайти - + Previous Попереднє - + Next Наступне @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: Перейти до рядка: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. Текстовий редактор є потужним інструментом для перегляду та редагування текстових файлів. - + Text Editor Текстовий редактор @@ -132,572 +137,572 @@ QObject - + Text Editor Текстовий редактор - - - - - - + + + + + + Encoding Кодування - + Basic Базові - + Font Style Стиль шрифту - + Font Шрифт - + Font Size Розмір шрифту - + Shortcuts Сполучення клавіш - - + + Keymap Розкладка - - - + + + Window Вікно - + New tab Нова вкладка - + New window Нове вікно - + Save Зберегти - + Save as Зберегти як - + Next tab Наступна вкладка - + Previous tab Попередня вкладка - + Close tab Закрити вкладку - + Close other tabs Закрити інші вкладки - + Restore tab Відновити вкладку - + Open file Відкрити файл - + Increment font size Збільшити розмір шрифту - + Decrement font size Зменшити розмір шрифту - + Reset font size Відновити початковий розмір шрифту - + Help Довідка - + Toggle fullscreen Увімкнути/вимкнути повноекранний режим - + Find Знайти - + Replace Замінити - + Go to line Перейти до рядка - + Save cursor position Зберегти розташування курсора - + Reset cursor position Скинути розташування курсора - + Exit Вийти - + Display shortcuts Показати сполучення клавіш - + Print Друк - + Editor Редактор - + Increase indent Збільшити відступ - + Decrease indent Зменшити відступ - + Forward character Вперед на символ - + Backward character Назад на символ - + Forward word Вперед на слово - + Backward word Назад на слово - + Next line Наступний рядок - + Previous line Попередній рядок - + New line Новий рядок - + New line above Новий рядок вище - + New line below Новий рядок нижче - + Duplicate line Дублювати рядок - + Delete to end of line Видалити до кінця рядка - + Delete current line Видалити поточний рядок - + Swap line up Поміняти місцями з рядком вище - + Swap line down Поміняти місцями з рядком нижче - + Scroll up one line Прокрутити вище на рядок - + Scroll down one line Прокрутити нижче на рядок - + Page up На сторінку вгору - + Page down На сторінку вниз - + Move to end of line Перейти до кінця рядка - + Move to start of line Перейти до початку рядка - + Move to end of text Перейти до кінця тексту - + Move to start of text Перейти до початку тексту - + Move to line indentation Перейти до відступу рядка - + Upper case Верхній регістр - + Lower case Нижній регістр - + Capitalize Великі перші літери - + Delete backward word Вилучити слово назад - + Delete forward word Вилучити слово вперед - + Forward over a pair Вперед через пару - + Backward over a pair Назад через пару - + Select all Вибрати все - + Copy Копіювати - + Cut Вирізати - + Paste Вставити - + Transpose character Транспонувати символ - + Mark Позначити - + Unmark Зняти позначку - + Copy line Копіювати рядок - + Cut line Вирізати рядок - + Merge lines Об'єднати рядки - + Read-Only mode Режим лише для читання - + Add comment Додати коментування - + Remove comment Вилучити коментар - + Undo Скасувати - + Redo Повторити - + Add/Remove bookmark Додати або вилучити закладку - + Move to previous bookmark Перейти до попередньої закладки - + Move to next bookmark Перейти до наступної закладки - + Advanced Розширені - + Window size Розмір вікна - + Tab width Ширина табуляції - + Word wrap Перенесення рядків - + Code folding flag Прапорець згортання коду - + Show line numbers Показувати номери рядків - + Show bookmarks icon Показувати піктограму закладок - + Show whitespaces and tabs Показувати пробіли і табуляції - + Highlight current line Підсвічувати поточний рядок - + Color mark Кольорова позначка - + Unicode Юнікод - + WesternEuropean Західноевропейське - + CentralEuropean Центральноєвропейське - + Baltic Балтійське - + Cyrillic Кириличне - + Arabic Арабська - + Celtic Кельтське - + SouthEasternEuropean Південно-східноєвропейське - + Greek Грецька - + Hebrew Іврит - + ChineseSimplified Китайське спрощене - + ChineseTraditional Китайське традиційне - + Japanese Японська - + Korean Корейська - + Thai Тайська - + Turkish Турецька - + Vietnamese В'єтнамська - + File not saved Файл не збережено - - - + + + Line Endings Символ закінчення рядка @@ -705,32 +710,32 @@ ReplaceBar - + Find Знайти - + Replace With Замінити на - + Replace Замінити - + Skip Пропустити - + Replace Rest Замінити решту - + Replace All Замінити все @@ -747,58 +752,58 @@ Settings - + Standard Стандартна - + Customize Налаштувати - + Normal Звичайний - + Maximum Максимум - + Fullscreen На весь екран - + This shortcut conflicts with system shortcut %1 Це клавіатурне скорочення конфліктує із загальносистемним скороченням %1 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately Це клавіатурне скорочення конфліктує з %1. Натисніть кнопку «Замінити», щоб це клавіатурне скорочення набуло чинності негайно. - - + + The shortcut %1 is invalid, please set another one. Скорочення %1 є некоректним. Будь ласка, встановіть інше. - + Cancel Скасувати - + Replace Замінити - + OK Гаразд @@ -806,7 +811,7 @@ StartManager - + Untitled %1 Без назви %1 @@ -814,32 +819,32 @@ Tabbar - + Close tab Закрити вкладку - + Close other tabs Закрити інші вкладки - + More options Додаткові параметри - + Close tabs to the left Закрити вкладки ліворуч - + Close tabs to the right Закрити вкладки праворуч - + Close unmodified tabs Закрити вкладки без змін @@ -847,261 +852,259 @@ TextEdit - + Undo Скасувати - + Redo Повторити - + Cut Вирізати - + Copy Копіювати - + Paste Вставити - + Delete Видалити - + Select All Вибрати все - - + + Find Знайти - - + + Replace Замінити - + Go to Line Перейти до рядка - + Turn on Read-Only mode Увімкнути режим лише для читання - + Turn off Read-Only mode Вимкнути режим лише для читання - + Fullscreen На весь екран - + Exit fullscreen Вийти з повноекранного режиму - + Display in file manager Показати у файловому менеджері - - + + Add Comment Додати коментування - + Text to Speech Озвучення тексту - + Stop reading Припинити читання - + Speech to Text Перетворення звуку на текст - + Translate Перекласти - + Column Mode Режим стовпчиків - + Add bookmark Додати закладку - + Remove Bookmark Вилучити закладку - + Previous bookmark Попередня закладка - + Next bookmark Наступна закладка - + Remove All Bookmarks Вилучити усі закладки - + Fold All Згорнути усе - + Fold Current Level Згорнути поточний рівень - + Unfold All Розгорнути усе - + Unfold Current Level Розгорнути поточний рівень - + Color Mark Кольорова позначка - + Clear All Marks Вилучити усі позначки - + Clear Last Mark Вилучити останню позначку - + Mark Позначити - + Mark All Позначити усе - + Remove Comment Вилучити коментування - Failed to paste text: it is too large - Не вдалося вставити текст: текст є надто великим - - - + Copy failed: not enough memory Не вдалося скопіювати: недостатньо пам'яті - + Press ALT and click lines to edit in column mode Натисніть клавішу Alt і клацайте на рядках, щоб редагувати текст у режимі стовпчиків - + Change Case Змінити регістр - + Upper Case Верхній регістр - + Lower Case Нижній регістр - + Capitalize Починати з великої літери - + None Ніякий - + Selected line(s) copied Вибрані рядки(ок) скопійовано - + Current line copied Поточний рядок скопійовано - + Selected line(s) clipped Вибрані рядки(ок) вирізано - + Current line clipped Поточний рядок вирізано - + Paste failed: not enough memory Не вдалося вставити: недостатньо пам'яті - + Read-Only mode is off Режим лише для читання вимкнено - - - + + + + + Read-Only mode is on Режим лише для читання увімкнено @@ -1109,7 +1112,7 @@ WarningNotices - + Reload Перезавантажити @@ -1117,129 +1120,130 @@ Window - - + + Save as Зберегти як - + New window Нове вікно - + New tab Нова вкладка - + Open file Відкрити файл - - + + Save Зберегти - + Print Друк - + Switch theme Змінити тему - - + + Settings Налаштування - - + + Read-Only Лише читання - + You do not have permission to open %1 У вас немає прав на відкриття %1 - + + Invalid file: %1 Некоректний файл: %1 - - + + Do you want to save this file? Хочете зберегти цей файл? - + You do not have permission to save %1 У вас немає прав на збереження %1 - + Saved successfully Успішно збережено - - - + + + Save File Зберегти файл - + Encoding Кодування - + Read-Only mode is on Режим лише для читання увімкнено - + Current location remembered Програма запам'ятала поточне місце - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor Редактор - + Untitled %1 Без назви %1 - + Cancel Скасувати - + Discard Відкинути diff --git a/translations/deepin-editor_zh_CN.ts b/translations/deepin-editor_zh_CN.ts index 35e15a8a..324f6604 100644 --- a/translations/deepin-editor_zh_CN.ts +++ b/translations/deepin-editor_zh_CN.ts @@ -2,17 +2,17 @@ BottomBar - + Row - + Column - + Characters %1 字数 %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save 保存 - + Do you want to save this file? 您是否要保存此文件? - - + + Cancel 取消 - + Encoding changed. Do you want to save the file now? 文件编码已更改,是否先进行保存? - + Discard 不保存 - + You do not have permission to save %1 您没有权限保存%1 - + File removed on the disk. Save it now? 磁盘中的原文件已被移除,是否另存? - + File has changed on disk. Reload? - 磁盘中的原文件已被修改,是否重新载入? + 磁盘中的原文件已被修改,是否重新载入? - - + + INSERT 插入 - + OVERWRITE 覆盖 - + R/O 只读 + + + The file cannot be read, which may be too large or has been damaged! + 无法读取该文件,文件可能过大或损坏 + FindBar - + Find 查找 - + Previous 上一个 - + Next 下一个 @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: 跳到行: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. 文本编辑器是一款用来查看和编辑文本文件的工具。 - + Text Editor 文本编辑器 @@ -132,572 +137,572 @@ QObject - + Text Editor 文本编辑器 - - - - - - + + + + + + Encoding 编码 - + Basic 基础设置 - + Font Style 字体样式 - + Font 字体 - + Font Size 字号 - + Shortcuts 快捷键 - - + + Keymap 快捷键映射 - - - + + + Window 窗口 - + New tab 新标签页 - + New window 新窗口 - + Save 保存 - + Save as 另存为 - + Next tab 下一个标签页 - + Previous tab 上一个标签页 - + Close tab 关闭标签页 - + Close other tabs 关闭其他标签页 - + Restore tab 恢复标签页 - + Open file 打开文件 - + Increment font size 放大字号 - + Decrement font size 缩小字号 - + Reset font size 还原字号 - + Help 帮助 - + Toggle fullscreen 切换全屏 - + Find 查找 - + Replace 替换 - + Go to line 跳到行 - + Save cursor position 保存光标位置 - + Reset cursor position 跳转到保存光标位置 - + Exit 退出 - + Display shortcuts 显示快捷键 - + Print 打印 - + Editor 编辑 - + Increase indent 增加缩进 - + Decrease indent 减少缩进 - + Forward character 右移一个字符 - + Backward character 左移一个字符 - + Forward word 右移一个词 - + Backward word 左移一个词 - + Next line 下一行 - + Previous line 上一行 - + New line 换行 - + New line above 向上插入一行 - + New line below 向下插入一行 - + Duplicate line 复制并粘贴当前行 - + Delete to end of line 删除到行尾 - + Delete current line 删除当前行 - + Swap line up 上移一行 - + Swap line down 下移一行 - + Scroll up one line 向上滚动一行 - + Scroll down one line 向下滚动一行 - + Page up 向上滚动一页 - + Page down 向下滚动一页 - + Move to end of line 移动到行尾 - + Move to start of line 移动到行头 - + Move to end of text 移动到文本结尾 - + Move to start of text 移动到文本开头 - + Move to line indentation 移动到行缩进 - + Upper case 转换为大写 - + Lower case 转换为小写 - + Capitalize 首字母大写 - + Delete backward word 向左删除一个词 - + Delete forward word 向右删除一个词 - + Forward over a pair 向右匹配 - + Backward over a pair 向左匹配 - + Select all 全选 - + Copy 复制 - + Cut 剪切 - + Paste 粘贴 - + Transpose character 调换字符 - + Mark 设置标记 - + Unmark 取消标记 - + Copy line 复制行 - + Cut line 剪切行 - + Merge lines 合并行 - + Read-Only mode 切换到只读模式 - + Add comment 添加注释 - + Remove comment 取消注释 - + Undo 撤销 - + Redo 重做 - + Add/Remove bookmark 添加/清除书签 - + Move to previous bookmark 跳转到上一个书签 - + Move to next bookmark 跳转到下一个书签 - + Advanced 高级设置 - + Window size 窗口状态 - + Tab width Tab字符宽度 - + Word wrap 自动换行 - + Code folding flag 显示代码折叠标志 - + Show line numbers 显示行号 - + Show bookmarks icon 显示书签图标 - + Show whitespaces and tabs 显示空白字符/制表符 - + Highlight current line 当前行高亮 - + Color mark 颜色标记 - + Unicode Unicode - + WesternEuropean 西欧语系 - + CentralEuropean 中欧语系 - + Baltic 波罗的海语言 - + Cyrillic 西里尔文 - + Arabic 阿拉伯语 - + Celtic 凯尔特语 - + SouthEasternEuropean 东南欧语系 - + Greek 希腊语 - + Hebrew 希伯来语 - + ChineseSimplified 简体中文 - + ChineseTraditional 繁体中文 - + Japanese 日语 - + Korean 韩语 - + Thai 泰语 - + Turkish 土耳其语 - + Vietnamese 越南语 - + File not saved 文件未保存 - - - + + + Line Endings 换行符 @@ -705,32 +710,32 @@ ReplaceBar - + Find 查找 - + Replace With 替换为 - + Replace 替换 - + Skip 跳过 - + Replace Rest 剩余替换 - + Replace All 全部替换 @@ -747,58 +752,58 @@ Settings - + Standard 标准 - + Customize 自定义 - + Normal 正常窗口 - + Maximum 最大化 - + Fullscreen 全屏 - + This shortcut conflicts with system shortcut %1 此快捷键与系统快捷键%1冲突 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately 此快捷键与%1冲突,点击替换使这个快捷键立即生效 - - + + The shortcut %1 is invalid, please set another one. %1为无效快捷键,请重新设置 - + Cancel 取消 - + Replace 替换 - + OK 确定 @@ -806,7 +811,7 @@ StartManager - + Untitled %1 未命名文档%1 @@ -814,32 +819,32 @@ Tabbar - + Close tab 关闭标签页 - + Close other tabs 关闭其他标签页 - + More options 更多关闭方式 - + Close tabs to the left 关闭左侧所有标签页 - + Close tabs to the right 关闭右侧所有标签页 - + Close unmodified tabs 关闭所有未修改标签页 @@ -847,261 +852,259 @@ TextEdit - + Undo 撤销 - + Redo 重做 - + Cut 剪切 - + Copy 复制 - + Paste 粘贴 - + Delete 删除 - + Select All 全选 - - + + Find 查找 - - + + Replace 替换 - + Go to Line 跳到行 - + Turn on Read-Only mode 开启只读模式 - + Turn off Read-Only mode 关闭只读模式 - + Fullscreen 全屏 - + Exit fullscreen 退出全屏 - + Display in file manager 在文件管理器中显示 - - + + Add Comment 添加注释 - + Text to Speech 语音朗读 - + Stop reading 停止朗读 - + Speech to Text 语音听写 - + Translate 文本翻译 - + Column Mode 列编辑模式 - + Add bookmark 添加书签 - + Remove Bookmark 清除书签 - + Previous bookmark 上一个书签 - + Next bookmark 下一个书签 - + Remove All Bookmarks 清除所有书签 - + Fold All 折叠所有层次 - + Fold Current Level 折叠当前层次 - + Unfold All 展开所有层次 - + Unfold Current Level 展开当前层次 - + Color Mark 颜色标记 - + Clear All Marks 清除所有标记 - + Clear Last Mark 清除上次标记 - + Mark 添加标记 - + Mark All 标记所有 - + Remove Comment 取消注释 - Failed to paste text: it is too large - 文本内容过大,粘贴失败 - - - + Copy failed: not enough memory 内存不足,复制失败 - + Press ALT and click lines to edit in column mode 请使用ALT+鼠标点选切换列编辑模式 - + Change Case 切换大小写 - + Upper Case 大写 - + Lower Case 小写 - + Capitalize 首字母大写 - + None - + Selected line(s) copied 已复制选中行到剪贴板 - + Current line copied 已复制当前行到剪贴板 - + Selected line(s) clipped 已剪切选中行到剪贴板 - + Current line clipped 已剪切当前行到剪贴板 - + Paste failed: not enough memory 内存不足,粘贴失败 - + Read-Only mode is off 只读模式已关闭 - - - + + + + + Read-Only mode is on 只读模式已开启 @@ -1109,7 +1112,7 @@ WarningNotices - + Reload 重新载入 @@ -1117,129 +1120,130 @@ Window - - + + Save as 另存为 - + New window 新窗口 - + New tab 新标签页 - + Open file 打开文件 - - + + Save 保存 - + Print 打印 - + Switch theme 切换主题 - - + + Settings 设置 - - + + Read-Only 只读 - + You do not have permission to open %1 您没有权限打开%1 - + + Invalid file: %1 无效文件:%1 - - + + Do you want to save this file? 您是否要保存此文件? - + You do not have permission to save %1 您没有权限保存%1 - + Saved successfully 文件已保存 - - - + + + Save File 保存 - + Encoding 编码 - + Read-Only mode is on 只读模式已开启 - + Current location remembered 已记住当前位置 - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor 编辑 - + Untitled %1 未命名文档%1 - + Cancel 取消 - + Discard 不保存 diff --git a/translations/deepin-editor_zh_HK.ts b/translations/deepin-editor_zh_HK.ts index 14d79c42..b903aca9 100644 --- a/translations/deepin-editor_zh_HK.ts +++ b/translations/deepin-editor_zh_HK.ts @@ -2,17 +2,17 @@ BottomBar - + Row - + Column - + Characters %1 字數 %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save 保存 - + Do you want to save this file? 您是否要保存此文件? - - + + Cancel 取消 - + Encoding changed. Do you want to save the file now? 文件編碼已更改,是否先進行保存? - + Discard 不保存 - + You do not have permission to save %1 您沒有權限保存%1 - + File removed on the disk. Save it now? 磁盤中的原文件已被移除,是否另存? - + File has changed on disk. Reload? 磁盤中的原文件已被修改,是否重新載入? - - + + INSERT 插入 - + OVERWRITE 覆蓋 - + R/O 只讀 + + + The file cannot be read, which may be too large or has been damaged! + 無法讀取該文件,文件可能過大或損壞 + FindBar - + Find 查找 - + Previous 上一個 - + Next 下一個 @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: 跳到行: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. 文本編輯器是一款用來查看和編輯文本文件的工具。 - + Text Editor 文本編輯器 @@ -132,572 +137,572 @@ QObject - + Text Editor 文本編輯器 - - - - - - + + + + + + Encoding 編碼 - + Basic 基礎設置 - + Font Style 字體樣式 - + Font 字體 - + Font Size 字號 - + Shortcuts 快捷鍵 - - + + Keymap 快捷鍵映射 - - - + + + Window 窗口 - + New tab 新標籤頁 - + New window 新窗口 - + Save 保存 - + Save as 另存為 - + Next tab 下一個標籤頁 - + Previous tab 上一個標籤頁 - + Close tab 關閉標籤頁 - + Close other tabs 關閉其他標籤頁 - + Restore tab 恢復標籤頁 - + Open file 打開文件 - + Increment font size 放大字號 - + Decrement font size 縮小字號 - + Reset font size 還原字號 - + Help 幫助 - + Toggle fullscreen 切換全屏 - + Find 查找 - + Replace 替換 - + Go to line 跳到行 - + Save cursor position 保存光標位置 - + Reset cursor position 跳轉到保存光標位置 - + Exit 退出 - + Display shortcuts 顯示快捷鍵 - + Print 打印 - + Editor 編輯 - + Increase indent 增加縮進 - + Decrease indent 減少縮進 - + Forward character 右移一個字符 - + Backward character 左移一個字符 - + Forward word 右移一個詞 - + Backward word 左移一個詞 - + Next line 下一行 - + Previous line 上一行 - + New line 換行 - + New line above 向上插入一行 - + New line below 向下插入一行 - + Duplicate line 複製並黏貼當前行 - + Delete to end of line 刪除到行尾 - + Delete current line 刪除當前行 - + Swap line up 上移一行 - + Swap line down 下移一行 - + Scroll up one line 向上滾動一行 - + Scroll down one line 向下滾動一行 - + Page up 向上滾動一頁 - + Page down 向下滾動一頁 - + Move to end of line 移動到行尾 - + Move to start of line 移動到行頭 - + Move to end of text 移動到文本結尾 - + Move to start of text 移動到文本開頭 - + Move to line indentation 移動到行縮進 - + Upper case 轉換為大寫 - + Lower case 轉換為小寫 - + Capitalize 首字母大寫 - + Delete backward word 向左刪除一個詞 - + Delete forward word 向右刪除一個詞 - + Forward over a pair 向右匹配 - + Backward over a pair 向左匹配 - + Select all 全選 - + Copy 複製 - + Cut 剪切 - + Paste 黏貼 - + Transpose character 調換字符 - + Mark 設置標記 - + Unmark 取消標記 - + Copy line 複製行 - + Cut line 剪切行 - + Merge lines 合併行 - + Read-Only mode 切換到只讀模式 - + Add comment 添加注釋 - + Remove comment 取消注釋 - + Undo 撤銷 - + Redo 重做 - + Add/Remove bookmark 添加/清除書籤 - + Move to previous bookmark 跳轉到上一個書籤 - + Move to next bookmark 跳轉到下一個書籤 - + Advanced 高級設置 - + Window size 窗口狀態 - + Tab width Tab字符寬度 - + Word wrap 自動換行 - + Code folding flag 顯示代碼摺疊標誌 - + Show line numbers 顯示行號 - + Show bookmarks icon 顯示書籤圖標 - + Show whitespaces and tabs 顯示空白字符/制表符 - + Highlight current line 當前行高亮 - + Color mark 顏色標記 - + Unicode Unicode - + WesternEuropean 西歐語系 - + CentralEuropean 中歐語系 - + Baltic 波羅的海語言 - + Cyrillic 西里爾文 - + Arabic 阿拉伯語 - + Celtic 凱爾特語 - + SouthEasternEuropean 東南歐語系 - + Greek 希臘語 - + Hebrew 希伯來語 - + ChineseSimplified 簡體中文 - + ChineseTraditional 繁體中文 - + Japanese 日語 - + Korean 韓語 - + Thai 泰語 - + Turkish 土耳其語 - + Vietnamese 越南語 - + File not saved 文件未保存 - - - + + + Line Endings 換行符 @@ -705,32 +710,32 @@ ReplaceBar - + Find 查找 - + Replace With 替換為 - + Replace 替換 - + Skip 跳過 - + Replace Rest 剩餘替換 - + Replace All 全部替換 @@ -747,58 +752,58 @@ Settings - + Standard 標準 - + Customize 自定義 - + Normal 正常窗口 - + Maximum 最大化 - + Fullscreen 全屏 - + This shortcut conflicts with system shortcut %1 此快捷鍵與系統快捷鍵%1衝突 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately 此快捷鍵與%1衝突,點擊替換使這個快捷鍵立即生效 - - + + The shortcut %1 is invalid, please set another one. %1為無效快捷鍵,請重新設置 - + Cancel 取消 - + Replace 替換 - + OK 確定 @@ -806,7 +811,7 @@ StartManager - + Untitled %1 未命名文檔%1 @@ -814,32 +819,32 @@ Tabbar - + Close tab 關閉標籤頁 - + Close other tabs 關閉其他標籤頁 - + More options 更多關閉方式 - + Close tabs to the left 關閉左側所有標籤頁 - + Close tabs to the right 關閉右側所有標籤頁 - + Close unmodified tabs 關閉所有未修改標籤頁 @@ -847,261 +852,259 @@ TextEdit - + Undo 撤銷 - + Redo 重做 - + Cut 剪切 - + Copy 複製 - + Paste 黏貼 - + Delete 刪除 - + Select All 全選 - - + + Find 查找 - - + + Replace 替換 - + Go to Line 跳到行 - + Turn on Read-Only mode 開啟只讀模式 - + Turn off Read-Only mode 關閉只讀模式 - + Fullscreen 全屏 - + Exit fullscreen 退出全屏 - + Display in file manager 在檔案管理員中顯示 - - + + Add Comment 添加注釋 - + Text to Speech 語音朗讀 - + Stop reading 停止朗讀 - + Speech to Text 語音聽寫 - + Translate 文本翻譯 - + Column Mode 列編輯模式 - + Add bookmark 添加書籤 - + Remove Bookmark 清除書籤 - + Previous bookmark 上一個書籤 - + Next bookmark 下一個書籤 - + Remove All Bookmarks 清除所有書籤 - + Fold All 摺疊所有層次 - + Fold Current Level 摺疊當前層次 - + Unfold All 展開所有層次 - + Unfold Current Level 展開當前層次 - + Color Mark 顏色標記 - + Clear All Marks 清除所有標記 - + Clear Last Mark 清除上次標記 - + Mark 設置標記 - + Mark All 標記所有 - + Remove Comment 取消注釋 - Failed to paste text: it is too large - 文本內容過大,黏貼失敗 - - - + Copy failed: not enough memory 內存不足,複製失敗 - + Press ALT and click lines to edit in column mode 請使用ALT+鼠標點選切換列編輯模式 - + Change Case 切換大小寫 - + Upper Case 大寫 - + Lower Case 小寫 - + Capitalize 首字母大寫 - + None - + Selected line(s) copied 已複製選中行到剪貼板 - + Current line copied 已複製當前行到剪貼板 - + Selected line(s) clipped 已剪切選中行到剪貼板 - + Current line clipped 已剪切當前行到剪貼板 - + Paste failed: not enough memory 內存不足,黏貼失敗 - + Read-Only mode is off 只讀模式已關閉 - - - + + + + + Read-Only mode is on 只讀模式已開啟 @@ -1109,7 +1112,7 @@ WarningNotices - + Reload 重新載入 @@ -1117,129 +1120,130 @@ Window - - + + Save as 另存為 - + New window 新窗口 - + New tab 新標籤頁 - + Open file 打開文件 - - + + Save 保存 - + Print 打印 - + Switch theme 切換主題 - - + + Settings 設置 - - + + Read-Only 只讀 - + You do not have permission to open %1 您沒有權限打開%1 - + + Invalid file: %1 無效文件:%1 - - + + Do you want to save this file? 您是否要保存此文件? - + You do not have permission to save %1 您沒有權限保存%1 - + Saved successfully 文件已保存 - - - + + + Save File 保存 - + Encoding 編碼 - + Read-Only mode is on 只讀模式已開啟 - + Current location remembered 已記住當前位置 - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor 編輯 - + Untitled %1 未命名文檔%1 - + Cancel 取消 - + Discard 不保存 diff --git a/translations/deepin-editor_zh_TW.ts b/translations/deepin-editor_zh_TW.ts index cf03fa36..50459085 100644 --- a/translations/deepin-editor_zh_TW.ts +++ b/translations/deepin-editor_zh_TW.ts @@ -2,17 +2,17 @@ BottomBar - + Row - + Column - + Characters %1 字數 %1 @@ -20,9 +20,9 @@ DDropdownMenu - - - + + + None @@ -30,80 +30,85 @@ EditWrapper - - - - + + + + Save 儲存 - + Do you want to save this file? 是否儲存此檔案? - - + + Cancel 取消 - + Encoding changed. Do you want to save the file now? 文件編碼已更改,是否先進行儲存? - + Discard 捨棄 - + You do not have permission to save %1 您沒有權限儲存 %1 - + File removed on the disk. Save it now? 磁碟上的檔案已被移除。是否現在儲存? - + File has changed on disk. Reload? 磁碟上的檔案已被更改。是否重新載入? - - + + INSERT 插入 - + OVERWRITE 覆寫 - + R/O 唯讀 + + + The file cannot be read, which may be too large or has been damaged! + 無法讀取該文件,文件可能過大或損壞 + FindBar - + Find 尋找 - + Previous 上一個 - + Next 下一個 @@ -111,7 +116,7 @@ JumpLineBar - + Go to Line: 前往該行: @@ -119,12 +124,12 @@ MainWindow - + Text Editor is a powerful tool for viewing and editing text files. 文字編輯器是一款用來查看和編輯文字文件的工具。 - + Text Editor 文字編輯器 @@ -132,572 +137,572 @@ QObject - + Text Editor 文字編輯器 - - - - - - + + + + + + Encoding 編碼方式 - + Basic 基本 - + Font Style 字體樣式 - + Font 字體 - + Font Size 字體大小 - + Shortcuts 快捷鍵 - - + + Keymap 按鍵映射 - - - + + + Window 視窗 - + New tab 建立新標籤頁 - + New window 建立新視窗 - + Save 儲存 - + Save as 另存新檔 - + Next tab 下一個標籤頁 - + Previous tab 上一個標籤頁 - + Close tab 關閉標籤頁 - + Close other tabs 關閉其他標籤頁 - + Restore tab 還原標籤頁 - + Open file 開啟檔案 - + Increment font size 放大字體 - + Decrement font size 縮小字體 - + Reset font size 重設字體大小 - + Help 說明 - + Toggle fullscreen 切換全螢幕 - + Find 尋找 - + Replace 取代 - + Go to line 前往該行 - + Save cursor position 儲存游標位置 - + Reset cursor position 重設游標位置 - + Exit 退出 - + Display shortcuts 顯示快捷鍵 - + Print 列印 - + Editor 編輯器 - + Increase indent 增加縮排 - + Decrease indent 減少縮排 - + Forward character 右移字元 - + Backward character 左移字元 - + Forward word 後一個字詞 - + Backward word 前一個字詞 - + Next line 下一行 - + Previous line 上一行 - + New line 換行 - + New line above 於上方換行 - + New line below 於下方換行 - + Duplicate line 複製一行 - + Delete to end of line 刪除至行結尾所有字元 - + Delete current line 刪除目前整行 - + Swap line up 切到上一行 - + Swap line down 切到下一行 - + Scroll up one line 捲到上一行 - + Scroll down one line 捲到下一行 - + Page up 往上一頁 - + Page down 往下一頁 - + Move to end of line 移動到行結尾 - + Move to start of line 移動到行開頭 - + Move to end of text 移動到文字結尾 - + Move to start of text 移動到文字開頭 - + Move to line indentation 移到行縮排區塊 - + Upper case 大寫 - + Lower case 小寫 - + Capitalize 首字母大寫 - + Delete backward word 刪除前一個字詞 - + Delete forward word 刪除後一個字詞 - + Forward over a pair 往後一對 - + Backward over a pair 往前一對 - + Select all 全部選取 - + Copy 複製 - + Cut 剪下 - + Paste 貼上 - + Transpose character 交換字元 - + Mark 標記 - + Unmark 取消標記 - + Copy line 複製一行 - + Cut line 剪下一行 - + Merge lines 合併一行 - + Read-Only mode 唯讀模式 - + Add comment 添加注釋 - + Remove comment 取消注釋 - + Undo 復原 - + Redo 重做 - + Add/Remove bookmark 添加/清除書籤 - + Move to previous bookmark 跳轉到上一個書籤 - + Move to next bookmark 跳轉到下一個書籤 - + Advanced 進階 - + Window size 視窗大小 - + Tab width Tab 寬度 - + Word wrap 文字換行 - + Code folding flag 顯示代碼摺疊標誌 - + Show line numbers 顯示行號 - + Show bookmarks icon 顯示書籤圖標 - + Show whitespaces and tabs 顯示空白字符/制表符 - + Highlight current line 當前行高亮 - + Color mark 顏色標記 - + Unicode Unicode - + WesternEuropean 西歐語系 - + CentralEuropean 中歐語系 - + Baltic 波羅的海語言 - + Cyrillic 西里爾文 - + Arabic 阿拉伯語 - + Celtic 凱爾特語 - + SouthEasternEuropean 東南歐語系 - + Greek 希臘語 - + Hebrew 希伯來語 - + ChineseSimplified 簡體中文 - + ChineseTraditional 繁體中文 - + Japanese 日語 - + Korean 韓語 - + Thai 泰語 - + Turkish 土耳其語 - + Vietnamese 越南語 - + File not saved 文件未儲存 - - - + + + Line Endings 換行符 @@ -705,32 +710,32 @@ ReplaceBar - + Find 尋找 - + Replace With 取代為 - + Replace 取代 - + Skip 跳過 - + Replace Rest 取代剩餘部份 - + Replace All 全部取代 @@ -747,58 +752,58 @@ Settings - + Standard 標準 - + Customize 自訂 - + Normal 一般 - + Maximum 最大 - + Fullscreen 全螢幕 - + This shortcut conflicts with system shortcut %1 此快捷鍵與系統快捷鍵%1衝突 - + This shortcut conflicts with %1, click on Replace to make this shortcut effective immediately 此快捷鍵與%1衝突,點擊替換使這個快捷鍵立即生效 - - + + The shortcut %1 is invalid, please set another one. %1為無效快捷鍵,請重新設定 - + Cancel 取消 - + Replace 取代 - + OK 確定 @@ -806,7 +811,7 @@ StartManager - + Untitled %1 未命名文件%1 @@ -814,32 +819,32 @@ Tabbar - + Close tab 關閉標籤頁 - + Close other tabs 關閉其他標籤頁 - + More options 更多關閉方式 - + Close tabs to the left 關閉左側所有標籤頁 - + Close tabs to the right 關閉右側所有標籤頁 - + Close unmodified tabs 關閉所有未修改標籤頁 @@ -847,261 +852,259 @@ TextEdit - + Undo 復原 - + Redo 重做 - + Cut 剪下 - + Copy 複製 - + Paste 貼上 - + Delete 刪除 - + Select All 全部選取 - - + + Find 尋找 - - + + Replace 取代 - + Go to Line 前往該行 - + Turn on Read-Only mode 開啟唯讀模式 - + Turn off Read-Only mode 關閉唯讀模式 - + Fullscreen 全螢幕 - + Exit fullscreen 退出全螢幕 - + Display in file manager 在檔案管理器中顯示 - - + + Add Comment 添加注釋 - + Text to Speech 語音朗讀 - + Stop reading 停止朗讀 - + Speech to Text 語音聽寫 - + Translate 文字翻譯 - + Column Mode 列編輯模式 - + Add bookmark 添加書籤 - + Remove Bookmark 清除書籤 - + Previous bookmark 上一個書籤 - + Next bookmark 下一個書籤 - + Remove All Bookmarks 清除所有書籤 - + Fold All 摺疊所有層次 - + Fold Current Level 摺疊當前層次 - + Unfold All 展開所有層次 - + Unfold Current Level 展開當前層次 - + Color Mark 顏色標記 - + Clear All Marks 清除所有標記 - + Clear Last Mark 清除上次標記 - + Mark 標記 - + Mark All 標記所有 - + Remove Comment 取消注釋 - Failed to paste text: it is too large - 文字內容過大,貼上失敗 - - - + Copy failed: not enough memory 記憶體不足,複製失敗 - + Press ALT and click lines to edit in column mode 請使用ALT+滑鼠點選切換列編輯模式 - + Change Case 變更大小寫 - + Upper Case 大寫 - + Lower Case 小寫 - + Capitalize 首字母大寫 - + None - + Selected line(s) copied 已複製選中行到剪貼簿 - + Current line copied 已複製目前行到剪貼簿 - + Selected line(s) clipped 已剪下選中行到剪貼簿 - + Current line clipped 已剪下目前行到剪貼簿 - + Paste failed: not enough memory 記憶體不足,貼上失敗 - + Read-Only mode is off 唯讀模式已關閉 - - - + + + + + Read-Only mode is on 唯讀模式已開啟 @@ -1109,7 +1112,7 @@ WarningNotices - + Reload 重新載入 @@ -1117,129 +1120,130 @@ Window - - + + Save as 另存新檔 - + New window 建立新視窗 - + New tab 建立新標籤頁 - + Open file 開啟檔案 - - + + Save 儲存 - + Print 列印 - + Switch theme 切換主題 - - + + Settings 設定 - - + + Read-Only 唯讀 - + You do not have permission to open %1 您沒有權限開啟 %1 - + + Invalid file: %1 無效檔案:%1 - - + + Do you want to save this file? 是否儲存此檔案? - + You do not have permission to save %1 您沒有權限儲存 %1 - + Saved successfully 儲存成功 - - - + + + Save File 儲存檔案 - + Encoding 編碼方式 - + Read-Only mode is on 唯讀模式已開啟 - + Current location remembered 已記住目前位置 - + Ctrl+'=' Ctrl+'=' - + Ctrl+'-' Ctrl+'-' - + Editor 編輯器 - + Untitled %1 未命名文件%1 - + Cancel 取消 - + Discard 捨棄