diff --git a/bin/locale/cs_CZ.qm b/bin/locale/cs_CZ.qm index b7808e0dd..919086cd0 100644 Binary files a/bin/locale/cs_CZ.qm and b/bin/locale/cs_CZ.qm differ diff --git a/scripts/translations.sh b/scripts/translations.sh index a130bd136..4f691bc63 100755 --- a/scripts/translations.sh +++ b/scripts/translations.sh @@ -1,24 +1,12 @@ #!/bin/bash ## circular inclusions workaround - we comment that buggy line -sed -i 's/include(3rdparty/##temp/g' ../src/QupZilla.pro +sed -i 's/include(3rdparty/##temp/g' ../src/src.pro -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/cs_CZ.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/sk_SK.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/nl_NL.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/de_DE.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/es.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/it_IT.ts - -lupdate ../src/QupZilla.pro -no-obsolete -ts ../translations/zh_CN.ts +lupdate ../src/src.pro -no-obsolete ## uncomment it now -sed -i 's/##temp/include(3rdparty/g' ../src/QupZilla.pro +sed -i 's/##temp/include(3rdparty/g' ../src/src.pro read -p "Press [ENTER] to close terminal" exit diff --git a/scripts/translations_safe.sh b/scripts/translations_safe.sh index 580f26e7d..c44a0793b 100755 --- a/scripts/translations_safe.sh +++ b/scripts/translations_safe.sh @@ -1,24 +1,12 @@ #!/bin/bash ## circular inclusions workaround - we comment that buggy line -sed -i 's/include(3rdparty/##temp/g' ../src/QupZilla.pro +sed -i 's/include(3rdparty/##temp/g' ../src/src.pro -lupdate ../src/QupZilla.pro -ts ../translations/cs_CZ.ts - -lupdate ../src/QupZilla.pro -ts ../translations/sk_SK.ts - -lupdate ../src/QupZilla.pro -ts ../translations/nl_NL.ts - -lupdate ../src/QupZilla.pro -ts ../translations/de_DE.ts - -lupdate ../src/QupZilla.pro -ts ../translations/es.ts - -lupdate ../src/QupZilla.pro -ts ../translations/it_IT.ts - -lupdate ../src/QupZilla.pro -ts ../translations/zh_CN.ts +lupdate ../src/src.pro ## uncomment it now -sed -i 's/##temp/include(3rdparty/g' ../src/QupZilla.pro +sed -i 's/##temp/include(3rdparty/g' ../src/src.pro read -p "Press [ENTER] to close terminal" exit diff --git a/src/app/qupzilla.cpp b/src/app/qupzilla.cpp index b1b3d2e61..449931b93 100644 --- a/src/app/qupzilla.cpp +++ b/src/app/qupzilla.cpp @@ -571,7 +571,7 @@ void QupZilla::aboutToShowBookmarksMenu() m_menuBookmarks->addAction(icon, title, this, SLOT(loadActionUrl()))->setData(url); } - QMenu* menuBookmarks= new QMenu(tr("Bookmarks In ToolBar"), m_menuBookmarks); + QMenu* menuBookmarks = new QMenu(tr("Bookmarks In ToolBar"), m_menuBookmarks); menuBookmarks->setIcon(QIcon(style()->standardIcon(QStyle::SP_DirOpenIcon))); query.exec("SELECT title, url, icon FROM bookmarks WHERE folder='bookmarksToolbar'"); diff --git a/src/autofill/autofillmodel.cpp b/src/autofill/autofillmodel.cpp index 6a4fa7db1..dfdde2ead 100644 --- a/src/autofill/autofillmodel.cpp +++ b/src/autofill/autofillmodel.cpp @@ -20,6 +20,7 @@ #include "webview.h" #include "mainapplication.h" #include "autofillnotification.h" +#include "databasewriter.h" AutoFillModel::AutoFillModel(QupZilla* mainClass, QObject* parent) : QObject(parent) @@ -73,7 +74,9 @@ void AutoFillModel::blockStoringfor(const QUrl &url) { QString server = url.host(); QSqlQuery query; - query.exec("INSERT INTO autofill_exceptions (server) VALUES ('" + server + "')"); + query.prepare("INSERT INTO autofill_exceptions (server) VALUES (?)"); + query.addBindValue(server); + mApp->dbWriter()->executeQuery(query); } QString AutoFillModel::getUsername(const QUrl &url) @@ -95,27 +98,27 @@ QString AutoFillModel::getPassword(const QUrl &url) } ///HTTP Authorization -bool AutoFillModel::addEntry(const QUrl &url, const QString &name, const QString &pass) +void AutoFillModel::addEntry(const QUrl &url, const QString &name, const QString &pass) { QSqlQuery query; query.exec("SELECT username FROM autofill WHERE server='" + url.host() + "'"); if (query.next()) { - return false; + return; } query.prepare("INSERT INTO autofill (server, username, password) VALUES (?,?,?)"); query.bindValue(0, url.host()); query.bindValue(1, name); query.bindValue(2, pass); - return query.exec(); + mApp->dbWriter()->executeQuery(query); } ///WEB Form -bool AutoFillModel::addEntry(const QUrl &url, const QByteArray &data, const QString &user, const QString &pass) +void AutoFillModel::addEntry(const QUrl &url, const QByteArray &data, const QString &user, const QString &pass) { QSqlQuery query; query.exec("SELECT data FROM autofill WHERE server='" + url.host() + "'"); if (query.next()) { - return false; + return; } query.prepare("INSERT INTO autofill (server, data, username, password) VALUES (?,?,?,?)"); @@ -123,7 +126,7 @@ bool AutoFillModel::addEntry(const QUrl &url, const QByteArray &data, const QStr query.bindValue(1, data); query.bindValue(2, user); query.bindValue(3, pass); - return query.exec(); + mApp->dbWriter()->executeQuery(query); } void AutoFillModel::completePage(WebView* view) diff --git a/src/autofill/autofillmodel.h b/src/autofill/autofillmodel.h index 2a4ef7958..b19559902 100644 --- a/src/autofill/autofillmodel.h +++ b/src/autofill/autofillmodel.h @@ -41,8 +41,8 @@ public: QString getUsername(const QUrl &url); QString getPassword(const QUrl &url); - bool addEntry(const QUrl &url, const QString &name, const QString &pass); - bool addEntry(const QUrl &url, const QByteArray &data, const QString &user, const QString &pass); + void addEntry(const QUrl &url, const QString &name, const QString &pass); + void addEntry(const QUrl &url, const QByteArray &data, const QString &user, const QString &pass); void post(const QNetworkRequest &request, const QByteArray &outgoingData); diff --git a/src/bookmarks/bookmarksmodel.cpp b/src/bookmarks/bookmarksmodel.cpp index cffe870eb..475adbb07 100644 --- a/src/bookmarks/bookmarksmodel.cpp +++ b/src/bookmarks/bookmarksmodel.cpp @@ -19,6 +19,7 @@ #include "mainapplication.h" #include "webview.h" #include "iconprovider.h" +#include "databasewriter.h" // SQLite DB -> table bookmarks + folders // Unique in bookmarks table is id @@ -131,10 +132,7 @@ bool BookmarksModel::saveBookmark(const QUrl &url, const QString &title, const Q query.bindValue(1, title); query.bindValue(2, folder); query.bindValue(3, IconProvider::iconToBase64(icon)); - - if (!query.exec()) { - return false; - } + mApp->dbWriter()->executeQuery(query); Bookmark bookmark; bookmark.id = query.lastInsertId().toInt(); diff --git a/src/bookmarksimport/bookmarksimportdialog.cpp b/src/bookmarksimport/bookmarksimportdialog.cpp index 374bc9c27..b98bca8a2 100644 --- a/src/bookmarksimport/bookmarksimportdialog.cpp +++ b/src/bookmarksimport/bookmarksimportdialog.cpp @@ -20,6 +20,7 @@ #include "firefoximporter.h" #include "chromeimporter.h" #include "operaimporter.h" +#include "htmlimporter.h" #include "mainapplication.h" #include "iconfetcher.h" #include "networkmanager.h" @@ -38,6 +39,10 @@ BookmarksImportDialog::BookmarksImportDialog(QWidget* parent) connect(ui->chooseFile, SIGNAL(clicked()), this, SLOT(setFile())); connect(ui->cancelButton, SIGNAL(clicked()), this, SLOT(close())); connect(ui->stopButton, SIGNAL(clicked()), this, SLOT(stopDownloading())); + + HtmlImporter html(this); + html.setFile("/home/david/bookmarks.html"); + html.exportBookmarks(); } void BookmarksImportDialog::nextPage() @@ -211,6 +216,19 @@ bool BookmarksImportDialog::exportedOK() } return true; } + else if (m_browser == Html) { + HtmlImporter html(this); + html.setFile(ui->fileLine->text()); + if (html.openFile()) { + m_exportedBookmarks = html.exportBookmarks(); + } + + if (html.error()) { + QMessageBox::critical(this, tr("Error!"), html.errorString()); + return false; + } + return true; + } return false; } @@ -301,6 +319,16 @@ void BookmarksImportDialog::setupBrowser(Browser browser) #endif break; + case Html: + m_browserPixmap = QPixmap(":icons/browsers/html.png"); + m_browserName = "Html Import"; + m_browserBookmarkFile = "*.htm, *.html"; + m_browserFileText = tr("You can import bookmarks from any browser that supports HTML exporting. " + "This file has usually these suffixes"); + m_browserFileText2 = tr("Please choose this file to begin importing bookmarks."); + m_standardDir = ".html, .htm"; + break; + case IE: m_browserPixmap = QPixmap(":icons/browsers/ie.png"); m_browserName = "Internet Explorer"; diff --git a/src/bookmarksimport/bookmarksimportdialog.h b/src/bookmarksimport/bookmarksimportdialog.h index e46943785..f712068ca 100644 --- a/src/bookmarksimport/bookmarksimportdialog.h +++ b/src/bookmarksimport/bookmarksimportdialog.h @@ -51,7 +51,7 @@ private slots: void loadFinished(); private: - enum Browser { Firefox = 0, Chrome = 1, Opera = 2, IE = 3}; + enum Browser { Firefox = 0, Chrome = 1, Opera = 2, Html = 3, IE = 4}; void setupBrowser(Browser browser); bool exportedOK(); diff --git a/src/bookmarksimport/bookmarksimportdialog.ui b/src/bookmarksimport/bookmarksimportdialog.ui index 8b2730c3e..12c7b102a 100644 --- a/src/bookmarksimport/bookmarksimportdialog.ui +++ b/src/bookmarksimport/bookmarksimportdialog.ui @@ -7,7 +7,7 @@ 0 0 505 - 329 + 327 @@ -63,21 +63,17 @@ :/icons/browsers/opera.png:/icons/browsers/opera.png + + + From File + + + + :/icons/browsers/html.png:/icons/browsers/html.png + + - - - - Qt::Vertical - - - - 0 - 0 - - - - diff --git a/src/bookmarksimport/htmlimporter.cpp b/src/bookmarksimport/htmlimporter.cpp new file mode 100644 index 000000000..602e65da3 --- /dev/null +++ b/src/bookmarksimport/htmlimporter.cpp @@ -0,0 +1,65 @@ +#include "htmlimporter.h" + +HtmlImporter::HtmlImporter(QObject* parent) + : QObject(parent) + , m_error(false) + , m_errorString(tr("No Error")) +{ +} + +void HtmlImporter::setFile(const QString &path) +{ + m_path = path; +} + +bool HtmlImporter::openFile() +{ + m_file.setFileName(m_path); + + if (!m_file.open(QFile::ReadOnly)) { + m_error = true; + m_errorString = tr("Unable to open file."); + return false; + } + + return true; +} + +QList HtmlImporter::exportBookmarks() +{ + QList list; + + QString bookmarks = m_file.readAll(); + m_file.close(); + + QRegExp rx("", Qt::CaseInsensitive); + rx.setMinimal(true); + + int pos = 0; + while ((pos = rx.indexIn(bookmarks, pos)) != -1) { + QString string = rx.cap(0); + pos += rx.matchedLength(); + + QRegExp rx2(">(.*)", Qt::CaseInsensitive); + rx2.setMinimal(true); + rx2.indexIn(string); + QString name = rx2.cap(1); + + rx2.setPattern("href=\"(.*)\""); + rx2.indexIn(string); + QString url = rx2.cap(1); + + if (name.isEmpty() || url.isEmpty() || url.startsWith("place:") || url.startsWith("about:")) { + continue; + } + + BookmarksModel::Bookmark b; + b.folder = "Html Import"; + b.title = name; + b.url = url; + + list.append(b); + } + + return list; +} diff --git a/src/bookmarksimport/htmlimporter.h b/src/bookmarksimport/htmlimporter.h new file mode 100644 index 000000000..6f6f7889f --- /dev/null +++ b/src/bookmarksimport/htmlimporter.h @@ -0,0 +1,36 @@ +#ifndef HTMLIMPORTER_H +#define HTMLIMPORTER_H + +#include +#include +#include + +#include "bookmarksmodel.h" + +class HtmlImporter : public QObject +{ + Q_OBJECT +public: + explicit HtmlImporter(QObject* parent = 0); + + void setFile(const QString &path); + bool openFile(); + + QList exportBookmarks(); + + bool error() { return m_error; } + QString errorString() { return m_errorString; } + +signals: + +public slots: + +private: + QString m_path; + QFile m_file; + + bool m_error; + QString m_errorString; +}; + +#endif // HTMLIMPORTER_H diff --git a/src/bookmarksimport/operaimporter.h b/src/bookmarksimport/operaimporter.h index 70af9759f..810de34ba 100644 --- a/src/bookmarksimport/operaimporter.h +++ b/src/bookmarksimport/operaimporter.h @@ -47,7 +47,6 @@ private: bool m_error; QString m_errorString; - }; #endif // OPERAIMPORTER_H diff --git a/src/data/icons.qrc b/src/data/icons.qrc index 792f5c4c6..4bdfb1698 100644 --- a/src/data/icons.qrc +++ b/src/data/icons.qrc @@ -67,5 +67,6 @@ icons/preferences/dialog-question.png icons/preferences/mail-inbox.png icons/preferences/preferences-system-firewall.png + icons/browsers/html.png diff --git a/src/data/icons/browsers/html.png b/src/data/icons/browsers/html.png new file mode 100644 index 000000000..cf8837c7c Binary files /dev/null and b/src/data/icons/browsers/html.png differ diff --git a/src/history/historymodel.cpp b/src/history/historymodel.cpp index e4c44603e..14f6984e1 100644 --- a/src/history/historymodel.cpp +++ b/src/history/historymodel.cpp @@ -59,7 +59,7 @@ int HistoryModel::addHistoryEntry(const QUrl &url, QString &title) query.bindValue(0, QDateTime::currentMSecsSinceEpoch()); query.bindValue(1, url); query.bindValue(2, title); - query.exec(); + mApp->dbWriter()->executeQuery(query); int id = query.lastInsertId().toInt(); HistoryEntry entry; diff --git a/src/opensearch/searchenginesmanager.cpp b/src/opensearch/searchenginesmanager.cpp index 3d5804d28..2c7c1b3e5 100644 --- a/src/opensearch/searchenginesmanager.cpp +++ b/src/opensearch/searchenginesmanager.cpp @@ -21,6 +21,7 @@ #include "networkmanager.h" #include "opensearchreader.h" #include "opensearchengine.h" +#include "databasewriter.h" #define ENSURE_LOADED if (!m_settingsLoaded) loadSettings(); diff --git a/src/other/databasewriter.cpp b/src/other/databasewriter.cpp index c5b3eb6ed..f2dadce72 100644 --- a/src/other/databasewriter.cpp +++ b/src/other/databasewriter.cpp @@ -17,7 +17,7 @@ * ============================================================ */ #include "databasewriter.h" -DatabaseWriter::DatabaseWriter(QObject *parent) +DatabaseWriter::DatabaseWriter(QObject* parent) : QObject(parent) { } diff --git a/src/other/databasewriter.h b/src/other/databasewriter.h index 03157e429..ad69ce7b1 100644 --- a/src/other/databasewriter.h +++ b/src/other/databasewriter.h @@ -22,13 +22,12 @@ #include #include #include -#include class DatabaseWriter : public QObject { Q_OBJECT public: - explicit DatabaseWriter(QObject *parent = 0); + explicit DatabaseWriter(QObject* parent = 0); void executeQuery(const QSqlQuery &query); diff --git a/src/other/sourceviewer.cpp b/src/other/sourceviewer.cpp index 8c03f4e64..24675c59a 100644 --- a/src/other/sourceviewer.cpp +++ b/src/other/sourceviewer.cpp @@ -91,7 +91,8 @@ SourceViewer::SourceViewer(QWebPage* page, const QString &selectedHtml) : //Highlight selectedHtml if (!selectedHtml.isEmpty()) { m_sourceEdit->find(selectedHtml, QTextDocument::FindWholeWords); - } else { + } + else { QTextCursor cursor = m_sourceEdit->textCursor(); cursor.setPosition(0); m_sourceEdit->setTextCursor(cursor); diff --git a/src/rss/rssmanager.cpp b/src/rss/rssmanager.cpp index 5c0e47e34..52a12f1c0 100644 --- a/src/rss/rssmanager.cpp +++ b/src/rss/rssmanager.cpp @@ -25,6 +25,7 @@ #include "browsinglibrary.h" #include "globalfunctions.h" #include "followredirectreply.h" +#include "databasewriter.h" RSSManager::RSSManager(QupZilla* mainClass, QWidget* parent) : QWidget(parent) @@ -363,7 +364,7 @@ bool RSSManager::addRssFeed(const QString &address, const QString &title, const query.bindValue(0, address); query.bindValue(1, title); query.bindValue(2, iconData); - query.exec(); + mApp->dbWriter()->executeQuery(query); return true; } diff --git a/src/src.pro b/src/src.pro index f7fbb2c51..2a235abb7 100644 --- a/src/src.pro +++ b/src/src.pro @@ -174,7 +174,8 @@ SOURCES += main.cpp\ webview/webhistorywrapper.cpp \ tools/pagethumbnailer.cpp \ plugins/speeddial.cpp \ - other/databasewriter.cpp + other/databasewriter.cpp \ + bookmarksimport/htmlimporter.cpp HEADERS += \ 3rdparty/qtwin.h \ @@ -291,7 +292,8 @@ HEADERS += \ webview/webhistorywrapper.h \ tools/pagethumbnailer.h \ plugins/speeddial.h \ - other/databasewriter.h + other/databasewriter.h \ + bookmarksimport/htmlimporter.h FORMS += \ preferences/autofillmanager.ui \ @@ -390,3 +392,5 @@ message(Using following defines) message($$DEFINES) + + diff --git a/src/tools/toolbutton.cpp b/src/tools/toolbutton.cpp index 621a65e98..5887004f7 100644 --- a/src/tools/toolbutton.cpp +++ b/src/tools/toolbutton.cpp @@ -86,7 +86,7 @@ void ToolButton::mousePressEvent(QMouseEvent* e) void ToolButton::mouseReleaseEvent(QMouseEvent* e) { - if (e->button() == Qt::MiddleButton && rect().contains(e->pos()) ) { + if (e->button() == Qt::MiddleButton && rect().contains(e->pos())) { emit middleMouseClicked(); return; } diff --git a/src/webview/webview.cpp b/src/webview/webview.cpp index c7a37451c..25d13c375 100644 --- a/src/webview/webview.cpp +++ b/src/webview/webview.cpp @@ -575,7 +575,7 @@ void WebView::contextMenuEvent(QContextMenuEvent* event) QWebElement element = r.element(); if (!element.isNull() && (element.tagName().toLower() == "input" || element.tagName().toLower() == "textarea" || - element.tagName().toLower() == "video" || element.tagName().toLower() == "audio") ) { + element.tagName().toLower() == "video" || element.tagName().toLower() == "audio")) { if (m_menu->isEmpty()) { page()->createStandardContextMenu()->popup(QCursor::pos()); return; diff --git a/translations/cs_CZ.ts b/translations/cs_CZ.ts index 96af80f4a..5c112567c 100644 --- a/translations/cs_CZ.ts +++ b/translations/cs_CZ.ts @@ -14,49 +14,49 @@ Autoři - - + + Authors and Contributors Autoři a Spolupracovníci - - + + < About QupZilla < O QupZille - + <p><b>Application version %1</b><br/> <p><b>Verze aplikace %1</b><br/> - + <b>WebKit version %1</b></p> <b>Verze WebKitu %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Všechna práva vyhrazena.<br/> - + <small>Build time: %1 </small></p> <small>Datum sestavení: %1</small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Hlavní vývojáři:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Přispěvatelé</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Překladatelé</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Import záložek</b> - + + From File + Ze souboru + + + Choose browser from which you want to import bookmarks: Vyberte ze kterého prohlížeče chcete importovat záložky: - + Choose... Vybrat... - + Fetching icons, please wait... Získávám ikony, prosím čekejte... - + Title Titulek - + Url Adresa - + Next Další - + Cancel Zrušit - + <b>Importing from %1</b> <b>Importuji z %1</b> - + Finish Dokončit - - - + + + + Error! Chyba! - + Choose directory... Zvolte složku... - + Choose file... Vyberte soubor... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox ukládá své záložky v SQLite databázi <b>places.sqlite</b>. Tento soubor se obvykle nachází v - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome ukládá své záložky v textovém souboru <b>Bookmarks</b>. Tento soubor se obvykle nachází v - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera ukládá své záložky v textovém souboru <b>bookmarks.adr</b>. Tento soubor se obvykle nachází v - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + Záložky můžete importovat z kteréhokoliv prohlížeče který podporuje export do HTML. Tento soubor má obvykle tyto přípony + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer ukládá své záložky ve složce <b>Oblíbené</b>. Tato složka se obvykle nachází v - - - + + + + Please choose this file to begin importing bookmarks. Vyberte prosím tento soubor pro zahájení importu. - + Please choose this folder to begin importing bookmarks. Vyberte prosím tuto složku pro zahájení importu. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Záložky v menu - - - + + + Bookmarks In ToolBar Panel záložek - - + + Unsorted Bookmarks Nesetříděné záložky @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page Přidat &stránku do záložek - + Bookmark &All Tabs Přidat &všechny panely do záložek - + &Organize Bookmarks Organizovat &záložky - + Hide Most &Visited Skrýt &Nejnavštěvovanější - + Show Most &Visited Zobrazit &Nejnavštěvovanější - + &Hide Toolbar S&krýt panel - + Move right Posunout doprava - + Move left Posunout doleva - + Remove bookmark Odstranit záložku - + Most visited Nejnavštěvovanější - + Sites you visited the most Nejvíce navštěvované stránky - - + + Empty Prázdný @@ -1129,13 +1141,13 @@ DownloadFileHelper - - + + Save file as... Uložit soubor jako... - + NoNameDownload BezNazvu @@ -1292,29 +1304,29 @@ nebyl nalezen! % - Správce stahování - + Download Finished Stahování dokončeno - + All files have been successfully downloaded. Všechna stahování byla úspěšně dokončena. - + Warning Varování - + Are you sure to quit? All uncompleted downloads will be cancelled! Jste si jistý že chcete skončit? Všechna nedokončená stahování budou zrušena! - + Download Manager Správce stahování @@ -1357,7 +1369,7 @@ nebyl nalezen! Otevřít... - + Save File Uložit soubor @@ -1502,72 +1514,72 @@ nebyl nalezen! HistoryModel - + Failed loading page Chyba při načítání stránky - + No Named Page Bezejmenná stránka - + January Leden - + February Únor - + March Březen - + April Duben - + May Květen - + June Červen - + July Červenec - + August Srpen - + September Září - + October Říjen - + November Listopad - + December Prosinec @@ -1623,6 +1635,19 @@ nebyl nalezen! Tento měsíc + + HtmlImporter + + + No Error + Žádná chyba + + + + Unable to open file. + Nepodařilo se otevřít soubor. + + LocationBar @@ -1650,12 +1675,12 @@ nebyl nalezen! MainApplication - + Last session crashed Poslední relace spadla - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla spadla :-(</b><br/>Oops, poslední relace QupZilly skončila jejím pádem. Velice se omlouváme. Přejete si obnovit uložený stav? @@ -1694,8 +1719,8 @@ nebyl nalezen! Zrušit celou obrazovku - - + + Clear history Smazat historii @@ -2630,428 +2655,428 @@ nebyl nalezen! QupZilla - + Bookmarks Záložky - + History Historie - + Quit Konec - + New Tab Nový panel - + Close Tab Zavřít panel - + IP Address of current page IP Adresa aktuální stránky - + &Tools &Nástroje - + &Help Nápo&věda - + &Bookmarks Zál&ožky - + Hi&story &Historie - + &File &Soubor - + &New Window &Nové okno - + Open &File Otevřít &soubor - + &Save Page As... &Uložit stránku jako... - + &Print &Tisk - + Import bookmarks... Importovat záložky... - + &Edit Úpr&avy - + &Undo &Zpět - + &Redo &Vpřed - + &Cut V&yjmout - + C&opy &Kopírovat - + &Paste V&ložit - + &Delete &Odstranit - + Select &All Vyb&rat vše - + &Find &Najít - + &View &Zobrazení - + &Navigation Toolbar &Navigační lišta - + &Bookmarks Toolbar Panel &záložek - + Sta&tus Bar Sta&tus bar - + Toolbars Nástrojové lišty - + Sidebars Postranní lišta - + &Page Source Zdrojový &kód stránky - + &Menu Bar &Menu - + &Fullscreen &Celá obrazovka - + &Stop Z&astavit - + &Reload O&bnovit - + Character &Encoding Kó&dování znaků - + Zoom &In Zoo&m + - + Zoom &Out Z&oom - - + Reset Původní - + Close Window Zavřít okno - + Open Location Otevřít adresu - + Send Link... Poslat odkaz... - + Other Ostatní - + Default Defaultní - + Current cookies cannot be accessed. Současné cookies nejsou dostupné. - + Your session is not stored. Vaše relace není uložena. - + Start Private Browsing Spustit anonymní prohlížení - + Private Browsing Enabled Soukromé prohlížení zapnuto - + Restore &Closed Tab Obnovit zavř&ený panel - + Bookmarks In ToolBar Bookmarks In Toolbar Panel záložek - - - + + + Empty Prázdný - - + + New tab Nový panel - + Bookmark &This Page Přidat &stránku do záložek - + Bookmark &All Tabs Přidat &všechny panely do záložek - + Organize &Bookmarks Organizovat &záložky - + &Back &Zpět - + &Forward &Vpřed - + &Home &Domů - + Show &All History Zobrazit celou &historii - + Closed Tabs Zavřené panely - + Save Page Screen Uložit snímek stránky - - + + (Private Browsing) (Soukromé prohlížení) - + Restore All Closed Tabs Obnovit všechny zavřené panely - + Clear list Vyčistit seznam - + About &Qt O &Qt - + &About QupZilla &O QupZille - + Informations about application Informace o aplikaci - + Report &Issue Nahlásit &problém - + &Web Search Hledání na &webu - + Page &Info Informace o &stránce - + &Download Manager Správce s&tahování - + &Cookies Manager Správce coo&kies - + &AdBlock &AdBlock - + RSS &Reader &RSS čtečka - + Clear Recent &History Vymazat nedá&vnou historii - + &Private Browsing Soukromé prohlíž&ení - + Pr&eferences Předvo&lby - + Open file... Otevřít soubor... - + Are you sure you want to turn on private browsing? Jste si jistý že chcete zapnout soukromé prohlížení? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Se zapnutým soukromým prohlížením jsou některé akce týkající se soukromí vypnuty: - + Webpages are not added to the history. Stránky nejsou přidávány do historie. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Než zavřete prohlížeč, stále můžete použít tlačítka Zpět a Vpřed k vrácení se na stránky které jste otevřeli. - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Ještě je otevřeno %1 panelů a Vaše relace nebude uložena. Opravdu chcete skončit? @@ -3277,12 +3302,12 @@ nebyl nalezen! - + Empty Prázdný - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. Nemáte žádný RSS kanál.<br/> @@ -3309,64 +3334,64 @@ Prosím přidejte si nějaký kliknutím na RSS ikonku v navigačním řádku.Optimalizovat databázi - + News Novinky - - + + Loading... Načítám... - + Fill title and URL of a feed: Vyplňte titulek a adresu kanálu: - + Feed title: Titulek kanálu: - + Feed URL: Adresa kanálu: - + Edit RSS Feed Upravit kanál - + Open link in actual tab Otevřít odkaz v aktuálním panelu - + Open link in new tab Otevřít odkaz v novém panelu - - + + New Tab Nový panel - + Error in fetching feed Chyba při stahování kanálu - + RSS feed duplicated Duplikovaný kanál - + You already have this feed. Tento kanál již odebíráte. @@ -3543,27 +3568,27 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ SearchEnginesManager - + Search Engine Added Vyhledávač přidán - + Search Engine "%1" has been successfully added. Vyhledávač "%1" byl úspěšně přidán. - + Search Engine is not valid! Vyhledávač není platný! - + Error Chyba - + Error while adding Search Engine <br><b>Error Message: </b> %1 Chyba při přidávání vyhledáváče <br><b>Chybová zpráva: </b> %1 @@ -3870,7 +3895,7 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ - + Go to Line... Jít na řádek... @@ -3895,47 +3920,47 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Zalamovat řádky - + Save file... Uložit soubor... - + Error! Chyba! - + Cannot write to file! Nemohu zapisovat do souboru! - + Error writing to file Nelze zapisovat do souboru - + Source successfully saved Zdroj úspěšně uložen - + Source reloaded Zdroj znovu načten - + Editable changed Povolení úprav změněno - + Word Wrap changed Zalamování řádků změněno - + Enter line number Zadejte číslo řádku @@ -4061,7 +4086,9 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Dohromady máte otevřeno %1 panelů - + + + New tab Nový panel @@ -4233,139 +4260,139 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ WebView - + Loading... Načítám... - + Open link in new &tab Otevřít odkaz v novém &panelu - + Open link in new &window Otevřít odkaz v novém &okně - + B&ookmark link Přidat odkaz do zá&ložek - + &Save link as... &Uložit odkaz jako... - + &Copy link address &Kopírovat adresu odkazu - + Show i&mage Zobrazit &obrázek - + Copy im&age &Kopírovat obrázek - + Copy image ad&dress Kopírovat adr&esu obrázku - + S&top &Zastavit - + Show info ab&out site Zobrazit &informace o stránce - + Show Web &Inspector Zobrazit Web &Inspektor - + &Save image as... &Uložit obrázek jako... - + Failed loading page Chyba při načítání stránky - + &Back &Zpět - + &Forward &Vpřed - + &Reload &Obnovit - + Book&mark page Přidat stránku do zá&ložek - + &Save page as... &Uložit stránku jako... - + Select &all Vyb&rat vše - + Show so&urce code Zobrazit zdrojový kó&d - + Search "%1 .." with %2 Hledat "%1 .." s %2 - + No Named Page Bezejmenná stránka - - - + + + New tab Nový panel - + Send link... Odeslat odkaz... - + Send image... Odeslat obrázek... - + Send page... Odeslat stránku... diff --git a/translations/de_DE.ts b/translations/de_DE.ts index a18b8cd64..fe2d93ad4 100644 --- a/translations/de_DE.ts +++ b/translations/de_DE.ts @@ -14,49 +14,49 @@ Autoren - - + + Authors and Contributors Autoren und Mitwirkende - - + + < About QupZilla < Über QupZilla - + <p><b>Application version %1</b><br/> <p><b>QupZilla Version: %1</b><br/> - + <b>WebKit version %1</b></p> <b>WebKit Version: %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Alle Rechte vorbehalten.<br/> - + <small>Build time: %1 </small></p> <small>Kompiliert am: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Hauptentwickler:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Mitwirkende:</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Übersetzer:</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Lesezeichen importieren</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Bitte Browser auswählen, von dem Lesezeichen importiert werden sollen: - + Choose... Wählen... - + Fetching icons, please wait... Hole Symbole, bitte warten Sie... - + Title Titel - + Url Url - + Next Weiter - + Cancel Abbrechen - + <b>Importing from %1</b> <b>Importiere von %1</b> - + Finish Ende - - - + + + + Error! Fehler! - + Choose directory... Verzeichnis wählen... - + Choose file... Datei wählen... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox speichert die Lesezeichen in der Datei <b>places.sqlite</b>. Diese ist gewöhnlich gespeichert unter - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome speichert die Lesezeichen in der Datei <b>Bookmarks</b>. Diese ist gewöhnlich gespeichert unter - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera speichert die Lesezeichen in der Datei <b>bookmarks.adr</b>. Diese ist gewöhnlich gespeichert unter - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer speichert die Lesezeichen im <b>Favorites</b> Ordner. Dieser Ordner ist gewöhnlich zu finden unter - - - + + + + Please choose this file to begin importing bookmarks. Bitte wählen Sie diese Datei, um mit dem Import zu beginnen. - + Please choose this folder to begin importing bookmarks. Bitte wählen Sie diesen Ordner, um mit dem Import zu beginnen. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Lesezeichen im Menü - - - + + + Bookmarks In ToolBar Lesezeichen in Werkzeug-Leiste - - + + Unsorted Bookmarks Unsortierte Lesezeichen @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page Lesezeichen für &aktuelle Seite hinzufügen - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + &Organize Bookmarks Bookmarks &bearbeiten - + Hide Most &Visited Meistbesuchte &verstecken - + Show Most &Visited Meistbesuchte &anzeigen - + &Hide Toolbar &Werkzeugleiste verstecken - + Move right Nach rechts - + Move left Nach links - + Remove bookmark Lesezeichen entfernen - + Most visited Meistbesuchte - + Sites you visited the most Meistbesuchte Seiten - - + + Empty Leer @@ -1129,13 +1141,13 @@ DownloadFileHelper - - + + Save file as... Datei speichern als... - + NoNameDownload NoNameDownload @@ -1292,29 +1304,29 @@ % - Download Manager - + Download Finished Download beendet - + All files have been successfully downloaded. Alle Dateien wurden erfolgreich heruntergeladen. - + Warning Warnung - + Are you sure to quit? All uncompleted downloads will be cancelled! Möchten Sie QupZilla wirklich beenden?Alle nicht beendeten Downloads werden abgebrochen! - + Download Manager Download Manager @@ -1357,7 +1369,7 @@ Öffnen... - + Save File Datei speichern @@ -1502,72 +1514,72 @@ HistoryModel - + Failed loading page Seite konnte nicht geladen werden - + No Named Page Unbekannte Seite - + January Januar - + February Februar - + March März - + April April - + May Mai - + June Juni - + July Juli - + August August - + September September - + October Oktober - + November November - + December Dezember @@ -1623,6 +1635,19 @@ Dieser Monat + + HtmlImporter + + + No Error + Kein Fehler + + + + Unable to open file. + Datei kann nicht geöffnet werden. + + LocationBar @@ -1650,12 +1675,12 @@ MainApplication - + Last session crashed Die letzte Sitzung wurde unerwartet beendet - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla ist abgestürzt :-(</b><br/>Hoppla,die letzte Sitzung wurde unerwartet beendet. Verzeihung. Möchten Sie den letzten Status wiederherstellen? @@ -1694,8 +1719,8 @@ Vollbildmodus beenden - - + + Clear history Verlauf löschen @@ -2631,427 +2656,427 @@ QupZilla - + Bookmarks Lesezeichen - + History Verlauf - + Quit Beenden - + New Tab Neuer Tab - + Close Tab Tab schließen - + IP Address of current page IP Adresse der aktuellen Seite - + &Tools &Werkzeuge - + &Help &Hilfe - + &Bookmarks &Lesezeichen - + Hi&story &Verlauf - + &File &Datei - + &New Window Neues &Fenster - + Open &File Datei ö&ffnen - + &Save Page As... Seite speichern &unter... - + &Print &Drucken - + Import bookmarks... Lesezeichen importieren... - + &Edit &Bearbeiten - + &Undo &Rückgängig - + &Redo &Wiederherstellen - + &Cut &Ausschneiden - + C&opy &Kopieren - + &Paste E&infügen - + &Delete &Löschen - + Select &All Alles au&swählen - + &Find &Suchen - + &View &Ansicht - + &Navigation Toolbar &Navigations-Symbolleiste - + &Bookmarks Toolbar &Lesezeichen-Werkzeug-Leiste - + Sta&tus Bar Sta&tus-Leiste - + Toolbars Werkzeugleisten - + Sidebars Seiten-Leiste - + &Page Source Seiten-&Quelltext - + &Menu Bar &Menü-Leiste - + &Fullscreen &Vollbild - + &Stop &Stopp - + &Reload &Neu laden - + Character &Encoding &Zeichenkodierung - + Zoom &In Ver&größern - + Zoom &Out Ver&kleinern - + Reset Zurücksetzen - + Close Window Fenster schließen - + Open Location Adresse aufrufen - + Send Link... Link senden... - + Other Andere - + Default Standard - + Current cookies cannot be accessed. Auf aktuelle Cookies kann nicht zugegriffen werden. - + Your session is not stored. Ihre Sitzung wird nicht gespeichert. - + Start Private Browsing Privaten Modus starten - + Private Browsing Enabled Privater Modus aktiv - + Restore &Closed Tab Geschlossenen Tab &wiederherstellen - + Bookmarks In ToolBar Lesezeichen in Werkzeug-Leiste - - - + + + Empty Leer - - + + New tab Neuer Tab - + Bookmark &This Page &Lesezeichen für diese Seite hinzufügen - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + Organize &Bookmarks Bookmarks &bearbeiten - + &Back &Zurück - + &Forward &Vor - + &Home &Startseite - + Show &All History &Vollständigen Verlauf anzeigen - + Closed Tabs Geschlossene Tabs - + Save Page Screen Bildschirmseite speichern - - + + (Private Browsing) (Privater Modus) - + Restore All Closed Tabs Alle geschlossenen Tabs wiederherstellen - + Clear list Liste leeren - + About &Qt Üb&er Qt - + &About QupZilla Über Qup&Zilla - + Informations about application Informationen über QupZilla - + Report &Issue &Fehlerbericht senden - + &Web Search Web&suche - + Page &Info S&eiteninformationen anzeigen - + &Download Manager &Download Manager - + &Cookies Manager &Cookie Manager - + &AdBlock &AdBlock - + RSS &Reader RSS &Reader - + Clear Recent &History &Verlauf löschen - + &Private Browsing &Privater Modus - + Pr&eferences &Einstellungen - + Open file... Datei öffnen... - + Are you sure you want to turn on private browsing? Möchten Sie wirklich den privaten Modus starten? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Wenn der private Modus aktiv ist, stehen einige Aktionen nicht zur Verfügung: - + Webpages are not added to the history. Webseiten werden nicht zum Verlauf hinzugefügt. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Solange dieses Fenster geöffnet ist, können Sie über die Symbole "Zurück" und "Vor" zu den Webseiten zurückkehren, die Sie geöffnet haben. - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Es sind noch %1 Tabs geöffnet und Ihre Sitzung wird nicht gespeichert. Möchten Sie QupZilla wirklich beenden? @@ -3277,12 +3302,12 @@ - + Empty Leer - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. Sie haben noch keine RSS Feeds abonniert.<br/> @@ -3309,64 +3334,64 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.Datenbank optimieren - + News Nachrichten - - + + Loading... Laden... - + Fill title and URL of a feed: Titel und URL des Feeds eintragen: - + Feed title: Feed Titel: - + Feed URL: Feed URL: - + Edit RSS Feed RSS Feed barbeiten - + Open link in actual tab Link in aktuellem Tab öffnen - + Open link in new tab Link in neuem Tab öffnen - - + + New Tab Neuer Tab - + Error in fetching feed Feed konnte nicht abonniert werden - + RSS feed duplicated Doppelter RSS Feed vorhanden - + You already have this feed. Diesen Feed haben Sie bereits abonniert. @@ -3543,27 +3568,27 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest SearchEnginesManager - + Search Engine Added Suchmaschine hinzugefügt - + Search Engine "%1" has been successfully added. Suchmaschine "%1" wurde erfolgreich hinzugefügt. - + Search Engine is not valid! Suchmaschine ist ungültig! - + Error Fehler - + Error while adding Search Engine <br><b>Error Message: </b> %1 Beim Hinzufügen der Suchmaschine ist ein Fehler aufgetreten <br><b>Fehlermeldung: </b> %1 @@ -3869,7 +3894,7 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest - + Go to Line... Gehe zu Zeile... @@ -3894,47 +3919,47 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Zeilenumbruch - + Save file... Datei speichern... - + Error! Fehler! - + Cannot write to file! Datei kann nicht gespeichert werden! - + Error writing to file Beim Schreiben der Datei ist ein Fehler aufgetreten - + Source successfully saved Quelltext erfolgreich gespeichert - + Source reloaded Quelltext neu geladen - + Editable changed Quelltext geändert - + Word Wrap changed Zeilenumbruch geändert - + Enter line number Zeilennummer eingeben @@ -4061,7 +4086,9 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Aktuell sind %1 Tabs geöffnet - + + + New tab Neuer Tab @@ -4233,139 +4260,139 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest WebView - + Loading... Laden... - + Open link in new &tab Link in neuem &Tab öffnen - + Open link in new &window Link in neuem &Fenster öffnen - + B&ookmark link &Lesezeichen für diesen Link hinzufügen - + &Save link as... &Ziel speichern unter... - + &Copy link address Lin&k-Adresse kopieren - + Show i&mage G&rafik anzeigen - + Copy im&age Grafik k&opieren - + Copy image ad&dress Grafika&dresse kopieren - + S&top S&topp - + Show info ab&out site S&eiteninformationen anzeigen - + Show Web &Inspector Web &Inspector anzeigen - + &Save image as... Grafik speichern &unter... - + Failed loading page Seite konnte nicht geladen werden - + &Back &Zurück - + &Forward &Vor - + &Reload &Neu laden - + Book&mark page &Lesezeichen für diese Seite hinzufügen - + &Save page as... Seite speichern &unter... - + Select &all Alles au&swählen - + Show so&urce code Seitenquelltext &anzeigen - + Search "%1 .." with %2 Suche "%1 .." mit %2 - + No Named Page Unbekannte Seite - - - + + + New tab Neuer Tab - + Send link... Link senden... - + Send image... Grafik senden... - + Send page... Seite senden... diff --git a/translations/es_ES.ts b/translations/es_ES.ts index 38fe65bf8..aa02140d0 100644 --- a/translations/es_ES.ts +++ b/translations/es_ES.ts @@ -14,49 +14,49 @@ Autores - - + + Authors and Contributors Autores y contribuidores - - + + < About QupZilla < Acerca de QupZilla - + <p><b>Application version %1</b><br/> <p><b>Versión de la aplicación %1</b><br/> - + <b>WebKit version %1</b></p> <b>Versión WebKit %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Todos los derechos reservados.<br/> - + <small>Build time: %1 </small></p> <small>Fecha de compilación: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Desarrolladores principales:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Contribuidores:</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Traductores:</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Importar marcadores</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Elegir navegador del que desee importar marcadores: - + Choose... Elegir... - + Fetching icons, please wait... Obteniendo iconos, por favor espere... - + Title Título - + Url Url - + Next Siguiente - + Cancel Cancelar - + <b>Importing from %1</b> <b>Importando desde %1</b> - + Finish Terminar - - - + + + + Error! ¡Error! - + Choose directory... Elegir directorio... - + Choose file... Elegir archivo... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox almacena sus marcadores en <b>places.sqlite</b> SQLite database. Este archivo suele encontrarse en - - - + + + + Please choose this file to begin importing bookmarks. Elegir este archivo para empezar a importar marcadores. - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome almacena sus marcadores en el archivo de texto <b>Bookmarks</b>. Este archivo suele encontrarse en - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera almacena sus marcadores en el archivo de texto <b>bookmarks.adr</b>. Este archivo suele encontrarse en - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer almacena sus marcadores en la carpeta<b>Favoritos</b>. Esta carpeta suele encontrarse en - + Please choose this folder to begin importing bookmarks. Elegir esta carpeta para empezar a importar marcadores. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Marcadores en el menú - - - + + + Bookmarks In ToolBar Barra de herramientas de marcadores - - + + Unsorted Bookmarks Marcadores sin clasificar @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page &Añadir esta página a marcadores - + Bookmark &All Tabs Añadir &todas las pestañas a marcadores - + &Organize Bookmarks &Organizar marcadores - + Hide Most &Visited Ocultar los más &visitados - + Show Most &Visited Ver los más &visitados - + &Hide Toolbar &Ocultar barra de herramientas - + Move right Mover a la derecha - + Move left Mover a la izquierda - + Remove bookmark Quitar marcador - + Most visited Más visitados - + Sites you visited the most Sitios más visitados - - + + Empty Vacío @@ -1128,13 +1140,13 @@ DownloadFileHelper - - + + Save file as... Guardar archivo como... - + NoNameDownload DescargaSinNombre @@ -1283,7 +1295,7 @@ - + Download Manager Gestor de descargas @@ -1303,22 +1315,22 @@ % - Gestor de descargas - + Download Finished Descarga finalizada - + All files have been successfully downloaded. Todos los archivos se han descargado satisfactoriamente. - + Warning Aviso - + Are you sure to quit? All uncompleted downloads will be cancelled! ¿Está seguro de salir? ¡Todas las descargas incompletas serán canceladas! @@ -1356,7 +1368,7 @@ Abrir... - + Save File Guardar archivo @@ -1501,72 +1513,72 @@ HistoryModel - + Failed loading page Falló la carga de la página - + No Named Page Página sin nombre - + January Enero - + February Febrero - + March Marzo - + April Abril - + May Mayo - + June Junio - + July Julio - + August Agosto - + September Septiembre - + October Octubre - + November Noviembre - + December Diciembre @@ -1622,6 +1634,19 @@ Este mes + + HtmlImporter + + + No Error + Ningún error + + + + Unable to open file. + No se puede abrir archivo. + + LocationBar @@ -1649,12 +1674,12 @@ MainApplication - + Last session crashed La última sesión se cerró inesperadamente - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla se cerró inesperadamente :-(</b><br/>Lo sentimos, la última sesión de QupZilla terminó inesperadamente. ¿Le gustaría intentar restaurar la última sesión? @@ -1693,8 +1718,8 @@ Salir de pantalla completa - - + + Clear history Limpiar historial @@ -2628,427 +2653,427 @@ QupZilla - + Private Browsing Enabled Navegación privada habilitada - + IP Address of current page Dirección IP de la página actual - + &Tools He&rramientas - + &Help A&yuda - + &Bookmarks &Marcadores - + Hi&story &Historial - + &File &Archivo - + &New Window &Nueva ventana - + New Tab Nueva pestaña - + Open Location Introducir dirección URL - + Open &File &Abrir archivo - + Close Tab Cerrar pestaña - + Close Window Cerrar ventana - + &Save Page As... &Guardar como... - + Save Page Screen Guardar pantallazo de la página - + Send Link... Enviar enlace... - + &Print &Imprimir - + Import bookmarks... Importar marcadores... - + Quit Salir - + &Edit &Editar - + &Undo &Deshacer - + &Redo &Rehacer - + &Cut &Cortar - + C&opy C&opiar - + &Paste &Pegar - + &Delete &Eliminar - + Select &All &Seleccionar todo - + &Find &Buscar - + &View &Ver - + &Navigation Toolbar Barra de herramientas de &navegación - + &Bookmarks Toolbar Barra de herramientas de &marcadores - + Sta&tus Bar &Barra de estado - + &Menu Bar Barra de m&enú - + &Fullscreen &Pantalla completa - + &Stop &Detener - + &Reload Re&cargar - + Character &Encoding &Codificación de caracteres - + Bookmarks Marcadores - + History Historial - + Toolbars Barras de herramientas - + Sidebars Panel lateral - + Zoom &In &Aumentar tamaño - + Zoom &Out &Reducir tamaño - + Reset Reiniciar tamaño - + &Page Source Código &fuente de la página - + Closed Tabs Pestañas cerradas - + Restore &Closed Tab &Restaurar pestaña cerrada - - + + (Private Browsing) (Navegación privada) - + Bookmark &This Page &Añadir esta página a marcadores - + Bookmark &All Tabs Añadir &todas las pestañas a marcadores - + Organize &Bookmarks &Organizar marcadores - + Bookmarks In ToolBar Barra de herramientas de marcadores - - - + + + Empty Vacío - + &Back &Anterior - + &Forward &Siguiente - + &Home &Inicio - + Show &All History &Mostrar todo el historial - + Restore All Closed Tabs Restaurar todas las pestañas cerradas - + Clear list Limpiar lista - + About &Qt Acerca de &Qt - + &About QupZilla &Acerca de QupZilla - + Informations about application Información acerca de la aplicación - + Report &Issue &Informar de un fallo - + &Web Search &Caja de búsqueda - + Page &Info &Información de la página - + &Download Manager Gestor de &descargas - + &Cookies Manager Gestor de &cookies - + &AdBlock &AdBlock - + RSS &Reader Lector &RSS - + Clear Recent &History &Limpiar historial reciente - + &Private Browsing &Navegación privada - + Pr&eferences &Preferencias - + Other Otros - + Default Predeterminado - - + + New tab Nueva pestaña - + Open file... Abrir archivo... - + Are you sure you want to turn on private browsing? ¿Está seguro que desea habilitar la navegación privada? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Cuando la navegación privada está habilitada, algunas opciones relacionadas con su privacidad estarán deshabilitadas: - + Webpages are not added to the history. Las páginas web no se añaden al historial. - + Current cookies cannot be accessed. Las cookies actuales no pueden ser accedidas. - + Your session is not stored. La sesión no será guardada. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Hasta que cierre la ventana, puede hacer click en los botones Anterior y Siguiente para regresar a las páginas web que haya abierto. - + Start Private Browsing Comenzar la navegación privada - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Está a punto de cerrar %1 pestañas. ¿Está seguro de continuar? @@ -3274,7 +3299,7 @@ - + Empty Vacío @@ -3299,71 +3324,71 @@ Optimizar la base de datos - + News Noticias - - + + Loading... Cargando... - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. No tiene ningún canal RSS.<br/> Por favor, añada alguno con el icono RSS de la barra de navegación en sitios que ofrezcan canales RSS. - + Fill title and URL of a feed: Introduzca el título y la URL de un canal RSS: - + Feed title: Título del canal RSS: - + Feed URL: URL del canal RSS: - + Edit RSS Feed Editar canal RSS - + Open link in actual tab Abrir enlace en la pestaña actual - + Open link in new tab Abrir enlace en una nueva pestaña - - + + New Tab Nueva pestaña - + Error in fetching feed Error al obtener canal RSS - + RSS feed duplicated Canal RSS duplicado - + You already have this feed. Ya tiene agregado este canal RSS. @@ -3540,27 +3565,27 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi SearchEnginesManager - + Search Engine Added Motor de búsqueda añadido - + Search Engine "%1" has been successfully added. Motor de búsqueda "%1" ha sido añadido satisfactoriamente. - + Search Engine is not valid! ¡El motor de búsqueda no es válido! - + Error Error - + Error while adding Search Engine <br><b>Error Message: </b> %1 Error al añadir el motor de búsqueda <br><b>Mensaje de error:</b> %1 @@ -3866,7 +3891,7 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi - + Go to Line... Ir a la línea... @@ -3891,47 +3916,47 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi Ajuste de línea - + Save file... Guardar archivo... - + Error! ¡Error! - + Cannot write to file! - + Error writing to file Error escribiendo archivo - + Source successfully saved Fuente guardada satisfactoriamente - + Source reloaded Fuente recargada - + Editable changed Editable cambiado - + Word Wrap changed Ajuste de línea cambiado - + Enter line number Introducir número de línea @@ -4057,7 +4082,9 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi Actualmente tiene %1 pestañas abiertas - + + + New tab Nueva pestaña @@ -4229,139 +4256,139 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi WebView - + Failed loading page Falló la carga de la página - + Loading... Cargando... - - - + + + New tab Nueva pestaña - + Open link in new &tab Abrir enlace en una nueva &pestaña - + Open link in new &window Abrir enlace en una nueva &ventana - + B&ookmark link Añadir enlace a &marcadores - + &Save link as... &Guardar enlace como... - + Send link... Enviar enlace... - + &Copy link address Copi&ar la ruta del enlace - + Show i&mage &Mostrar imágen - + Copy im&age Copiar &imágen - + Copy image ad&dress C&opiar la ruta de la imágen - + &Save image as... &Guardar imágen como... - + Send image... Enviar imágen... - + &Back &Anterior - + &Forward &Siguiente - + &Reload &Recargar - + S&top &Detener - + Book&mark page Añadir esta página a &marcadores - + &Save page as... &Guardar como... - + Send page... Enviar página... - + Select &all Seleccionar &todo - + Show so&urce code Ver código &fuente de la página - + Show info ab&out site Ver &información de la página - + Show Web &Inspector Ver Inspector &Web - + Search "%1 .." with %2 Buscar "%1 .." con %2 - + No Named Page Página en blanco @@ -4374,4 +4401,4 @@ Después de añadir o quitar rutas de certificados, es necesario reiniciar QupZi Prevenir que esta página cree diálogos adicionales - \ No newline at end of file + diff --git a/translations/it_IT.ts b/translations/it_IT.ts index 7e829eeaa..bd4e31b22 100644 --- a/translations/it_IT.ts +++ b/translations/it_IT.ts @@ -14,49 +14,49 @@ Autori - - + + Authors and Contributors Autori e Collaboratori - - + + < About QupZilla < A proposito di QupZilla - + <p><b>Application version %1</b><br/> <p><b>Versione dell'applicazione %1</b><br/> - + <b>WebKit version %1</b></p> <b>Versione di WebKit %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Tutti i diritti riservati.<br/> - + <small>Build time: %1 </small></p> <small>Data della build: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Sviluppatori principali:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Collaboratori:</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Traduttori:</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Importa Segnalibri</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Scegli il browser da cui vuoi importare i segnalibri: - + Choose... Scegli... - + Fetching icons, please wait... Attendi, caricamento icone... - + Title Titolo - + Url Url - + Next Prossimo - + Cancel Cancella - + <b>Importing from %1</b> <b>Importazione da %1</b> - + Finish Finito - - - + + + + Error! Errore! - + Choose directory... Scegli cartella... - + Choose file... Scegli file... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox archivia i segnalibri nel database SQLite <b>places.sqlite</b>. Questo file di solito si trova in - - - + + + + Please choose this file to begin importing bookmarks. Per favore, scegli questo file per iniziare ad importare i segnalibri. - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome archivia i segnalibri nel file di testo <b>Bookmarks</b>. Questo file di solito si trova in - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera archivia i segnalibri in nel file di testo <b>bookmarks.adr</b>. Questo file di solito si trova in - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer archivia i segnalibri nella cartella <b>Favorites</b>. Questa cartella di solito si trova in - + Please choose this folder to begin importing bookmarks. Per favore, scegli questa cartella per iniziare ad importare i segnalibri. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Segnalibri nel Menu - - - + + + Bookmarks In ToolBar Segnalibri nella Barra - - + + Unsorted Bookmarks Segnalibri non catalogati @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page Aggiungi la pagina corrente ai &segnalibri - + Bookmark &All Tabs Aggiungi &tutte le schede ai segnalibri - + &Organize Bookmarks &Organizza i Segnalibri - + Hide Most &Visited Nascondi i più &visitati - + Show Most &Visited Mostra i più &visitati - + &Hide Toolbar &Nascondi Barra - + Move right Sposta a destra - + Move left Sposta a sinistra - + Remove bookmark Rimuovi segnalibro - + Most visited Più visitati - + Sites you visited the most Siti che visiti più spesso - - + + Empty Vuoto @@ -1128,13 +1140,13 @@ DownloadFileHelper - - + + Save file as... Salva come... - + NoNameDownload DownloadSenzaNome @@ -1283,7 +1295,7 @@ - + Download Manager Gestore Download @@ -1303,22 +1315,22 @@ % - Gestore Download - + Download Finished Download Completato - + All files have been successfully downloaded. Tutti i file sono stati scaricati con successo. - + Warning Attenzione - + Are you sure to quit? All uncompleted downloads will be cancelled! Sei sicuro di voler uscire? Tutti i download incompleti saranno cancellati! @@ -1356,7 +1368,7 @@ Apri... - + Save File Salva File @@ -1501,72 +1513,72 @@ HistoryModel - + Failed loading page Impossibile caricare la pagina - + No Named Page Pagina Senza Nome - + January Gennaio - + February Febbraio - + March Marzo - + April Aprile - + May Maggio - + June Giugno - + July Luglio - + August Agosto - + September Settembre - + October Otobre - + November Novembre - + December Dicembre @@ -1622,6 +1634,19 @@ Questo Mese + + HtmlImporter + + + No Error + + + + + Unable to open file. + + + LocationBar @@ -1649,12 +1674,12 @@ MainApplication - + Last session crashed Ultima sessione chiusa - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla si è chiuso inaspettatamente :-(</b><br/>Oops, l'ultima sessione di QupZilla si è chiusa con un problema. Ci dispiace molto. Vuoi provare a ripristinare la sessione salvata? @@ -1693,8 +1718,8 @@ Chiudi Schermo intero - - + + Clear history Elimina la cronologia @@ -2630,427 +2655,427 @@ QupZilla - + Private Browsing Enabled Attiva Navigazione Anonima - + IP Address of current page Indirizzo IP della pagina corrente - + Bookmarks Segnalibri - + History Cronologia - + &New Window &Nuova Finestra - + New Tab Nuova Scheda - + Open Location Apri Indirizzo - + Open &File Apri &File - + Close Tab Chiudi Scheda - + Close Window Chiudi Finestra - + &Save Page As... &Salva Pagina Come... - + Save Page Screen Salva Schermata della Pagina - + Send Link... Invia Link... - + &Print S&tampa - + Import bookmarks... Importa Segnalibri... - + Quit Esci - + &Undo &Annulla - + &Redo &Ripeti - + &Cut Ta&glia - + C&opy C&opia - + &Paste &Incolla - + &Delete &Cancella - + Select &All Seleziona &Tutto - + &Find C&erca - + &Tools accelerator on S is already used by the Bookmarks translation (Segnalibri) S&trumenti - + &Help &Aiuto - + &Bookmarks &Segnalibri - + Hi&story &Cronologia - + &File &File - + &Edit &Modifica - + &View &Visualizza - + &Navigation Toolbar &Barra di Navigazione - + &Bookmarks Toolbar Barra dei &Segnalibri - + Sta&tus Bar Ba&rra di Stato - + &Menu Bar &Barra Menu - + &Fullscreen Sc&hermo intero - + &Stop S&top - + &Reload &Ricarica - + Character &Encoding Codifica &Carattere - + Toolbars Barre degli Strumenti - + Sidebars Barre Laterali - + Zoom &In &Ingrandisci - + Zoom &Out &Riduci - + Reset Ripristina - + &Page Source &Sorgente Pagina - + Closed Tabs Chiudi Schede - + Restore &Closed Tab Ripristina &Scheda Chiusa - - + + (Private Browsing) (Navigazione Anonima) - + Bookmark &This Page Aggiungi pagina ai &Segnalibri - + Bookmark &All Tabs Aggiungi ai Segnalibri &Tutte le Schede - + Organize &Bookmarks Organizza &Segnalibri - + Bookmarks In ToolBar Segnalibri nella ToolBar - - - + + + Empty Vuoto - + &Back &Indietro - + &Forward &Avanti - + &Home &Home - + Show &All History Visualizza &Tutta la Cronologia - + Restore All Closed Tabs Ripristina Tutte le Schede Chiuse - + Clear list Pulisci lista - + About &Qt Informazioni su &QT - + &About QupZilla &Informazioni su QupZilla - + Informations about application Informazioni sull' applicazione - + Report &Issue Riporta &Problema - + &Web Search &Ricerca Web - + Page &Info Informazioni &Pagina - + &Download Manager &Gestione Scaricamenti - + &Cookies Manager &Gestione Cookie - + &AdBlock &AdBlock - + RSS &Reader Lettore &RSS - + Clear Recent &History Cancella Cronologia &Recente - + &Private Browsing &Navigazione Anonima - + Pr&eferences Pr&eferenze - + Other Altro - + Default Predefinito - + Open file... Apri file... - + Are you sure you want to turn on private browsing? Sei sicuro di voler avviare la navigazione anonima? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Quando la navigazione anonima è attiva, alcune azioni riguardanti la tua privacy potrebbero essere disabilitate: - + Webpages are not added to the history. Le pagine web non vengono aggiunte alla cronologia. - + Current cookies cannot be accessed. Non si può accedere ai cookie correnti. - + Your session is not stored. La Sessione non è memorizzata. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Fino alla chiusura della finestra è sempre possibile fare clic sui pulsanti Avanti e Indietro per tornare alla pagine web che hai aperto. - + Start Private Browsing Avvia Navigazione Anonima - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Ci sono ancora %1 delle schede aperte e la sessione non sarà salvata. Sei sicuro di voler uscire? - - + + New tab Nuova Scheda @@ -3277,7 +3302,7 @@ - + Empty Vuoto @@ -3302,71 +3327,71 @@ Ottimizza Database - + News Novità - - + + Loading... Caricamento... - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. Non hai nessuna fonte RSS<br/> Si prega di aggiungere l'icona RSS nella barra di navigazione su un sito che offre fonti. - + Fill title and URL of a feed: Aggiungi titolo e l'URL di una fonte: - + Feed title: Titolo fonte: - + Feed URL: URL Fonti: - + Edit RSS Feed Modifica Fonti RSS - + Open link in actual tab Apri link nella scheda attuale - + Open link in new tab Apri il link in una nuova scheda - - + + New Tab Nuova Scheda - + Error in fetching feed Errore nel recupero della fonte - + RSS feed duplicated Fonte RSS duplicata - + You already have this feed. Hai già questa fonte. @@ -3543,27 +3568,27 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari SearchEnginesManager - + Search Engine Added Motore di Ricerca Aggiunto - + Search Engine "%1" has been successfully added. Motore di Ricerca "%1" aggiunto con successo. - + Search Engine is not valid! Motore di ricerca non valido! - + Error Errore - + Error while adding Search Engine <br><b>Error Message: </b> %1 Errore nell'aggiunta del Motore di Ricerca <br><b>Messaggio di Errore</b> %1 @@ -3869,7 +3894,7 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari - + Go to Line... Vai alla Riga... @@ -3894,47 +3919,47 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari A capo Automatico - + Save file... Salva file... - + Error! Errore! - + Cannot write to file! Non è possibile scrivere sul file! - + Error writing to file Errore scrittura su file - + Source successfully saved Fonte salvata con successo - + Source reloaded Fonte ricaricata - + Editable changed Permessi di Scrittura cambiati - + Word Wrap changed A Capo Automatico cambiato - + Enter line number Inserire numero di linea @@ -4060,7 +4085,9 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Attualmente hai %1 schede aperte - + + + New tab Nuova scheda @@ -4233,139 +4260,139 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari WebView - + Failed loading page Caricamento pagina fallito - + Loading... Caricamento... - - - + + + New tab Nuova scheda - + Open link in new &tab Apri il link in una nuova &scheda - + Open link in new &window Apri il link in una nuova &finestra - + B&ookmark link &Aggiungi il link ai segnalibri - + &Save link as... &Salva il link come... - + Send link... Invia link... - + &Copy link address &Copia indirizzo link - + Show i&mage Mostra imma&gine - + Copy im&age Copia im&magine - + Copy image ad&dress Copia indiri&zzo immagine - + &Save image as... &Salva immagine come... - + Send image... Invia immagine... - + &Back &Indietro - + &Forward &Avanti - + &Reload &Ricarica - + S&top S&top - + Book&mark page Aggi&ungi la pagina ai Segnalibri - + &Save page as... Sa&lva pagina come... - + Send page... Invia pagina... - + Select &all Seleziona &tutto - + Show so&urce code Mostra codice so&rgente - + Show info ab&out site Mostra info su&l sito - + Show Web &Inspector Mostra Is&pettore Web - + Search "%1 .." with %2 Cerca "%1 .." con %2 - + No Named Page Pagina Senza Nome diff --git a/translations/nl_NL.ts b/translations/nl_NL.ts index 766d044f6..8ddc812c7 100644 --- a/translations/nl_NL.ts +++ b/translations/nl_NL.ts @@ -14,49 +14,49 @@ Auteurs - - + + Authors and Contributors Auteurs en bijdragers - - + + < About QupZilla < Over QupZilla - + <p><b>Application version %1</b><br/> <p><b>Programma-versie %1</b><br/> - + <b>WebKit version %1</b></p> <b>WebKit-versie %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Alle rechten voorbehouden.<br/> - + <small>Build time: %1 </small></p> <small>Bouwtijd: %1</small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Hoofdontwikkelaars:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Bijdragers</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Vertalers:</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Importeer bladwijzers</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Kies de browser waaruit u bladwzijers wilt importeren: - + Choose... Kies... - + Fetching icons, please wait... Verkrijgen van pictogrammen, wacht alstublieft... - + Title Titel - + Url URL - + Next Volgende - + Cancel Annuleren - + <b>Importing from %1</b> <b>Bezig met importeren uit %1</b> - + Finish Afronden - - - + + + + Error! Fout! - + Choose directory... Kies map... - + Choose file... Kies bestand... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox bewaart haar bladwijzers in <b>places.sqlite</b> SQLite-datebase. Dit bestand is normaal gezien te vinden in - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome bewaart haar bladwijzers in <b>Bookmarks</b>-tekstbestand. Dit bestand is normaal gezien te vinden in - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera bewaart haar bladwijzers in <b>bookmarks.adr</b>-tekstbestand. Dit bestand is normaal gezien te vinden in - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer bewaart haar bladwijzers in <b>Favorieten</b>-map. Dit bestand is normaal gezien te vinden in - - - + + + + Please choose this file to begin importing bookmarks. Kies alstublieft dit bestand om het importeren te starten. - + Please choose this folder to begin importing bookmarks. Kies alstublieft deze map om het importeren te starten. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Bladwijzers in menu - - - + + + Bookmarks In ToolBar Bladwijzers op werkbalk - - + + Unsorted Bookmarks Ongesorteerde bladwijzers @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page &Bladwijzer huidige pagina - + Bookmark &All Tabs Bladwijzer &alle tabbladen - + &Organize Bookmarks &Sorteer bladwijzers - + Hide Most &Visited Verberg meest &bezocht - + Show Most &Visited Toon meest &bezocht - + &Hide Toolbar &Verberg werkbalk - + Move right Verplaats naar rechts - + Move left Verplaats naar links - + Remove bookmark Verwijder bladwijzer - + Most visited Meest bezocht - + Sites you visited the most Websites die u het meest bezocht heeft - - + + Empty Leeg @@ -1129,13 +1141,13 @@ DownloadFileHelper - - + + Save file as... Bestand opslaan als... - + NoNameDownload GeenNaamVoorDownload @@ -1292,29 +1304,29 @@ werd niet gevonden! % - Download-manager - + Download Finished Download voltooid - + All files have been successfully downloaded. Alle bestanden zijn met succes gedownload. - + Warning Waarschuwing - + Are you sure to quit? All uncompleted downloads will be cancelled! Weet u zeker dat u wilt afsluiten? Alle onvoltooide downloads zullen geannuleerd worden! - + Download Manager Download-manager @@ -1357,7 +1369,7 @@ werd niet gevonden! Openen... - + Save File Bestand opslaan @@ -1502,72 +1514,72 @@ werd niet gevonden! HistoryModel - + Failed loading page Mislukt om pagina te laden - + No Named Page Niet-benoemde pagina - + January Januari - + February Februari - + March Maart - + April April - + May Mei - + June Juni - + July Juli - + August Augustus - + September September - + October Oktober - + November November - + December December @@ -1623,6 +1635,19 @@ werd niet gevonden! Deze maand + + HtmlImporter + + + No Error + Geen fout + + + + Unable to open file. + + + LocationBar @@ -1650,12 +1675,12 @@ werd niet gevonden! MainApplication - + Last session crashed Laatste sessie gecrashed - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla crashte :-(</b><br/>Oeps, de laatste sessie van QupZilla eindigde met een crash. We verontschuldigen ons. Wilt u proberen om de opgeslagen status te herstellen? @@ -1694,8 +1719,8 @@ werd niet gevonden! Verlaat volledig scherm - - + + Clear history Verwijder geschiedenis @@ -2630,428 +2655,428 @@ werd niet gevonden! QupZilla - + Bookmarks Bladwijzers - + History Geschiedenis - + Quit Sluit af - + New Tab Nieuw tabblad - + Close Tab Sluit tabblad - + IP Address of current page IP-adres van huidige pagina - + &Tools Hulp&middelen - + &Help &Help - + &Bookmarks &Bladwijzers - + Hi&story &Geschiedenis - + &File &Bestand - + &New Window &Nieuw venster - + Open &File Open &bestand - + &Save Page As... &Sla pagina op als... - + &Print &Afdrukken - + Import bookmarks... Importeer bladwijzers... - + &Edit Be&werken - + &Undo &Ongedaan maken - + &Redo &Herhalen - + &Cut &Knippen - + C&opy K&opiëren - + &Paste &Plakken - + &Delete &Verwijderen - + Select &All Selecteer &Alles - + &Find &Zoeken - + &View &Toon - + &Navigation Toolbar &Navigatiewerkbalk - + &Bookmarks Toolbar &Bladwijzerwerkbalk - + Sta&tus Bar Sta&tusbalk - + Toolbars Werkbalken - + Sidebars Zijpanelen - + &Page Source &Pagina-broncode - + &Menu Bar &Menubalk - + &Fullscreen &Volledig scherm - + &Stop &Stoppen - + &Reload &Herladen - + Character &Encoding &Karakter-tekenset - + Zoom &In Zoo&m in - + Zoom &Out Z&oom uit - + Reset Herstart - + Close Window Sluit venster - + Open Location Open locatie - + Send Link... Verstuur link... - + Other Overig - + Default Standaard - + Current cookies cannot be accessed. Huidige cookies kunnen niet worden benaderd. - + Your session is not stored. Uw sessie is niet bewaard. - + Start Private Browsing Start incognito browsen - + Private Browsing Enabled Incognito browsen ingeschakeld - + Restore &Closed Tab Herstel &gesloten tabblad - + Bookmarks In ToolBar Bookmarks In Toolbar Bladwijzers op werkbalk - - - + + + Empty Leeg - - + + New tab Nieuw tabblad - + Bookmark &This Page Bladwijzer &deze pagina - + Bookmark &All Tabs Bladwijzer &alle tabbladen - + Organize &Bookmarks Organiseer &bladwijzers - + &Back &Terug - + &Forward &Vooruit - + &Home &Startpagina - + Show &All History Toon &alle geschiedenis - + Closed Tabs Gesloten tabbladen - + Save Page Screen Sla schermafbeelding op - - + + (Private Browsing) (Incognito browsen) - + Restore All Closed Tabs Herstel alle gesloten tabbladen - + Clear list Wis lijst - + About &Qt Over &Qt - + &About QupZilla &Over QupZilla - + Informations about application Informatie over programma - + Report &Issue Rapporteer &probleem - + &Web Search &Webzoeken - + Page &Info Pagina-&info - + &Download Manager &Downloadbeheerder - + &Cookies Manager &Cookies-beheerder - + &AdBlock &AdBlock - + RSS &Reader &RSS-lezer - + Clear Recent &History Wis recente &geschiedenis - + &Private Browsing &Incognito browsen - + Pr&eferences &Instellingen - + Open file... Open bestand... - + Are you sure you want to turn on private browsing? Weet u zeker dat u incognito browsen wilt inschakelen? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Wanneer incognito browsen is ingeschakeld, zullen sommige acties aangaande uw privacy uitgeschakeld worden: - + Webpages are not added to the history. Webpagina's worden niet toegevoegd aan uw geschiedenis. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Totdat u dit venster afsluit, kunt nog steeds op de Terug en Vooruit-knoppen klikken om terug naar de webpagina's te gaan die u hebt geopend. - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? U heeft nog steeds %1 geopende tabs en uw sessie zal niet worden opgeslagen. Weet u zeker dat u wilt afsluiten? @@ -3277,12 +3302,12 @@ werd niet gevonden! - + Empty Leeg - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. U heeft geen RSS-feeds.<br/> @@ -3309,64 +3334,64 @@ Voeg enkele toe via het RSS-icoon op de navigatiewerkbalk op een site die feeds Optimaliseer database - + News Nieuws - - + + Loading... Laden... - + Fill title and URL of a feed: Voer titel en URL in van een feed: - + Feed title: Feed-titel: - + Feed URL: Feed-URL: - + Edit RSS Feed Bewerk RSS-rfeed - + Open link in actual tab Open link in huidig tabblad - + Open link in new tab Open link in nieuw tabblad - - + + New Tab Nieuw tabblad - + Error in fetching feed Fout bij ophalen van feed - + RSS feed duplicated Duplicaat van RSS-feed - + You already have this feed. U heeft deze feed al. @@ -3543,27 +3568,27 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te SearchEnginesManager - + Search Engine Added Zoekmachine toegevoegd - + Search Engine "%1" has been successfully added. Zoekmachine "%1" is succesvol toegevoegd. - + Search Engine is not valid! Zoekmachine is ongeldig! - + Error Fout - + Error while adding Search Engine <br><b>Error Message: </b> %1 Fout tijdens het toevoegen van de zoekmachine. <br><b>Foutmelding:</b> %1 @@ -3870,7 +3895,7 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te - + Go to Line... Ga naar regel... @@ -3895,47 +3920,47 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Woordwikkel - + Save file... Sla bestand op... - + Error! Fout! - + Cannot write to file! Kan niet naar bestand schrijven! - + Error writing to file Fout bij schrijven naar bestand - + Source successfully saved Bron succesvol opgeslagen - + Source reloaded Bron herladen - + Editable changed Bewerkbaar veranderd - + Word Wrap changed Woordwikkel veranderd - + Enter line number Vul regelnummer in @@ -4061,7 +4086,9 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Eigenlijk heeft U %1 geopende tabbladen - + + + New tab Nieuw tabblad @@ -4233,139 +4260,139 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te WebView - + Loading... Bezig met laden... - + Open link in new &tab Open link in nieuw &tabblad - + Open link in new &window Open link in nieuw &venster - + B&ookmark link B&ladwijzer link - + &Save link as... &Sla link op als... - + &Copy link address &Kopieer linkadres - + Show i&mage Toon af&beelding - + Copy im&age &Kopieer afbeelding - + Copy image ad&dress Kopieer af&beeldingsadres - + S&top &Stop - + Show info ab&out site Toon info &over site - + Show Web &Inspector Toon Web-&inspecteur - + &Save image as... &Sla afbeelding op als... - + Failed loading page Mislukt om pagina te laden - + &Back &Terug - + &Forward &Vooruit - + &Reload &Herlaad - + Book&mark page &Bladwijzer pagina - + &Save page as... &Sla pagina op als... - + Select &all &Selecteer alles - + Show so&urce code &Toon broncode - + Search "%1 .." with %2 Zoek "%1 .." met %2 - + No Named Page Niet benoemde pagina - - - + + + New tab Nieuw tabblad - + Send link... Verstuur link... - + Send image... Verstuur afbeelding... - + Send page... Odeslat stránku... diff --git a/translations/pl_PL.ts b/translations/pl_PL.ts index d5d7090a3..cce015331 100644 --- a/translations/pl_PL.ts +++ b/translations/pl_PL.ts @@ -9,67 +9,66 @@ O QupZilla - <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> <html><head><meta name="qrichtext" content="1" /><style type="text/css"> p, li { white-space: pre-wrap; } </style></head><body style=" font-family:'Ubuntu'; font-size:10pt; font-weight:400; font-style:normal;"> <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"></p></body></html> - <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> + <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> <html><head><meta name="qrichtext" content="1" /><style type="text/css"> p, li { white-space: pre-wrap; } </style></head><body style=" font-family:'Ubuntu'; font-size:10pt; font-weight:400; font-style:normal;"> <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"></p></body></html> - + Authors Autorzy - + Authors and Contributors Autorzy i Kontrybutorzy - - + + < About QupZilla < O QupZilla - + <p><b>Application version %1</b><br/> <p><b>Wersja aplikacji: %1</b><br/> - + <b>WebKit version %1</b></p> <b>Wersjia WebKit: %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Wszelkie prawa zastrzerzone.<br/> - + <small>Build time: %1 </small></p> <small>Kompilacja z: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Główni programiści:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Kontrybutorzy:</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Tłumaczący:</b><br/>%1</p> @@ -102,8 +101,8 @@ p, li { white-space: pre-wrap; } Do dołu - - + + Personal [%1] Osobiste [%1] @@ -132,7 +131,7 @@ p, li { white-space: pre-wrap; } - + Add Rule Regel hinzufügen @@ -147,32 +146,32 @@ p, li { white-space: pre-wrap; } AdBlock - + Delete Rule Regel löschen - + Update completed Aktualisierung beendet - + EasyList has been successfully updated. EasyList wurde erfolgreich aktualisiert. - + Custom Rules Benutzerdefinierte Regeln - + Add Custom Rule Benutzerdefinierte Regel hinzufügen - + Please write your rule here: Bitte Regel hier eintragen: @@ -195,22 +194,22 @@ p, li { white-space: pre-wrap; } Keine Seiteninhalte geblockt - + Blocked URL (AdBlock Rule) - click to edit rule Geblockte URL (AdBlock Regel) - zum Bearbeiten anklicken - + %1 with (%2) %1 mit (%2) - + Learn About Writing &Rules Hilfe zur &Regelerstellung - + New tab Neuer Tab @@ -241,66 +240,77 @@ p, li { white-space: pre-wrap; } Hasła - - + + Server Serwer - + + Username + + + + Password Hasło - - + + Remove Usuń - + Edit Edytuj - - + + Remove All Usuń wszytkie - - + + + Show Passwords Pokaż hasła - + Exceptions Wyjątki - + Are you sure that you want to show all passwords? Czy jesteś pewien, że chcesz odsłonić wszytkie hasła? - + + Hide Passwords + + + + Confirmation Potwierdzenie - + Are you sure to delete all passwords on your computer? Jesteś pewien, że chcesz usunąć z tego komutera wszytkie swoje hasła? - + Edit password Edytuj hasło - + Change password: Zmień hasło: @@ -308,9 +318,13 @@ p, li { white-space: pre-wrap; } AutoFillNotification - Do you want QupZilla to remember password on %1? - Czy chcesz by QupZilla twoje zapamiętała hasło na %1? + Czy chcesz by QupZilla twoje zapamiętała hasło na %1? + + + + Do you want QupZilla to remember password for <b>%1</b> on %2? + @@ -335,12 +349,12 @@ p, li { white-space: pre-wrap; } BookmarkIcon - + Bookmark this Page Utwórz zakładkę dla tej strony - + Edit this bookmark Edytuj tą zakładkę @@ -358,12 +372,17 @@ p, li { white-space: pre-wrap; } <b>Zaimportuj zakładki</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Wybierz przeglądarkę, z której chcesz zaimportować swoje zakładki: - + Choose... Wybierz... @@ -393,61 +412,68 @@ p, li { white-space: pre-wrap; } Anuluj - + <b>Importing from %1</b> <b>Importowanie z %1</b> - + Finish Zakończ - - + + + Error! Błąd! - + Choose directory... Wybierz folder... - + Choose file... Wybierz plik... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox przechowuje swoje zakładki w bazie danych SQLite <b>places.sqlite</b>. Jest ona najczęściej umieszczona w - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome przechowuje swoje zakładki w <b>Bookmarks</b>. Plik ten zazwyczaj znajduje się w - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera speichert die Lesezeichen in der Datei <b>bookmarks.adr</b>. Diese ist gewöhnlich gespeichert unter - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer speichert die Lesezeichen im <b>Favorites</b> Ordner. Dieser Ordner ist gewöhnlich zu finden unter - - - + + + + Please choose this file to begin importing bookmarks. Bitte wählen Sie diese Datei, um mit dem Import zu beginnen. - + Please choose this folder to begin importing bookmarks. Bitte wählen Sie diesen Ordner, um mit dem Import zu beginnen. @@ -471,7 +497,7 @@ p, li { white-space: pre-wrap; } - + Rename Folder Ordner umbenennen @@ -481,9 +507,8 @@ p, li { white-space: pre-wrap; } Löschen - Del - Entf + Entf @@ -501,100 +526,100 @@ p, li { white-space: pre-wrap; } Unterordner hinzufügen - + Add new folder Neuen Ordner hinzufügen - + Choose name for new bookmark folder: Namen für neues Lesezeichen angeben: - + New Tab Neuer Tab - - - - - - + + + + + + Bookmarks In Menu Lesezeichen im Menü - - - - - - - + + + + + + + Bookmarks In ToolBar Lesezeichen in Werkzeug-Leiste - + Open link in actual &tab Link in &aktuellem Tab öffnen - + Add new subfolder Neuen Unterordner hinzufügen - + Choose name for new subfolder in bookmarks toolbar: Namen für neuen Unterordner in Lesezeichen-Leiste auswählen: - + Choose name for folder: Namen für Ordner auswählen: - + Open link in &new tab Link in &neuem Tab öffnen - + Move bookmark to &folder Lesezeichen in &Ordner verschieben - - - + + + Unsorted Bookmarks Unsortierte Lesezeichen - + <b>Warning: </b>You already have this page bookmarked! <b>Warnung: </b>Diese Lesezeichen haben Sie bereits hinzugefügt! - + Choose name and location of bookmark. Namen und Speicherort für Lesezeichen auswählen. - + Add New Bookmark Neues Lesezeichen hinzufügen - + Choose folder for bookmarks: Ordner für Lesezeichen auswählen: - + Bookmark All Tabs Lesezeichen für alle geöffneten Tabs hinzufügen @@ -602,22 +627,22 @@ p, li { white-space: pre-wrap; } BookmarksModel - - - + + + Bookmarks In Menu Lesezeichen im Menü - - - + + + Bookmarks In ToolBar Lesezeichen in Werkzeug-Leiste - - + + Unsorted Bookmarks Unsortierte Lesezeichen @@ -630,33 +655,33 @@ p, li { white-space: pre-wrap; } Suchen... - + New Tab Neuer Tab - + Open link in actual &tab Link in &aktuellem Tab öffnen - + Open link in &new tab Link in &neuem Tab öffnen - + Copy address Link-Adresse kopieren - - + + Bookmarks In Menu Lesezeichen im Menü - + &Delete &Löschen @@ -664,63 +689,63 @@ p, li { white-space: pre-wrap; } BookmarksToolbar - + &Bookmark Current Page Lesezeichen für &aktuelle Seite hinzufügen - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + &Organize Bookmarks Bookmarks &bearbeiten - + Hide Most &Visited Meistbesuchte &verstecken - + Show Most &Visited Meistbesuchte &anzeigen - + &Hide Toolbar &Werkzeugleiste verstecken - + Move right Nach rechts - + Move left Nach links - + Remove bookmark Lesezeichen entfernen - + Most visited Meistbesuchte - + Sites you visited the most Meistbesuchte Seiten - - + + Empty Leer @@ -801,12 +826,12 @@ p, li { white-space: pre-wrap; } RSS - + Database Optimized Datenbank optimiert - + Database successfully optimized.<br/><br/><b>Database Size Before: </b>%1<br/><b>Database Size After: </b>%2 Datenbank erfolgreich optimiert.<br/><br/><b>Datenbankgröße vorher: </b>%1<br/><b>Datenbankgröße nachher: </b>%2 @@ -820,49 +845,49 @@ p, li { white-space: pre-wrap; } - + Common Name (CN): Allgemeiner Name (CN): - - + + Organization (O): Organisation (O): - - + + Organizational Unit (OU): Organisationseinheit (OU): - + Serial Number: Seriennummer: - + <b>Issued By</b> <b>Ausgestellt von</b> - + <b>Validity</b> <b>Gültigkeit</b> - + Issued On: Ausgestellt für: - + Expires On: Verfällt am: - + <not set in certificate> <Im Zertifkat nicht vorhanden> @@ -880,7 +905,7 @@ p, li { white-space: pre-wrap; } Datei kann nicht geöffnet werden. - + Cannot evaluate JSON code. JSON Format kann nicht ausgewertet werden. @@ -971,22 +996,22 @@ p, li { white-space: pre-wrap; } %1 zur Whitelist hinzufügen - + Flash Object Flash Objekt - + <b>Attribute Name</b> <b>Attribut Name</b> - + <b>Value</b> <b>Wert</b> - + No more informations available. Keine weiteren Informationen verfügbar. @@ -1063,28 +1088,28 @@ p, li { white-space: pre-wrap; } - - - - - - - - - - - + + + + + + + + + + + <cookie not selected> <Cookie nicht ausgewählt> - + Remove all cookies Alle Cookies löschen - - + + Remove cookie Ausgewählten Cookie löschen @@ -1094,46 +1119,54 @@ p, li { white-space: pre-wrap; } Suchen - + Confirmation Bestätigung - + Are you sure to delete all cookies on your computer? Möchten Sie wirklich alle auf Ihrem Computer gespeicherten Cookies löschen? - + Remove cookies Cookies löschen - + Secure only Nur sichere - + All connections Alle Verbindungen - + Session cookie Sitzungscookie + + DesktopNotificationsFactory + + + Native System Notification + + + DownloadFileHelper - - + + Save file as... Datei speichern als... - + NoNameDownload NoNameDownload @@ -1141,134 +1174,132 @@ p, li { white-space: pre-wrap; } DownloadItem - A Clockwork Orange.avi - Mechaniczna pomarańcza.avi + Mechaniczna pomarańcza.avi - Remaining 26 minutes - 339MB of 693 MB (350kB/s) - pozostało 26 minut - 339MB z 693 MB (350kB/s) + pozostało 26 minut - 339MB z 693 MB (350kB/s) - + Remaining time unavailable Czas pozostały niedostępny - + Done - %1 Zakończone - %1 - - + + Cancelled Anulowane - + few seconds Niewiele sekund - + seconds sekund - + minutes minut - + hours godzin - + Unknown speed Prędkość nieznana - - + + Unknown size Rozmiar nieznay - + %2 - unknown size (%3) %2 - niezmiany rozmiar (%3) - + Remaining %1 - %2 of %3 (%4) Pozostało %1 - %2 z %3 (%4) - + Cancelled - %1 Anulowao - %1 - + Delete file Usuń plik - + Do you want to also delete dowloaded file? Czy chcesz też usunąć pliki pobrane? - + Open File Otwórz plik - + Open Folder Otwórz folder - + Go to Download Page Idz do strony pobierania - + Copy Download Link Kopiuj łącze pobierania - + Cancel downloading Anuluj pobieranie - + Clear Wyczyść - + Error Błąd - + New tab Nowa zakładka - + Not found Nie znaleziono - + Sorry, the file %1 was not found! @@ -1277,12 +1308,12 @@ p, li { white-space: pre-wrap; } nie znaleziono! - + Error: Cannot write to file! Błąd: Nie można zpisać do pliku! - + Error: Błąd: @@ -1290,39 +1321,39 @@ p, li { white-space: pre-wrap; } DownloadManager - + %1% of %2 files (%3) %4 remaining %1% von %2 Dateien (%3) %4 verbleiben - + % - Download Manager % - Download Manager - + Download Finished Download beendet - + All files have been successfully downloaded. Alle Dateien wurden erfolgreich heruntergeladen. - + Warning Warnung - + Are you sure to quit? All uncompleted downloads will be cancelled! Möchten Sie QupZilla wirklich beenden?Alle nicht beendeten Downloads werden abgebrochen! - - + + Download Manager Download Manager @@ -1340,17 +1371,17 @@ p, li { white-space: pre-wrap; } Öffnen von - + which is a: vom Typ: - + from: von: - + What should QupZilla do with this file? Wie soll QupZilla mit dieser Datei verfahren? @@ -1360,12 +1391,12 @@ p, li { white-space: pre-wrap; } Datei zum Öffnen ausgewählt - + Open... Öffnen... - + Save File Datei speichern @@ -1454,60 +1485,59 @@ p, li { white-space: pre-wrap; } Löschen - Del - Entf + Entf - + Clear All History Gesamten Verlauf löschen - + Optimize Database Datenbank optimieren - + New Tab Neuer Tab - + Open link in actual tab Link in aktuellem Tab öffnen - + Open link in new tab Link in neuem Tab öffnen - - + + Today Heute - - + + This Week Diese Woche - - + + This Month Dieser Monat - + Confirmation Bestätigung - + Are you sure to delete all history? Möchten Sie wirklich den gesamten Verlauf löschen? @@ -1515,72 +1545,72 @@ p, li { white-space: pre-wrap; } HistoryModel - + Failed loading page Seite konnte nicht geladen werden - + No Named Page Unbekannte Seite - + January Januar - + February Februar - + March März - + April April - + May Mai - + June Juni - + July Juli - + August August - + September September - + October Oktober - + November November - + December Dezember @@ -1598,44 +1628,57 @@ p, li { white-space: pre-wrap; } Tytuł - + New Tab Nowa zakłądka - + Open link in actual tab Otwórz łacze w aktualnej zakłądce - + Open link in new tab Otwórz łacze w nowej zakładce - + Copy address Kopuj adres - - + + Today Dziś - - + + This Week W tym tygodniu - - + + This Month W tym miesiącu + + HtmlImporter + + + No Error + + + + + Unable to open file. + + + LocationBar @@ -1654,21 +1697,26 @@ p, li { white-space: pre-wrap; } Wprowadz adres URL lub szukaj dalej %1 - + + .co.uk + Append domain name on ALT + Enter = Should be different for every country + .pl + + .co.uk Append domain name on ALT key = Should be different for every country - .pl + .pl MainApplication - + Last session crashed Ostania sesja zakończona nieprawidłowym z zamknięciem aplikacji - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla zawiesił się :-(</b><br/>Ostania sesja zakończona nieprawidłowym z zamknięciem QupZilli. Bardzo nam przykro. Czy chcesz spróbować przywrócić ostatni, zapisany stan? @@ -1707,8 +1755,8 @@ p, li { white-space: pre-wrap; } Wyjdz z trybu pełnoekranowego - - + + Clear history Wyczyść historię @@ -1716,74 +1764,82 @@ p, li { white-space: pre-wrap; } NetworkManager - + SSL Certificate Error! SSL Zertifikatsfehler! - The page you trying to access has following errors in SSL Certificate: - Beim Laden dieser Seite sind folgende SSL Zertifikatsfehler aufgetreten:: + Beim Laden dieser Seite sind folgende SSL Zertifikatsfehler aufgetreten:: - + <b>Organization: </b> <b>Organisation: </b> - + <b>Domain Name: </b> <b>Domänen-Name: </b> - + <b>Expiration Date: </b> <b>Ablaufdatum: </b> - + <b>Error: </b> <b>Fehler: </b> - Would you like to make exception for this certificate? - Möchten Sie eine Ausnahme für dieses Zertifkat zulassen? + Möchten Sie eine Ausnahme für dieses Zertifkat zulassen? - + + The page you are trying to access has the following errors in the SSL certificate: + + + + + Would you like to make an exception for this certificate? + + + + Authorization required Authentifizierung erforderlich - - + + Username: Nutzername: - - + + Password: Passwort: - + Save username and password on this site Nutzername und Passwort für diese Seite speichern - + A username and password are being requested by %1. The site says: "%2" Bitte Nutzername und Passwort zur Anmeldung an Server %1 angeben. Statusmeldung: "%2" - + Proxy authorization required Anmeldung am Proxy erforderlich - + A username and password are being requested by proxy %1. Bitte Nutzername und Passwort zur Anmeldung an Proxy %1 angeben. @@ -1895,695 +1951,710 @@ p, li { white-space: pre-wrap; } Einstellungen - + General Allgemein - + 1 1 - + Downloads Downloads - + Plugins Plugins - + Open blank page Leere Seite öffnen - - + + Open homepage Startseite öffnen - + Restore session Sitzung wiederherstellen - + Homepage: Startseite: - + On new tab: Bei neuem Tab: - + Open blank tab Leeren Tab öffnen - + Open other page... Andere Seite öffnen... - + <b>Profiles</b> <b>Profile</b> - + Startup profile: Beim Start: - + Create New Neues Profil erstellen - + Delete Löschen - + <b>Launching</b> <b>Start</b> - + QupZilla QupZilla - + <b>General</b> <b>Allgemein</b> - + Show StatusBar on start Status-Leiste nach Programmstart anzeigen - + Show Bookmarks ToolBar on start Lesezeichen Werkzeug-Leiste nach Programmstart anzeigen - + Show Navigation ToolBar on start Navigations-Leiste nach Programmstart anzeigen - + <b>Navigation ToolBar</b> <b>Navigations-Leiste</b> - + Allow storing network cache on disk Cache-Speicherung auf lokaler Festplatte erlauben - + <b>Cookies</b> <b>Cookies</b> - + <b>Address Bar behaviour</b> <b>Adress-Leisten Verhalten</b> - + <b>Language</b> <b>Sprache</b> - + Show Home button Startseiten-Schaltfläche anzeigen - + Show Back / Forward buttons Zurück- / Vorwärts-Schaltflächen anzeigen - + <b>Browser Window</b> <b>Browser-Fenster</b> - + Tabs Tabs - - + + Use actual Aktuelle verwenden - + <b>Background<b/> <b>Hintergrund<b/> - + Use transparent background Transparenten Hintergrund benutzen - + <b>Tabs behavior</b> <b>Tab-Verhalten</b> - + Make tabs movable Verschieben von Tabs erlauben - + Hide close button if there is only one tab Beenden-Schaltfläche verstecken, wenn nur ein Tab aktiv - + Hide tabs when if there is only one tab Tabs verstecken, wenn nur einer aktiv - + Web Configuration Web Konfiguration - + Maximum Maximum - + 50 MB 50 MB - + Ask everytime for download location Jedes Mal nach Speicherort fragen - + Use defined location: Definierten Speicherort benutzen: - - + + ... ... - + Browsing Im Internet surfen - + Load images Grafiken laden - + Allow JAVA Java zulassen - + Allow Plugins (Flash plugin) Plugins erlauben (Flash plugin) - + Maximum pages in cache: Maximale Seitenanzahl im Cache: - + Password Manager Passwort Manager - + <b>AutoFill options</b> <b>Autovervollständigen</b> - + Allow saving passwords from sites Speichern von Passwörtern von Seiten erlauben - + Privacy Privatsphäre - + Fonts Schriftarten - - + + Note: You cannot delete active profile. Hinweis: Ein aktives Profil kann nicht gelöscht werden. - + Notifications Benachrichtigungen - + Show Add Tab button Tab hinzufügen Schaltfläche anzeigen - + Activate last tab when closing active tab Zuletzt besuchten Tab aktivieren, wenn aktiver Tab geschlossen wird - + Block PopUp windows PopUp Fenster blockieren - + Allow DNS Prefetch DNS Prefetch erlauben - + JavaScript can access clipboard JavaScript darf auf die Zwischenablage zugreifen - + Include links in focus chain Links in Focus Chain berücksichtigen - + Zoom text only Nur Text vergrößern - + Print element background Hintergrund drucken - + Send Do Not Track header to servers Do Not Track Kopfzeile zum Server senden - + Appereance Erscheinungsbild - + After launch: Nach dem Start: - + + + Open speed dial + + + + Check for updates on start Beim Start auf Aktualisierungen überprüfen - + Themes Themen - + Advanced options Erweiterte Optionen - + Ask when closing multiple tabs Fragen, wenn mehrere Tabs geschlossen werden - + + Select all text by clicking in address bar + + + + Allow JavaScript JavaScript erlauben - + + Enable XSS Auditing + + + + Mouse wheel scrolls Mit dem Mausrad blättern - + lines on page Zeilen auf einer Seite - + Default zoom on pages: Standardvergrößerung: - + Local Storage Lokaler Speicherplatz - + Proxy Configuration Proxy Konfiguration - + <b>Font Families</b> <b>Schriftarten</b> - + Standard Standard - + Fixed Feste Breite - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kursiv - + Default Font Standard-Schriftart - + Fixed Font Schriftart mit fester Breite - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Schriftgrößen</b> - + <b>Download Location</b> <b>Download Verzeichnis</b> - + <b>Download Options</b> <b>Download Optionen</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Nativen System-Dialog verwenden (kann Probleme beim Herunterladen von mittels SSL geschützten Inhalten verursachen) - + Close download manager when downloading finishes Download-Manager schließen, wenn das Herunterladen beendet ist - + Filter Tracking Cookies Seitenfremde Cookies verbieten - + Allow storing of cookies Das Speichern von Cookies erlauben - + Delete cookies on close Cookies beim Beenden löschen - + Match domain exactly Genaue Übereinstimmung der Domain - + <b>Warning:</b> Match domain exactly and Filter Tracking Cookies options can lead to deny some cookies from sites. If you have problems with cookies, try to disable this options first! <b>Warnung:</b> Das Einschalten der Optionen "Genaue Übereinstimmung" und "Seitenfremde Inhalte" kann dazu führen, dass Cookies von Webseiten zurückgewiesen werden. Tritt dieses Problem auf, deaktivieren Sie bitte zunächst diese Optionen! - + Cookies Manager Cookie Manager - + <b>Notifications</b> <b>Benachrichtigungen</b> - + Use OSD Notifications OSD verwenden - + Use Native System Notifications (Linux only) System-Benachrichtigungen verwenden (nur Linux) - + Do not use Notifications Keine Benachrichtigungen verwenden - + Expiration timeout: Zeit: - + seconds Sekunden - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Hinweis: </b>Sie können die Position des OSD ändern, in dem Sie es auf dem Bildschirm mit der Maus verschieben. - + <b>User CSS StyleSheet</b> <b>Benutzerdefiniertes CSS StyleSheet</b> - + StyleSheet automatically loaded with all websites: StyleSheet automatisch mit allen Webseiten laden: - + Languages Sprachen - + <b>Preferred language for web sites</b> <b>Bevorzugte Sprache für Webseiten</b> - + System proxy configuration Proxy-Einstellungen des Systems verwenden - + Do not use proxy Keinen Proxy benutzen - + Manual configuration Manuelle Konfiguration - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Port: - + Username: Nutzername: - + Password: Passwort: - + Don't use on: Ausnahme: - + Allow storing web icons Speichern von Web-Symbolen erlauben - + Allow saving history Speichern des Verlaufs erlauben - + Delete history on close Verlauf beim Beenden löschen - + Other Andere - + Select all text by double clicking in address bar Select all text by clicking at address bar Ganzen Text mit einem Doppelklick in der Adress-Leiste auswählen - Add .com domain by pressing CTRL key - Zum Hinzufügen der .com Domäne drücken Sie bitte die STRG-Taste + Zum Hinzufügen der .com Domäne drücken Sie bitte die STRG-Taste - + Add .co.uk domain by pressing ALT key Zum Hinzufügen der .co.uk Domäne drücken Sie bitte die ALT-Taste - + SSL Manager SSL Manager - + Available translations: Verfügbare Übersetzungen: - + In order to change language, you must restart browser. Um die Sprache zu ändern, starten Sie bitte QupZilla neu. - + OSD Notification OSD Benachrichtigung - + Drag it on the screen to place it where you want. Veschieben Sie es auf dem Bildschirm nach Belieben. - + Choose download location... Download-Verzeichnis auswählen... - + Choose stylesheet location... Stylesheet-Verzeichnis wählen... - + New Profile Neues Profil - + Enter the new profile's name: Bitte geben Sie den Namen des neuen Profils ein: - - + + Error! Fehler! - + This profile already exists! Dieses Profil existiert bereits! - + Cannot create profile directory! Verzeichnis kann nicht erstellt werden! - + Confirmation Bestätigung - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Möchten Sie wirklich das Profil "%1" dauerhaft entfernen? Diese Aktion kann nicht rückgängig gemacht werden! @@ -2591,7 +2662,7 @@ p, li { white-space: pre-wrap; } QObject - + The file is not an OpenSearch 1.1 file. Diese Datei besitzt kein gültiges OpenSearch 1.1 Format. @@ -2599,32 +2670,32 @@ p, li { white-space: pre-wrap; } QtWin - + Open new tab Neuen Tab öffnen - + Opens a new tab if browser is running Öffnet einen neuen Tab bei gestartetem Browser - + Open new window Neues Fenster öffnen - + Opens a new window if browser is running Öffnet ein neues Fenster bei gestartetem Browser - + Open download manager Download Manager öffnen - + Opens a download manager if browser is running Öffnet den Download Manager bei gestartetem Browser @@ -2632,426 +2703,427 @@ p, li { white-space: pre-wrap; } QupZilla - + Bookmarks Zakąłdki - + History Historia - + Quit Zakończ - + New Tab Nowa zakładka - + Close Tab Zamknij zakłądkę - + IP Address of current page Adres IP obecnej strony - + &Tools &Narzędzia - + &Help &Pomoc - + &Bookmarks &Zakładki - + Hi&story &Historia - + &File &Plik - + &New Window &Nowe okno - + Open &File Otwórz &plik - + &Save Page As... &Zapisz stronę jako... - + &Print &Wydrukuj - + Import bookmarks... Importuj zakładki... - + &Edit &Edytuj - + &Undo &Cofnij zmianę - + &Redo &Przywróc zmianę - + &Cut &Wytnij - + C&opy &Kopiuj - + &Paste &Wklej - + &Delete &Usuń - + Select &All Zaznacz &Wszystko - + &Find &Szukaj - + &View &Podgląd - + &Navigation Toolbar Pasek narzędziowy &nawigacji - + &Bookmarks Toolbar Pasek narzędziowy &zakładek - + Sta&tus Bar Pasek sta&nu - + Toolbars Paski narzędziowe - + Sidebars Paski poboczne - + &Page Source &Źródło storny - + &Menu Bar &Paski menu głównego - + &Fullscreen &Pełen ekran - + &Stop &Zatrzymaj - + &Reload &Przeładuj - + Character &Encoding Kodowanie &znaków - + Zoom &In &Powiększ - + Zoom &Out &Zmniejsz - + Reset Resetuj - + Close Window Zamknij okno - + Open Location Otwórz adres - + Send Link... Wyślij łącze... - + Other Inne - + Default Domyśle - + Current cookies cannot be accessed. Obecne pliki cistek nie mogą być zaakceptowane. - + Your session is not stored. Twoja sesja nie jest zapisywana. - + Start Private Browsing Pozpocznij Przeglądanie w Trybie Prywatnym - + Private Browsing Enabled Tryb Prywatny aktywny - + Restore &Closed Tab Przywróc &zakładkę zamkniętą - + Bookmarks In ToolBar Lesezeichen in Werkzeug-Leiste - - - + + + Empty Leer - + + New tab Neuer Tab - + Bookmark &This Page &Lesezeichen für diese Seite hinzufügen - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + Organize &Bookmarks Bookmarks &bearbeiten - + &Back &Zurück - + &Forward &Vor - + &Home &Startseite - + Show &All History &Vollständigen Verlauf anzeigen - + Closed Tabs Geschlossene Tabs - + Save Page Screen Bildschirmseite speichern - - + + (Private Browsing) (Privater Modus) - + Restore All Closed Tabs Alle geschlossenen Tabs wiederherstellen - + Clear list Liste leeren - + About &Qt Üb&er Qt - + &About QupZilla Über Qup&Zilla - + Informations about application Informationen über QupZilla - + Report &Issue &Fehlerbericht senden - + &Web Search Web&suche - + Page &Info S&eiteninformationen anzeigen - + &Download Manager &Download Manager - + &Cookies Manager &Cookie Manager - + &AdBlock &AdBlock - + RSS &Reader RSS &Reader - + Clear Recent &History &Verlauf löschen - + &Private Browsing &Privater Modus - + Pr&eferences &Einstellungen - + Open file... Datei öffnen... - + Are you sure you want to turn on private browsing? Möchten Sie wirklich den privaten Modus starten? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Wenn der private Modus aktiv ist, stehen einige Aktionen nicht zur Verfügung: - + Webpages are not added to the history. Webseiten werden nicht zum Verlauf hinzugefügt. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Solange dieses Fenster geöffnet ist, können Sie über die Symbole "Zurück" und "Vor" zu den Webseiten zurückkehren, die Sie geöffnet haben. - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Es sind noch %1 Tabs geöffnet und Ihre Sitzung wird nicht gespeichert. Möchten Sie QupZilla wirklich beenden? @@ -3059,190 +3131,231 @@ p, li { white-space: pre-wrap; } QupZillaSchemeReply - + No Error Kein Fehler - + Not Found Nicht gefunden - - Report issue - Fehlerbericht senden + Fehlerbericht senden - + If you are experiencing problems with QupZilla, please try first disable all plugins. <br/>If it won't help, then please fill this form: Wenn Sie bei der Nutzung von QupZilla auf Probleme stoßen, deaktivieren Sie bitte zuerst alle Plugins. <br/> Sollte dies das Problem nicht lösen, füllen Sie bitte dieses Formular aus: - + Your E-mail Ihre E-Mail Adresse - + Issue type Fehlertyp - Priority - Priorität + Priorität - Low - Niedrig + Niedrig - Normal - Normal + Normal - High - Hoch + Hoch - + Issue description Fehlerbeschreibung - + Send Senden - + E-mail is optional Angabe optional - + Please fill all required fields! Bitte füllen Sie alle erforderlichen Felder aus! - + Start Page Startseite - + Google Search Google Suche - + Search results provided by Google Suchergebnisse - - - + + + About QupZilla Über QupZilla - + Informations about version Versionsinformationen - + Browser Identification Browser Indentifizierung - + Paths Pfade - + Copyright Copyright - + Main developer Hauptentwickler - + Contributors Mitwirkende - + Translators Übersetzer - + + Speed Dial + + + + + Add New Page + + + + + + Edit + + + + + Remove + + + + + Reload + Neu laden + + + + Url + Url + + + + Title + + + + + New Page + + + + Version Version - + + + Report Issue + + + + WebKit version WebKit Version - + Build time Kompiliert am - + Platform Plattform - + Profile Profile - + Settings Einstellungen - + Saved session Gespeicherte Sitzung - + Pinned tabs Angeheftete Tabs - + Data Daten - + Themes Themen - + Plugins Plugins - + Translations Übersetzungen @@ -3256,12 +3369,12 @@ p, li { white-space: pre-wrap; } - + Empty Leer - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. Sie haben noch keine RSS Feeds abonniert.<br/> @@ -3288,64 +3401,64 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.Datenbank optimieren - + News Nachrichten - - + + Loading... Laden... - + Fill title and URL of a feed: Titel und URL des Feeds eintragen: - + Feed title: Feed Titel: - + Feed URL: Feed URL: - + Edit RSS Feed RSS Feed barbeiten - + Open link in actual tab Link in aktuellem Tab öffnen - + Open link in new tab Link in neuem Tab öffnen - - + + New Tab Neuer Tab - + Error in fetching feed Feed konnte nicht abonniert werden - + RSS feed duplicated Doppelter RSS Feed vorhanden - + You already have this feed. Diesen Feed haben Sie bereits abonniert. @@ -3371,7 +3484,7 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.RSS Feed von dieser Seite hinzufügen - + Add Hinzufügen @@ -3409,8 +3522,33 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu. + This is a list of CA Authorities Certificates stored in the standard system path and in user specified paths. + + + + + This is a list of Local Certificates stored in your user profile. It also contains all certificates, that have received an exception. + + + + + If CA Authorities Certificates were not automatically loaded from the system, you can specify paths manually where the certificates are stored. + + + + + <b>NOTE:</b> Setting this option is a high security risk! + + + + + All certificates must have .crt suffix. +After adding or removing certificate paths, it is neccessary to restart QupZilla in order to take effect the changes. + + + This is list of CA Authorities Certificates stored in standard system path and in user specified paths. - Dies ist eine Liste von Zertifizierungsstellen, die im Standard-Systempfad und in benutzerdefinierten Pfaden gespeichert sind. + Dies ist eine Liste von Zertifizierungsstellen, die im Standard-Systempfad und in benutzerdefinierten Pfaden gespeichert sind. @@ -3424,9 +3562,8 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.Entfernen - This is list of Local Certificates stored in user profile. This list also contains all certificates, that have received an exception. - Dies ist eine Liste mit lokal gespeicherten Zertifikaten. Sie enthält auch alle Zertifikate, für die eine Ausnahme gemacht wurde. + Dies ist eine Liste mit lokal gespeicherten Zertifikaten. Sie enthält auch alle Zertifikate, für die eine Ausnahme gemacht wurde. @@ -3439,14 +3576,12 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.Hinzufügen - If CA Authorities Certificates were not automatically loaded from system, you can specify manual paths where certificates are stored. - Falls Zertifikatsstellen nicht automatisch vom System geladen werden, können Sie den Pfad, in dem die Zertifikate gespeichert sind, auch manuell angeben. + Falls Zertifikatsstellen nicht automatisch vom System geladen werden, können Sie den Pfad, in dem die Zertifikate gespeichert sind, auch manuell angeben. - <b>NOTE:</b> Setting this option is big security risk! - <b>WARNUNG:</b> Das Einschalten dieser Option birgt ein sehr hohes Sicherheitsrisiko! + <b>WARNUNG:</b> Das Einschalten dieser Option birgt ein sehr hohes Sicherheitsrisiko! @@ -3454,10 +3589,9 @@ Bitte fügen Sie Feeds über das RSS Symbol in der Navigationsleiste hinzu.Alle SSL Warnungen ignorieren - All certificates must have .crt suffix. After adding or removing certificate paths, it is neccessary to restart browser in order to changes take effect. - Alle Zertifikate müssen einen .crt suffix besitzen. + Alle Zertifikate müssen einen .crt suffix besitzen. Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gestartet werden, um die Änderung wirksam zu machen. @@ -3466,7 +3600,7 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Pfad auswählen... - + Certificate Informations Informationen zum Zertifikat @@ -3514,7 +3648,7 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Suchmaschine hinzufügen - + Edit Search Engine Suchmaschine bearbeiten @@ -3522,27 +3656,27 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest SearchEnginesManager - + Search Engine Added Suchmaschine hinzugefügt - + Search Engine "%1" has been successfully added. Suchmaschine "%1" wurde erfolgreich hinzugefügt. - + Search Engine is not valid! Suchmaschine ist ungültig! - + Error Fehler - + Error while adding Search Engine <br><b>Error Message: </b> %1 Beim Hinzufügen der Suchmaschine ist ein Fehler aufgetreten <br><b>Fehlermeldung: </b> %1 @@ -3550,7 +3684,7 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest SearchToolBar - + No results found. Keine Suchergebnisse vorhanden. @@ -3599,72 +3733,72 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Seiteninformationen - + General Allgemein - + Media Medien - + Security Sicherheit - + Size: Größe: - + Encoding: Kodierung: - + Tag Tag - + Value Wert - + <b>Security information</b> <b>Sicherheitsinformation</b> - + Details Details - + Image Grafik - + Image address Grafikadresse - + <b>Preview</b> <b>Vorschau</b> - + Site address: Seitenadresse: - + Meta tags of site: Meta Tags dieser Seite: @@ -3674,63 +3808,63 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest <Im Zertifkat nicht vorhanden> - + <b>Connection is Encrypted.</b> <b>Verschlüsselte Verbindung.</b> - + <b>Your connection to this page is secured with this certificate: </b> <b>Diese Verbindung ist mit diesem Zertifikat verschlüsselt: </b> - + <b>Connection Not Encrypted.</b> <b>Unverschlüsselte Verbindung.</b> - + <b>Your connection to this page is not secured!</b> <b>Diese Verbindung ist nicht verschlüsselt!</b> - + Copy Image Location Grafikadresse kopieren - + Copy Image Name Grafik kopieren - + Save Image to Disk Grafik speichern - - + + Error! Fehler! - + This preview is not available! Diese Vorschau ist nicht verfügbar! - + Save image... Grafik speichern... - + Cannot write to file! Datei kann nicht gespeichert werden! - + Preview not available Vorschau nicht verfügbar @@ -3743,18 +3877,18 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Mehr... - + Your connection to this site is <b>secured</b>. Diese Verbindung ist <b>verschlüsselt</b>. - + Your connection to this site is <b>unsecured</b>. Diese Verbindung ist <b>unverschlüsselt</b>. - - + + This is your <b>%1.</b> visit of this site. Dies ist Ihr <b>%1.</b> Besuch dieser Seite. @@ -3764,17 +3898,17 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest erster - + second zweiter - + third dritter - + You have <b>never</b> visited this site before. Sie haben diese Seite <b>noch nie</b> besucht. @@ -3787,133 +3921,133 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Quelltext von - + File Datei - + Save as... Speichern als... - + Close Schließen - + Edit Bearbeiten - + Undo Rückgängig - + Redo Wiederherstellen - + Cut Ausschneiden - + Copy Kopieren - + Paste Einfügen - + Delete Löschen - + Select All Alle markieren - + Find Suchen - - + + Go to Line... Gehe zu Zeile... - + View Ansicht - + Reload Neu laden - + Editable Editierbar - + Word Wrap Zeilenumbruch - + Save file... Datei speichern... - + Error! Fehler! - + Cannot write to file! Datei kann nicht gespeichert werden! - + Error writing to file Beim Schreiben der Datei ist ein Fehler aufgetreten - + Source successfully saved Quelltext erfolgreich gespeichert - + Source reloaded Quelltext neu geladen - + Editable changed Quelltext geändert - + Word Wrap changed Zeilenumbruch geändert - + Enter line number Zeilennummer eingeben @@ -3934,78 +4068,78 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest TabBar - - + + New tab Neuer Tab - + &New tab &Neuer Tab - + &Stop Tab &Stop Tab - + &Reload Tab Tab neu &laden - + &Duplicate Tab Tab &duplizieren - + Reloa&d All Tabs Alle Tabs ne&u laden - + &Bookmark This Tab &Lesezeichen für diesen Tab hinzufügen - + Un&pin Tab Tab löse&n - + &Pin Tab Tab an&heften - + Re&load All Tabs Alle Tabs ne&u laden - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + Restore &Closed Tab Geschlossenen Tab &wiederherstellen - + Close Ot&her Tabs Alle an&deren Tabs schließen - + Cl&ose S&chließen - + Bookmark &All Ta&bs Lesezeichen für alle &geöffneten Tabs hinzufügen @@ -4013,34 +4147,36 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest TabWidget - + Show list of opened tabs Liste aller geöffneten Tabs anzeigen - + New Tab Neuer Tab - + Loading... Laden... - - + + No Named Page Unbekannte Seite - + Actually you have %1 opened tabs Aktuell sind %1 Tabs geöffnet - - + + + + New tab Neuer Tab @@ -4058,17 +4194,17 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest <b>Autor:</b> - + <b>Description:</b> <b>Beschreibung:</b> - + License Lizenz - + License Viewer Lizenz anzeigen @@ -4076,17 +4212,17 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Updater - + Update available Aktualisierung verfügbar - + New version of QupZilla is ready to download. Eine neue Version von QupZilla steht zum Herunterladen bereit. - + Update Aktualisierung @@ -4103,89 +4239,94 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest WebPage - + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Um diese Seite anzeigen zu können, muss QupZilla eine erneute Abfrage an den Server versenden - + + New tab + + + + Server refused the connection Der Server hat den Verbindungsversuch abgelehnt - + Server closed the connection Der Server hat die Verbindung beendet - + Server not found Server nicht gefunden - + Connection timed out Zeitüberschreitung der Anfrage - + Untrusted connection Keine vertrauenswürdige Verbindung - + AdBlocked Content Inhalt von AdBlock blockiert - + Blocked by rule <i>%1</i> Blockiert von Regel <i>%1</i> - + Content Access Denied Zugriff auf Inhalt verweigert - + Error code %1 Fehler Code %1 - + Failed loading page Seite konnte nicht geladen werden - + QupZilla can't load page from %1. QupZilla kann Seite von %1 nicht laden. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Bitte überprüfen Sie die Adresse auf Tippfehler wie <b>ww.</b>example.com anstatt <b>www.</b>example.com - + If you are unable to load any pages, check your computer's network connection. Falls Sie keine Webseiten laden können, überprüfen Sie bitte Ihre Netzwerkverbindung. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Falls Ihr Computer über eine Firewall oder Proxy mit dem Internet verbunden ist, vergewissern Sie sich, dass QupZilla der Zugriff zum Internet gestattet ist. - + Try Again Erneut versuchen - + Choose file... Datei wählen... @@ -4198,7 +4339,7 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Suchmaschinen verwalten - + Add %1 ... Hinzufügen von %1 ... @@ -4206,139 +4347,139 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest WebView - + Loading... Ładowanie... - + Open link in new &tab Otwórz łącze w nowej &Zakładce - + Open link in new &window Otrórz łącze w nowym &Oknie - + B&ookmark link Łącze &Zakładki - + &Save link as... &Zapisz łącze jako... - + &Copy link address &Kopiuj adres łącza - + Show i&mage G&rafik anzeigen - + Copy im&age Grafik k&opieren - + Copy image ad&dress Grafika&dresse kopieren - + S&top S&topp - + Show info ab&out site S&eiteninformationen anzeigen - + Show Web &Inspector Web &Inspector anzeigen - + &Save image as... Grafik speichern &unter... - + Failed loading page Seite konnte nicht geladen werden - + &Back &Zurück - + &Forward &Vor - + &Reload &Neu laden - + Book&mark page &Lesezeichen für diese Seite hinzufügen - + &Save page as... Seite speichern &unter... - + Select &all Alles au&swählen - + Show so&urce code Seitenquelltext &anzeigen - + Search "%1 .." with %2 Suche "%1 .." mit %2 - + No Named Page Unbekannte Seite - - - + + + New tab Neuer Tab - + Send link... Link senden... - + Send image... Grafik senden... - + Send page... Seite senden... diff --git a/translations/sk_SK.ts b/translations/sk_SK.ts index 019a94dfe..c5ae21dba 100644 --- a/translations/sk_SK.ts +++ b/translations/sk_SK.ts @@ -14,49 +14,49 @@ Autori - - + + Authors and Contributors Autori a prispievatelia - - + + < About QupZilla < O QupZille - + <p><b>Application version %1</b><br/> <p><b>Verzia programu %1</b><br/> - + <b>WebKit version %1</b></p> <b>Verzia WebKitu %1</b></p> - + <p>&copy; %1 %2<br/>All rights reserved.<br/> <p>&copy; %1 %2<br/>Všetky práva vyhradené.<br/> - + <small>Build time: %1 </small></p> <small>Dátum zostavenia: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> <p><b>Hlavní vývojári:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> <p><b>Prispievatelia:</b><br/>%1</p> - + <p><b>Translators:</b><br/>%1</p> <p><b>Prekladatelia:</b><br/>%1</p> @@ -356,96 +356,108 @@ <b>Import záložiek</b> - + + From File + + + + Choose browser from which you want to import bookmarks: Vyberte prehliadač, z ktorého chcete importovať záložky: - + Choose... Vybrať... - + Fetching icons, please wait... Získavám ikony, prosím čakajte... - + Title Názov - + Url Url - + Next Ďalší - + Cancel Zrušiť - + <b>Importing from %1</b> <b>Importovať z %1</b> - + Finish Dokončené - - - + + + + Error! Chyba! - + Choose directory... Zvoľte umiestnenie... - + Choose file... Zvoľte súbor... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in Mozilla Firefox ukladá svoje záložky v SQLite databáze <b>places.sqlite</b>. Tento súbor sa obvykle nachádza v - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in Google Chrome ukladá svoje záložky v SQLite databáze <b>places.sqlite</b>. Tento súbor sa obvykle nachádza v - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in Opera ukladá svoje záložky v SQLite databáze <b>places.sqlite</b>. Tento súbor sa obvykle nachádza v - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in Internet Explorer ukladá svoje záložky v SQLite databáze <b>places.sqlite</b>. Tento súbor sa obvykle nachádza v - - - + + + + Please choose this file to begin importing bookmarks. Prosím zvoľte tento súbor pre zahájenie importu. - + Please choose this folder to begin importing bookmarks. Prosím zvoľte tento priečinok pre zahájenie importu. @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu Záložky v menu - - - + + + Bookmarks In ToolBar Panel záložiek - - + + Unsorted Bookmarks Neroztriedené záložky @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page Pridať &stránku do záložiek - + Bookmark &All Tabs Pridať všetky k&arty do záložiek - + &Organize Bookmarks &Organizovať záložky - + Hide Most &Visited Skryť najna&vštevovanejšie - + Show Most &Visited Zobraziť najna&vštevovanejšie - + &Hide Toolbar Skr&yť panel - + Move right Posunúť doprava - + Move left Posunúť doľava - + Remove bookmark Odstrániť záložku - + Most visited Najnavštevovanejšie - + Sites you visited the most Najnavštevovanejšie stránky - - + + Empty Prázdny @@ -1128,13 +1140,13 @@ DownloadFileHelper - - + + Save file as... Uložiť súbor ako... - + NoNameDownload BezNázvu @@ -1291,29 +1303,29 @@ % - Správca sťahovania - + Download Finished Sťahovanie dokončené - + All files have been successfully downloaded. Všetky súbory boli úspešne stiahnuté. - + Warning Varovanie - + Are you sure to quit? All uncompleted downloads will be cancelled! Ste si istý, že chcete ukončiť? Všetky nedokončené sťahovania budú zrušené! - + Download Manager Správca sťahovania @@ -1356,7 +1368,7 @@ Otvoriť... - + Save File Uložiť súbor @@ -1501,72 +1513,72 @@ HistoryModel - + Failed loading page Chyba pri načítaní stránky - + No Named Page Stránka bez názvu - + January Január - + February Február - + March Marec - + April Apríl - + May Máj - + June Jún - + July Júl - + August August - + September September - + October Október - + November November - + December December @@ -1622,6 +1634,19 @@ Tento mesiac + + HtmlImporter + + + No Error + Žiadna chyba + + + + Unable to open file. + Nepodarilo sa otvoriť súbor. + + LocationBar @@ -1649,12 +1674,12 @@ MainApplication - + Last session crashed Minulá relácia spadla - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? <b>QupZilla spadla :-(</b><br/>Oops, minulá relácia QupZilly skončila pádom. Veľmi sa ospravedlňujeme. Chcete sa pokúsiť obnoviť uložený stav? @@ -1693,8 +1718,8 @@ Ukončiť režim celej obrazovky - - + + Clear history Vymazať históriu @@ -2629,427 +2654,427 @@ QupZilla - + Bookmarks Záložky - + History História - + Quit Koniec - + New Tab Nová karta - + Close Tab Zatvoriť kartu - + IP Address of current page IP adresa aktuálnej stránky - + &Tools &Nástroje - + &Help Nápo&veda - + &Bookmarks &Záložky - + Hi&story &História - + &File &Súbor - + &New Window &Nové okno - + Open &File Otvoriť &súbor - + &Save Page As... &Uložiť stránku ako... - + &Print &Tlačiť - + Import bookmarks... Importovať záložky... - + &Edit Úpr&avy - + &Undo &Späť - + &Redo &Dopredu - + &Cut &Vystrihnúť - + C&opy &Kopírovať - + &Paste &Prilepiť - + &Delete &Odstrániť - + Select &All Vybrať vš&etko - + &Find &Nájsť - + &View &Zobrazenie - + &Navigation Toolbar Panel &navigácie - + &Bookmarks Toolbar Panel &záložiek - + Sta&tus Bar Stavový &riadok - + Toolbars Panely nástrojov - + Sidebars Bočné panely - + &Page Source Zdrojový &kód stránky - + &Menu Bar &Menu panel - + &Fullscreen &Celá obrazovka - + &Stop Za&staviť - + &Reload &Obnoviť - + Character &Encoding Kódovani&e znakov - + Zoom &In Priblíž&iť - + Zoom &Out &Oddialiť - + Reset Resetovať - + Close Window Zatvoriť okno - + Open Location Otvoriť umiestnenie - + Send Link... Poslať odkaz... - + Other Ostatné - + Default Štandardné - + Current cookies cannot be accessed. Aktuálne cookies nie sú dostupné. - + Your session is not stored. Vaša relácia nie je uložená. - + Start Private Browsing Spustiť súkromné prehliadanie - + Private Browsing Enabled Súkromné prehliadanie je zapnuté - + Restore &Closed Tab Obnoviť zatvorenú &kartu - + Bookmarks In ToolBar Záložky v paneli nástrojov - - - + + + Empty Prázdne - - + + New tab Nová karta - + Bookmark &This Page Pridať túto &stránku do záložiek - + Bookmark &All Tabs Pridať &všetky karty do záložiek - + Organize &Bookmarks &Organizovať záložky - + &Back &Späť - + &Forward &Dopredu - + &Home Do&mov - + Show &All History Zobraziť celú &históriu - + Closed Tabs Zatvorené karty - + Save Page Screen Uložiť obrázok stránky - - + + (Private Browsing) (Súkromné prehliadanie) - + Restore All Closed Tabs Obnoviť všetky zatvorené karty - + Clear list Vyčistiť zoznam - + About &Qt O &Qt - + &About QupZilla &O QupZille - + Informations about application Informácie o programe - + Report &Issue Nahlásiť &problém - + &Web Search Hladať na &webe - + Page &Info &Informácie o stránke - + &Download Manager Správca &sťahovania - + &Cookies Manager Správca &cookies - + &AdBlock &AdBlock - + RSS &Reader &RSS čítačka - + Clear Recent &History Vymazať nedávnu &históriu - + &Private Browsing Súkromné prehlia&danie - + Pr&eferences Nastav&enia - + Open file... Otvoriť súbor... - + Are you sure you want to turn on private browsing? Ste si istý, že chcete zapnúť súkromné prehliadanie? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Keď je zapnuté súkromné prehliadanie, niektoré akcie týkajúce sa vášho súkromia sú vypnuté: - + Webpages are not added to the history. Stránky nie sú pridávané do histórie. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Kým nezatvoríte okno, stále môžte používať tlačidlá Späť a Dopredu k vráteniu sa na stránky, ktoré ste mali otvorené. - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? Stále sú otvorené %1 karty a vaša relácia nebude uložená. Ste si istý, že chcete skončiť? @@ -3275,12 +3300,12 @@ - + Empty Prázdne - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. Nemáte žiadne RSS odbery.<br/> @@ -3307,64 +3332,64 @@ Prosím pridajte nejaké kliknutím na RSS ikonku v navigačnom paneli na strán Optimalizovať databázu - + News Novinky - - + + Loading... Načítava sa... - + Fill title and URL of a feed: Vyplňte názov a URL odberu: - + Feed title: Názov odberu: - + Feed URL: URL odberu: - + Edit RSS Feed Upraviť RSS odber - + Open link in actual tab Otvoriť odkaz na aktuálnej karte - + Open link in new tab Otvoriť odkaz na novej karte - - + + New Tab Nová karta - + Error in fetching feed Chyba pri získavaní odberu - + RSS feed duplicated Duplikovaný RSS odber - + You already have this feed. Tento odber už máte. @@ -3541,27 +3566,27 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad SearchEnginesManager - + Search Engine Added Pridaný vyhľadávač - + Search Engine "%1" has been successfully added. Vyhľadávač "%1" bol úspešne pridaný. - + Search Engine is not valid! Vyhľadávač nie je platný! - + Error Chyba - + Error while adding Search Engine <br><b>Error Message: </b> %1 Chyba pri pridávaní vyhľadávača <br><b>Chybová správa: </b> %1 @@ -3867,7 +3892,7 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad - + Go to Line... Prejsť na riadok... @@ -3892,47 +3917,47 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad Zalamovať riadky - + Save file... Uložiť súbor... - + Error! Chyba! - + Cannot write to file! Nedá sa zapisovať do súboru! - + Error writing to file Chyba pri zapisovaní do súboru - + Source successfully saved Zdrojový kód úspečne uložený - + Source reloaded Zdrojový kód obnovený - + Editable changed Povolenie úprav zmenené - + Word Wrap changed Zalamovanie riadkov zmenené - + Enter line number Zadajte číslo riadku @@ -4058,7 +4083,9 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad Momentálne máte otvorených %1 kariet - + + + New tab Nová karta @@ -4230,139 +4257,139 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad WebView - + Loading... Načítava sa... - + Open link in new &tab Otvoriť odkaz na &novej karte - + Open link in new &window Otvoriť odkaz v novom &okne - + B&ookmark link Pridať &odkaz do záložiek - + &Save link as... &Uložiť odkaz ako... - + &Copy link address &Kopírovať adresu odkazu - + Show i&mage Zobraziť o&brázok - + Copy im&age Kopírov&ať obrázok - + Copy image ad&dress Kopírovať a&dresu obrázku - + S&top Zas&taviť - + Show info ab&out site Z&obraziť informácie o stránke - + Show Web &Inspector Zobraziť Web &inšpektora - + &Save image as... &Uložiť obrázok ako... - + Failed loading page Zlyhalo načítanie stránky - + &Back &Späť - + &Forward &Dopredu - + &Reload &Obnoviť - + Book&mark page Pridať s&tránku do záložiek - + &Save page as... Uložiť &stránku ako... - + Select &all Vybr&ať všetko - + Show so&urce code Zobraziť zdro&jový kód - + Search "%1 .." with %2 Hľadať "%1 .." s %2 - + No Named Page Nepomenovaná stránka - - - + + + New tab Nová karta - + Send link... Odoslať odkaz... - + Send image... Odoslať obrázok... - + Send page... Odoslať stránku... diff --git a/translations/zh_CN.ts b/translations/zh_CN.ts index 9b83e091c..abfcad7ed 100644 --- a/translations/zh_CN.ts +++ b/translations/zh_CN.ts @@ -14,49 +14,49 @@ 作者 - - + + Authors and Contributors 作者及贡献者 - - + + < About QupZilla 关于作者 - + <p><b>Application version %1</b><br/> 程序版本 %1 - + <b>WebKit version %1</b></p> Webkit版本 %1 - + <p>&copy; %1 %2<br/>All rights reserved.<br/> - + <small>Build time: %1 </small></p> - + <p><b>Main developers:</b><br/>%1 &lt;%2&gt;</p> - + <p><b>Contributors:</b><br/>%1</p> 贡献人员 %1 - + <p><b>Translators:</b><br/>%1</p> 翻译人员 %1 @@ -356,96 +356,108 @@ <b>导入书签</b> - + + From File + + + + Choose browser from which you want to import bookmarks: 选择您要导入书签的浏览器: - + Choose... 选择... - + Fetching icons, please wait... 正在获取图标,请稍候... - + Title 标题 - + Url 地址 - + Next 下一步 - + Cancel 取消 - + <b>Importing from %1</b> <b>从%1导入</b> - + Finish 完成 - - - + + + + Error! 错误! - + Choose directory... 选择目录... - + Choose file... 选择文件... - + Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in - - - + + + + Please choose this file to begin importing bookmarks. 请选择文件开始导入书签。 - + Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in - + Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in - + + You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes + + + + Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in - + Please choose this folder to begin importing bookmarks. 选择此文件夹,开始导入书签。 @@ -595,22 +607,22 @@ BookmarksModel - - - + + + Bookmarks In Menu 在菜单栏中创建书签 - - - + + + Bookmarks In ToolBar 在工具栏中创建书签 - - + + Unsorted Bookmarks 未分类的书签 @@ -657,63 +669,63 @@ BookmarksToolbar - + &Bookmark Current Page - + Bookmark &All Tabs - + &Organize Bookmarks - + Hide Most &Visited - + Show Most &Visited - + &Hide Toolbar - + Move right 向右移动 - + Move left 向左移动 - + Remove bookmark 删除书签 - + Most visited - + Sites you visited the most 您最常访问的网站 - - + + Empty 空页面 @@ -1128,13 +1140,13 @@ DownloadFileHelper - - + + Save file as... 另存为... - + NoNameDownload @@ -1281,7 +1293,7 @@ - + Download Manager 下载管理 @@ -1301,22 +1313,22 @@ % - 下载管理 - + Download Finished 下载完成 - + All files have been successfully downloaded. 所有文件已成功下载. - + Warning 注意 - + Are you sure to quit? All uncompleted downloads will be cancelled! 下载未完成确认退出吗? @@ -1354,7 +1366,7 @@ 打开... - + Save File 保存 @@ -1499,72 +1511,72 @@ HistoryModel - + Failed loading page - + No Named Page - + January 一月 - + February 二月 - + March 三月 - + April 四月 - + May 五月 - + June 六月 - + July 七月 - + August 八月 - + September 九月 - + October 十月 - + November 十一月 - + December 十二月 @@ -1620,6 +1632,19 @@ 本月 + + HtmlImporter + + + No Error + 没有错误 + + + + Unable to open file. + 无法打开文件。 + + LocationBar @@ -1647,12 +1672,12 @@ MainApplication - + Last session crashed 会话崩溃 - + <b>QupZilla crashed :-(</b><br/>Oops, last session of QupZilla ends with its crash. We are very sorry. Would you try to restore saved state? @@ -1691,8 +1716,8 @@ 退出全屏 - - + + Clear history 清除历史 @@ -2626,426 +2651,426 @@ QupZilla - + Private Browsing Enabled 启用隐私浏览 - + IP Address of current page 当前页面的IP地址 - + Bookmarks 书签 - + History 历史 - + &New Window 打开新窗口&N - + New Tab 新标签 - + Open Location 打开位置 - + Open &File 打开&F - + Close Tab 关闭标签页 - + Close Window 关闭窗口 - + &Save Page As... 保存页作为&S... - + Save Page Screen 保存屏幕网页 - + Send Link... 发送链接... - + &Print 打印&P - + Import bookmarks... 导入书签... - + Quit 退出 - + &Undo 撤消&U - + &Redo 重做&R - + &Cut 剪切&C - + C&opy 复制&o - + &Paste 粘贴&p - + &Delete 删除&D - + Select &All 选取所有&A - + &Find 查找&F - + &Tools 工具&T - + &Help 帮助&H - + &Bookmarks 书签&B - + Hi&story 历史&s - + &File 文件&F - + &Edit 编辑&E - + &View 查看&V - + &Navigation Toolbar 导航工具栏&N - + &Bookmarks Toolbar 书签工具栏&B - + Sta&tus Bar 状态栏&t - + &Menu Bar 菜单栏&M - + &Fullscreen 全屏&F - + &Stop 停止&S - + &Reload 刷新&R - + Character &Encoding 字符与编码&E - + Toolbars 工具栏 - + Sidebars 侧边栏 - + Zoom &In 放大&I - + Zoom &Out 缩小&O - + Reset 重置 - + &Page Source 页面源代码&P - + Closed Tabs 关闭标签页 - + Restore &Closed Tab 还原关闭的标签&C - - + + (Private Browsing) (私人浏览) - + Bookmark &This Page 收藏本页&T - + Bookmark &All Tabs 收藏全部标签页&A - + Organize &Bookmarks 组织书签&B - + Bookmarks In ToolBar 工具栏中的书签 - - - + + + Empty 空页面 - + &Back 后退&B - + &Forward 前进&F - + &Home 主页&H - + Show &All History 显示所有历史页&A - + Restore All Closed Tabs 还原关闭的标签 - + Clear list 清除列表 - + About &Qt 关于Qt&Q - + &About QupZilla 关于QupZIlla&A - + Informations about application 软件信息 - + Report &Issue 报告及发行&I - + &Web Search 网页搜索&W - + Page &Info 网页信息&I - + &Download Manager 下载管理&D - + &Cookies Manager 管理Cookies&C - + &AdBlock - + RSS &Reader RSS阅读器&R - + Clear Recent &History 清除最近的历史&H - + &Private Browsing 隐私浏览&P - + Pr&eferences 首选项&e - + Other 其他 - + Default 默认 - + Open file... 打开文件... - + Are you sure you want to turn on private browsing? 你确定要打开隐私浏览吗? - + When private browsing is turned on, some actions concerning your privacy will be disabled: 打开隐私浏览时,有关于您的隐私行动将被禁用: - + Webpages are not added to the history. 网页不会添加到历史记录。 - + Current cookies cannot be accessed. 当前的cookies无法被访问。 - + Your session is not stored. 不会存储您的会话。 - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. 直到您关闭该窗口,你仍然可以单击后退和前进按钮,返回到你已经打开的网页. - + Start Private Browsing 开始隐私浏览 - + There are still %1 open tabs and your session won't be stored. Are you sure to quit? 还有%1打开的标签和您的会话将不会被储存。你一定要退出吗? - - + + New tab 新标签 @@ -3272,7 +3297,7 @@ - + Empty 空页面 @@ -3297,70 +3322,70 @@ 优化数据库 - + News 新闻 - - + + Loading... 载入中... - + You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. 你没有任何RSS源。 - + Fill title and URL of a feed: 填写标题和订阅URL: - + Feed title: 订阅标题: - + Feed URL: 订阅网址: - + Edit RSS Feed 编辑RSS订阅 - + Open link in actual tab 在当前标签中打开链接 - + Open link in new tab 在新标签页中打开链接 - - + + New Tab 新标签 - + Error in fetching feed 提取订阅错误 - + RSS feed duplicated RSS订阅复制 - + You already have this feed. 你已经有这种订阅。 @@ -3536,27 +3561,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SearchEnginesManager - + Search Engine Added 新增搜索引擎 - + Search Engine "%1" has been successfully added. 搜索引擎“%1”已成功添加。 - + Search Engine is not valid! 无效的搜索引擎! - + Error 错误 - + Error while adding Search Engine <br><b>Error Message: </b> %1 添加搜索引擎时错误<br><b>Error Message: </b> %1 @@ -3862,7 +3887,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla - + Go to Line... 转到行... @@ -3887,47 +3912,47 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 自动换行 - + Save file... 保存文件... - + Error! 错误! - + Cannot write to file! 无法写入文件! - + Error writing to file 写入文件时出错 - + Source successfully saved 源代码保存成功 - + Source reloaded 刷新源 - + Editable changed 可编辑的改变 - + Word Wrap changed 改变自动换行 - + Enter line number 输入行号 @@ -4053,7 +4078,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 你已有%1打开的标签 - + + + New tab 新标签 @@ -4224,139 +4251,139 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + Failed loading page 载入页面失败 - + Loading... 载入中... - - - + + + New tab 新标签 - + Open link in new &tab 在新标签中打开链接&t - + Open link in new &window 在新窗口中打开链接&w - + B&ookmark link 书签链接&o - + &Save link as... 链接另存为&S... - + Send link... 发送链接... - + &Copy link address 复制链接地址&C - + Show i&mage 显示图像&m - + Copy im&age 复制图像&a - + Copy image ad&dress 复制图像地址&d - + &Save image as... 图像另存为&S... - + Send image... 发送图像... - + &Back 后退&B - + &Forward 前进&F - + &Reload 刷新&R - + S&top 停止&t - + Book&mark page 加入书签&m - + &Save page as... 保存网页为&S... - + Send page... 发送网页... - + Select &all 选取所有&a - + Show so&urce code 显示源代码&u - + Show info ab&out site 显示有关网站的信息&o - + Show Web &Inspector 显示Web及督察&I - + Search "%1 .." with %2 使用 %2搜索"%1 .." - + No Named Page 无命名页面