diff --git a/src/lib/app/settings.cpp b/src/lib/app/settings.cpp index aaad9c653..360e02ab4 100644 --- a/src/lib/app/settings.cpp +++ b/src/lib/app/settings.cpp @@ -19,55 +19,55 @@ #include -QSettings* Settings::m_settings = 0; +QSettings* Settings::s_settings = 0; Settings::Settings() { - if (!m_settings->group().isEmpty()) { + if (!s_settings->group().isEmpty()) { qDebug("Settings: Creating object with opened group!"); - m_settings->endGroup(); + s_settings->endGroup(); } } void Settings::createSettings(const QString &fileName) { - m_settings = new QSettings(fileName, QSettings::IniFormat); + s_settings = new QSettings(fileName, QSettings::IniFormat); } void Settings::syncSettings() { - m_settings->sync(); + s_settings->sync(); } void Settings::setValue(const QString &key, const QVariant &defaultValue) { - m_settings->setValue(key, defaultValue); + s_settings->setValue(key, defaultValue); } QVariant Settings::value(const QString &key, const QVariant &defaultValue) { - return m_settings->value(key, defaultValue); + return s_settings->value(key, defaultValue); } void Settings::beginGroup(const QString &prefix) { - m_settings->beginGroup(prefix); + s_settings->beginGroup(prefix); } void Settings::endGroup() { - m_settings->endGroup(); + s_settings->endGroup(); } QSettings* Settings::globalSettings() { - return m_settings; + return s_settings; } Settings::~Settings() { - if (!m_settings->group().isEmpty()) { + if (!s_settings->group().isEmpty()) { qDebug("Settings: Deleting object with opened group!"); - m_settings->endGroup(); + s_settings->endGroup(); } } diff --git a/src/lib/app/settings.h b/src/lib/app/settings.h index 50e3305b4..50e688e09 100644 --- a/src/lib/app/settings.h +++ b/src/lib/app/settings.h @@ -47,7 +47,7 @@ signals: public slots: private: - static QSettings* m_settings; + static QSettings* s_settings; }; diff --git a/src/lib/autofill/autofillmodel.cpp b/src/lib/autofill/autofillmodel.cpp index 003c742ca..f7d9302c1 100644 --- a/src/lib/autofill/autofillmodel.cpp +++ b/src/lib/autofill/autofillmodel.cpp @@ -238,7 +238,7 @@ void AutoFillModel::post(const QNetworkRequest &request, const QByteArray &outgo return; } - const QByteArray &data = convertWebKitFormBoundaryIfNeccessary(outgoingData); + const QByteArray &data = convertWebKitFormBoundaryIfNecessary(outgoingData); QVariant v = request.attribute((QNetworkRequest::Attribute)(QNetworkRequest::User + 100)); WebPage* webPage = static_cast(v.value()); @@ -336,7 +336,7 @@ QString AutoFillModel::getValueFromData(const QByteArray &data, QWebElement elem return value; } -QByteArray AutoFillModel::convertWebKitFormBoundaryIfNeccessary(const QByteArray &data) +QByteArray AutoFillModel::convertWebKitFormBoundaryIfNecessary(const QByteArray &data) { /* Sometimes, data are passed in this format: diff --git a/src/lib/autofill/autofillmodel.h b/src/lib/autofill/autofillmodel.h index 2f75d9c55..aa431c3aa 100644 --- a/src/lib/autofill/autofillmodel.h +++ b/src/lib/autofill/autofillmodel.h @@ -57,7 +57,7 @@ public: private: bool dataContains(const QByteArray &data, const QString &attributeName); QString getValueFromData(const QByteArray &data, QWebElement element); - QByteArray convertWebKitFormBoundaryIfNeccessary(const QByteArray &data); + QByteArray convertWebKitFormBoundaryIfNecessary(const QByteArray &data); QupZilla* p_QupZilla; bool m_isStoring; diff --git a/src/lib/sidebar/sidebar.cpp b/src/lib/sidebar/sidebar.cpp index 1417ae03a..941dd5f1e 100644 --- a/src/lib/sidebar/sidebar.cpp +++ b/src/lib/sidebar/sidebar.cpp @@ -26,7 +26,7 @@ #include -QHash > SideBarManager::m_sidebars; +QHash > SideBarManager::s_sidebars; SideBar::SideBar(SideBarManager* manager, QupZilla* mainClass) : QWidget(mainClass) @@ -96,7 +96,7 @@ void SideBarManager::setSideBarMenu(QMenu* menu) void SideBarManager::addSidebar(const QString &id, SideBarInterface* interface) { - m_sidebars[id] = interface; + s_sidebars[id] = interface; foreach(QupZilla * window, mApp->mainWindows()) { window->sideBarManager()->refreshMenu(); @@ -105,7 +105,7 @@ void SideBarManager::addSidebar(const QString &id, SideBarInterface* interface) void SideBarManager::removeSidebar(const QString &id) { - m_sidebars.remove(id); + s_sidebars.remove(id); foreach(QupZilla * window, mApp->mainWindows()) { window->sideBarManager()->sideBarRemoved(id); @@ -129,13 +129,13 @@ void SideBarManager::refreshMenu() act->setShortcut(QKeySequence("Ctrl+H")); act->setData("History"); - foreach(const QWeakPointer &sidebar, m_sidebars) { + foreach(const QWeakPointer &sidebar, s_sidebars) { if (!sidebar) { continue; } QAction* act = sidebar.data()->createMenuAction(); - act->setData(m_sidebars.key(sidebar)); + act->setData(s_sidebars.key(sidebar)); connect(act, SIGNAL(triggered()), this, SLOT(slotShowSideBar())); m_menu->addAction(act); @@ -186,7 +186,7 @@ void SideBarManager::showSideBar(const QString &id) m_sideBar.data()->showHistory(); } else { - SideBarInterface* sidebar = m_sidebars[id].data(); + SideBarInterface* sidebar = s_sidebars[id].data(); if (!sidebar) { m_sideBar.data()->close(); return; diff --git a/src/lib/sidebar/sidebar.h b/src/lib/sidebar/sidebar.h index a2dbeaaa9..9a670c2cb 100644 --- a/src/lib/sidebar/sidebar.h +++ b/src/lib/sidebar/sidebar.h @@ -67,7 +67,7 @@ public: void sideBarRemoved(const QString &id); void closeSideBar(); - static QHash > m_sidebars; + static QHash > s_sidebars; static void addSidebar(const QString &id, SideBarInterface* interface); static void removeSidebar(const QString &id); diff --git a/src/lib/webview/webpage.cpp b/src/lib/webview/webpage.cpp index 6be2faac7..c09047c64 100644 --- a/src/lib/webview/webpage.cpp +++ b/src/lib/webview/webpage.cpp @@ -53,11 +53,11 @@ #include #include -QString WebPage::m_lastUploadLocation = QDir::homePath(); -QString WebPage::m_userAgent; -QString WebPage::m_fakeUserAgent; -QUrl WebPage::m_lastUnsupportedUrl; -QList WebPage::m_livingPages; +QString WebPage::s_lastUploadLocation = QDir::homePath(); +QString WebPage::s_userAgent; +QString WebPage::s_fakeUserAgent; +QUrl WebPage::s_lastUnsupportedUrl; +QList WebPage::s_livingPages; WebPage::WebPage(QupZilla* mainClass) : QWebPage() @@ -92,7 +92,7 @@ WebPage::WebPage(QupZilla* mainClass) connect(this, SIGNAL(featurePermissionRequested(QWebFrame*, QWebPage::Feature)), this, SLOT(featurePermissionRequested(QWebFrame*, QWebPage::Feature))); #endif - m_livingPages.append(this); + s_livingPages.append(this); } QUrl WebPage::url() const @@ -149,10 +149,10 @@ bool WebPage::isRunningLoop() void WebPage::setUserAgent(const QString &agent) { if (!agent.isEmpty()) { - m_userAgent = QString("%1 (QupZilla %2)").arg(agent, QupZilla::VERSION); + s_userAgent = QString("%1 (QupZilla %2)").arg(agent, QupZilla::VERSION); } else { - m_userAgent = agent; + s_userAgent = agent; } } @@ -267,8 +267,8 @@ void WebPage::handleUnsupportedContent(QNetworkReply* reply) // (to prevent endless loop in case QDesktopServices::openUrl decide // to open the url again in QupZilla ) - if (m_lastUnsupportedUrl != url) { - m_lastUnsupportedUrl = url; + if (s_lastUnsupportedUrl != url) { + s_lastUnsupportedUrl = url; QDesktopServices::openUrl(url); } @@ -299,7 +299,7 @@ void WebPage::handleUnknownProtocol(const QUrl &url) const QString &text = tr("QupZilla cannot handle %1: links. The requested link " "is
  • %2
Do you want QupZilla to try " - "open this link in system application?
").arg(protocol, url.toString()); + "open this link in system application?").arg(protocol, url.toString()); CheckBoxDialog dialog(QDialogButtonBox::Yes | QDialogButtonBox::No, view()); dialog.setText(text); dialog.setCheckBoxText(tr("Remember my choice for this protocol")); @@ -487,15 +487,15 @@ QString WebPage::userAgentForUrl(const QUrl &url) const { // Let Google services play nice with us if (url.host().contains("google")) { - if (m_fakeUserAgent.isEmpty()) { - m_fakeUserAgent = "Mozilla/5.0 (" + qz_buildSystem() + ") AppleWebKit/" + QupZilla::WEBKITVERSION + " (KHTML, like Gecko) Chrome/10.0 Safari/" + QupZilla::WEBKITVERSION; + if (s_fakeUserAgent.isEmpty()) { + s_fakeUserAgent = "Mozilla/5.0 (" + qz_buildSystem() + ") AppleWebKit/" + QupZilla::WEBKITVERSION + " (KHTML, like Gecko) Chrome/10.0 Safari/" + QupZilla::WEBKITVERSION; } - return m_fakeUserAgent; + return s_fakeUserAgent; } - if (m_userAgent.isEmpty()) { - m_userAgent = QWebPage::userAgentForUrl(url); + if (s_userAgent.isEmpty()) { + s_userAgent = QWebPage::userAgentForUrl(url); #ifdef Q_WS_MAC #ifdef __i386__ || __x86_64__ m_userAgent.replace("PPC Mac OS X", "Intel Mac OS X"); @@ -503,7 +503,7 @@ QString WebPage::userAgentForUrl(const QUrl &url) const #endif } - return m_userAgent; + return s_userAgent; } bool WebPage::supportsExtension(Extension extension) const @@ -812,7 +812,7 @@ QString WebPage::chooseFile(QWebFrame* originatingFrame, const QString &oldFile) QString suggFileName; if (oldFile.isEmpty()) { - suggFileName = m_lastUploadLocation; + suggFileName = s_lastUploadLocation; } else { suggFileName = oldFile; @@ -821,7 +821,7 @@ QString WebPage::chooseFile(QWebFrame* originatingFrame, const QString &oldFile) const QString &fileName = QFileDialog::getOpenFileName(originatingFrame->page()->view(), tr("Choose file..."), suggFileName); if (!fileName.isEmpty()) { - m_lastUploadLocation = fileName; + s_lastUploadLocation = fileName; } return fileName; @@ -833,7 +833,7 @@ bool WebPage::isPointerSafeToUse(WebPage* page) // So there is no way to test whether pointer is still valid or not, except // this hack. - return page == 0 ? false : m_livingPages.contains(page); + return page == 0 ? false : s_livingPages.contains(page); } void WebPage::disconnectObjects() @@ -843,7 +843,7 @@ void WebPage::disconnectObjects() m_runningLoop = 0; } - m_livingPages.removeOne(this); + s_livingPages.removeOne(this); disconnect(this); m_networkProxy->disconnectObjects(); @@ -858,5 +858,5 @@ WebPage::~WebPage() m_runningLoop = 0; } - m_livingPages.removeOne(this); + s_livingPages.removeOne(this); } diff --git a/src/lib/webview/webpage.h b/src/lib/webview/webpage.h index a7e6390d1..c26cacfc2 100644 --- a/src/lib/webview/webpage.h +++ b/src/lib/webview/webpage.h @@ -110,11 +110,11 @@ private: void handleUnknownProtocol(const QUrl &url); - static QString m_lastUploadLocation; - static QString m_userAgent; - static QString m_fakeUserAgent; - static QUrl m_lastUnsupportedUrl; - static QList m_livingPages; + static QString s_lastUploadLocation; + static QString s_userAgent; + static QString s_fakeUserAgent; + static QUrl s_lastUnsupportedUrl; + static QList s_livingPages; QupZilla* p_QupZilla; NetworkManagerProxy* m_networkProxy; diff --git a/translations/cs_CZ.ts b/translations/cs_CZ.ts index c073e5a6b..318789670 100644 --- a/translations/cs_CZ.ts +++ b/translations/cs_CZ.ts @@ -1063,22 +1063,22 @@ Přidat %1 na bílou listinu - + Flash Object Flash objekt - + <b>Attribute Name</b> <b>Jméno atributu</b> - + <b>Value</b> <b>Hodnota</b> - + No more information available. Žádné další informace. @@ -4194,9 +4194,9 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Cesta: - - - + + + <database not selected> <nebyla vybrána databáze> @@ -4482,17 +4482,17 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ SpeedDial - + Image files Obrázky - + Select image... Zvolte obrázek... - + Unable to load Nepodařilo se načíst @@ -4717,144 +4717,159 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + QupZilla nemůže otevřít <b>%1:</b> odkazy. Vyžádaný link je <ul><li>%2</li></ul>Chcete aby QupZilla otevřela tento odkaz v systémové aplikaci? + + + + Remember my choice for this protocol + Zapamatovat mou volbu pro tento protokol + + + + External Protocol Request + Externí protokol + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Pro zobrazení této stránky musí QupZilla znovu odeslat požadavek na server (jako např. hledaní při nakupování, které již bylo provedeno.) - + Confirm form resubmission Potvrzení opětovného zaslání formuláře - + Select files to upload... Zvolte soubory k nahrání... - + Server refused the connection Server odmítl spojení - + Server closed the connection Server ukončil spojení - + Server not found Server nenalezen - + Connection timed out Spojení vypršelo - + Untrusted connection Nedůvěryhodné spojení - + Temporary network failure Dočasná chyba sítě - + Proxy connection refused Proxy server odmítl spojení - + Proxy server not found Proxy server nenalezen - + Proxy connection timed out Proxy spojení vypršelo - + Proxy authentication required Vyžadována proxy autorizace - + Content not found Obsah nenalezen - + Unknown network error Neznámá síťová chyba - + AdBlocked Content AdBlock obsah - + Blocked by rule <i>%1</i> Blokováno pravidlem <i>%1</i> - + Content Access Denied Odmítnut přístup k obsahu - + Error code %1 Chybový kód %1 - + Failed loading page Chyba při načítání stránky - + QupZilla can't load page from %1. QupZilla nemůže načíst stránku ze serveru %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Zkontrolujte, zda je adresa napsána správně a neobsahuje chyby jako <b>ww.</b>server.cz místo <b>www</b>.server.cz - + If you are unable to load any pages, check your computer's network connection. Pokud se vám nezobrazují ani ostatní stránky, zkontrolujte síťové připojení svého počítače. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Pokud je váš počítač chráněn firewallem a nebo proxy serverem, zkontrolujte, zda má QupZilla přístup na Internet. - + Try Again Zkusit znovu - + JavaScript alert Výstraha JavaScriptu - + Prevent this page from creating additional dialogs Zabránit stránce ve vytváření dalších dialogů - + Choose file... Vyberte soubor... @@ -5000,42 +5015,42 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Zobrazit &informace o stránce - + Search with... Hledat pomocí... - + &Play &Přehrát - + &Pause &Pozastavit - + Un&mute &Zrušit ztlumení - + &Mute &Ztlumit - + &Copy Media Address &Kopírovat adresu média - + &Send Media Address &Odeslat adresu média - + Save Media To &Disk &Uložit médium na disk @@ -5096,12 +5111,12 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Slovník - + Go to &web address Přejít na web&ovou adresu - + Search "%1 .." with %2 Hledat "%1 .." s %2 diff --git a/translations/de_DE.ts b/translations/de_DE.ts index 8c7276add..b6ceeef7e 100644 --- a/translations/de_DE.ts +++ b/translations/de_DE.ts @@ -1064,22 +1064,22 @@ %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 information available. Keine weiteren Informationen verfügbar. @@ -4194,9 +4194,9 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Pfad: - - - + + + <database not selected> <Keine Datenbank ausgewählt> @@ -4481,17 +4481,17 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest SpeedDial - + Image files Bild-Dateien - + Select image... Bild auswählen... - + Unable to load Laden nicht möglich @@ -4717,144 +4717,159 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + 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 - + Confirm form resubmission Erneute Formular-Übermittlung bestätigen - + Select files to upload... Dateien zum Upload auswählen... - + 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 - + Temporary network failure Temporärer Netzwerkfehler - + Proxy connection refused Der Proxyserver hat den Verbindungsversuch abgelehnt - + Proxy server not found Proxy nicht gefunden - + Proxy connection timed out Der Proxy-Server hat nicht in angemessener Zeit geantwortet - + Proxy authentication required Authentifizierung am Proxy-Server erforderlich - + Content not found Inhalt konnte nicht gefunden werden - + Unknown network error Unbekannter Netzwerkfehler - + 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 - + JavaScript alert JavaScript Warnmeldung - + Prevent this page from creating additional dialogs Das Ausführen von Skripten auf dieser Seite unterbinden - + Choose file... Datei wählen... @@ -5000,42 +5015,42 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest S&eiteninformationen anzeigen - + Search with... Suche mit... - + &Play &Wiedergabe - + &Pause &Pause - + Un&mute &Ton einschalten - + &Mute &Stumm schalten - + &Copy Media Address Medienadresse &kopieren - + &Send Media Address Medienadresse &versenden - + Save Media To &Disk Multimedia-Datei &speichern @@ -5096,12 +5111,12 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Wörterbuch - + Go to &web address Gehe zu &Web-Adresse - + Search "%1 .." with %2 Suche "%1 .." mit %2 diff --git a/translations/el_GR.ts b/translations/el_GR.ts index 9ab4ffcad..1871fa85f 100644 --- a/translations/el_GR.ts +++ b/translations/el_GR.ts @@ -1063,22 +1063,22 @@ Προσθήκη %1 στην λευκή λίστα - + Flash Object Αντικείμενο Flash - + <b>Attribute Name</b> <b>Ονομασία γνωρίσματος</b> - + <b>Value</b> <b>Τιμή</b> - + No more information available. Δεν υπάρχουν παραπάνω πληροφορίες. @@ -4203,9 +4203,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Διαδρομή: - - - + + + <database not selected> <δεν επιλέχτηκε βάση δεδομένων> @@ -4480,17 +4480,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files Αρχεία εικόνων - + Select image... Επιλογή εικόνας... - + Unable to load Αδυναμία φόρτωσης @@ -4715,144 +4715,159 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Για να εμφανιστεί αυτή η σελίδα, το QupZilla πρέπει να ξαναστείλει ένα αίτημα που το ξανακάνει (όπως την αναζήτηση για μία αγορά, η οποία έχει ξαναγίνει.) - + Confirm form resubmission Επιβεβαίωση νέας υποβολής φόρμας - + Select files to upload... Επιλογή αρχείων για μεταφόρτωση... - + Server refused the connection Ο διακομιστής αρνήθηκε την σύνδεση - + Server closed the connection Ο διακομιστής έκλεισε την σύνδεση - + Server not found Δεν βρέθηκε ο διακομιστής - + Connection timed out Έληξε η σύνδεση - + Untrusted connection Μη έμπιστη σύνδεση - + Temporary network failure Προσωρινή αποτυχία δικτύου - + Proxy connection refused Αρνήθηκε η σύνδεση με τον μεσολαβητή - + Proxy server not found Δεν βρέθηκε διακομιστής διαμεσολάβησης - + Proxy connection timed out Έληξε η σύνδεση με τον μεσολαβητή - + Proxy authentication required Απαιτειται εξουσιοδότηση μεσολαβητή - + Content not found Το περιεχόμενο δεν βρέθηκε - + Unknown network error Άγνωστο σφάλμα δικτύου - + AdBlocked Content Φραγμένο περιεχόμενο Adblock - + Blocked by rule <i>%1</i> Φράχτηκε από τον κανόνα <i>%1</i> - + Content Access Denied Απορρίφτηκε η πρόσβαση περιεχομένου - + Error code %1 Σφάλμα κώδικα %1 - + Failed loading page Αποτυχία φόρτωσης σελίδας - + QupZilla can't load page from %1. Το QupZilla δεν μπορεί να φορτώσει την σελίδα από %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Ελέγξτε την διεύθυνση για τυπογραφικά λάθη όπως <b>ww.</b>example.com αντί για <b>www.</b>example.com - + If you are unable to load any pages, check your computer's network connection. Αν δεν μπορείτε να φορτώσετε καμία σελίδα, ελέγξτε την σύνδεση του υπολογιστή σας με το δίκτυο. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Αν ο υπολογιστής σας ή το δίκτυο σας προστατεύεται από ένα τείχος προστασίας (firewall) ή proxy, βεβαιωθείτε ότι το QupZilla επιτρέπεται να έχει πρόσβαση στο διαδίκτυο. - + Try Again Δοκιμάστε ξανά - + JavaScript alert Ειδοποίηση JavaScript - + Prevent this page from creating additional dialogs Να εμποδιστεί αυτή η σελίδα να δημιουργεί επιπλέον διαλόγους - + Choose file... Επιλογή αρχείου... @@ -5044,47 +5059,47 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Λεξικό - + Go to &web address Μετάβαση στην διεύθυνση &διαδικτύου - + Search with... Αναζήτηση με... - + &Play &Αναπαραγωγή - + &Pause &Πάυση - + Un&mute Ά&ρση σίγασης - + &Mute &Σίγαση - + &Copy Media Address Α&ντιγραφή διεύθυνσης πολυμέσου - + &Send Media Address Α&ποστολή διεύθυνσης πολυμέσων - + Save Media To &Disk Αποθήκευση πολυμέσου στον &δίσκο @@ -5109,7 +5124,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Εμφάνιση πληρο&φοριών για την σελίδα - + Search "%1 .." with %2 Αναζήτηση "%1" με %2 diff --git a/translations/empty.ts b/translations/empty.ts index 113bb080e..a8b4197de 100644 --- a/translations/empty.ts +++ b/translations/empty.ts @@ -3828,6 +3828,18 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Unknown network error + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/es_ES.ts b/translations/es_ES.ts index 3c8c0221d..da4b09e4a 100644 --- a/translations/es_ES.ts +++ b/translations/es_ES.ts @@ -1063,22 +1063,22 @@ Añadir %1 a la lista blanca - + Flash Object Objeto Flash - + <b>Attribute Name</b> <b>Nombre del atributo</b> - + <b>Value</b> <b>Valor</b> - + No more information available. No hay más información disponible. @@ -4201,9 +4201,9 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Ruta: - - - + + + <database not selected> <base de datos no seleccionada> @@ -4478,17 +4478,17 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup SpeedDial - + Image files Archivos de imágen - + Select image... Seleccionar imágen... - + Unable to load No se puede cargar @@ -4713,144 +4713,159 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Para mostrar esta página, QupZilla necesita enviar información que repetirá cualquier acción (como una búsqueda o una confirmación de compra) realizada anteriormente - + Confirm form resubmission Confirmar el reenvío del formulario - + Select files to upload... Seleccionar archivos para subir... - + Server refused the connection El servidor rechazó la conexión - + Server closed the connection El servidor cerró la conexión - + Server not found Servidor no encontrado - + Connection timed out La conexión expiró - + Untrusted connection Conexión no fiable - + Temporary network failure Fallo de la red temporal - + Proxy connection refused Conexión proxy rechazada - + Proxy server not found Servidor proxy no encontrado - + Proxy connection timed out Expiró el tiempo de conexión al proxy - + Proxy authentication required Autentificación proxy requerida - + Content not found Contenido no encontrado - + Unknown network error Error de red desconocido - + AdBlocked Content Contenido publicitario bloqueado - + Blocked by rule <i>%1</i> Bloqueado por regla <i>%1</i> - + Content Access Denied Denegado el acceso al contenido - + Error code %1 Código de error %1 - + Failed loading page Falló la carga de la página - + QupZilla can't load page from %1. QupZilla no puede cargar la página de %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Compruebe errores de escritura en la dirección como <b>ww.</b>ejemplo.com en lugar de <b>www.</b>ejemplo.com - + If you are unable to load any pages, check your computer's network connection. Si no puede cargar ninguna página, compruebe la conexión a la red de su ordenador. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Si su ordenador o red están protegidos por un cortafuegos o proxy, asegúrese de que QupZilla tiene permitido el acceso a la red. - + Try Again Volver a intentar - + JavaScript alert Alerta JavaScript - + Prevent this page from creating additional dialogs Prevenir que esta página cree diálogos adicionales - + Choose file... Elegir archivo... @@ -4916,7 +4931,7 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Diccionario - + Go to &web address Ir a &dirección web @@ -5052,42 +5067,42 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup &Guardar como... - + Search with... Buscar con... - + &Play &Reproducir - + &Pause &Pausa - + Un&mute &Activar sonido - + &Mute &Desactivar sonido - + &Copy Media Address Copi&ar la ruta del contenido media - + &Send Media Address &Enviar la ruta del contenido media - + Save Media To &Disk Guardar el contenido media al &disco @@ -5107,7 +5122,7 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Ver &información de la página - + Search "%1 .." with %2 Buscar "%1 .." con %2 diff --git a/translations/es_VE.ts b/translations/es_VE.ts index a378f31fe..37368a8d8 100644 --- a/translations/es_VE.ts +++ b/translations/es_VE.ts @@ -1065,22 +1065,22 @@ Añadir %1 a la lista blanca - + Flash Object Objeto Flash - + <b>Attribute Name</b> <b>Nombre del atributo</b> - + <b>Value</b> <b>Valor</b> - + No more information available. No hay más información disponible. @@ -4201,9 +4201,9 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Ruta: - - - + + + <database not selected> <database not selected> @@ -4478,17 +4478,17 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup SpeedDial - + Image files Archivos de imagenes - + Select image... Seleccionar imágen... - + Unable to load No se puede cargar @@ -4713,143 +4713,158 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) - + Confirm form resubmission Confirmar el reenvío del formulario - + Select files to upload... Seleccionar archivos para subir... - + Server refused the connection El servidor rechazó la conexión - + Server closed the connection El servidor cerró la conexión - + Server not found Servidor no encontrado - + Connection timed out La conexión expiró - + Untrusted connection Conexión no fiable - + Temporary network failure Fallo de la red temporal - + Proxy connection refused Conexión proxy rechazada - + Proxy server not found Servidor proxy no encontrado - + Proxy connection timed out Expiró el tiempo de conexión al proxy - + Proxy authentication required Autentificación proxy requerida - + Content not found Contenido no encontrado - + Unknown network error Error desconocido desde la red - + AdBlocked Content Contenido publicitario bloqueado - + Blocked by rule <i>%1</i> Bloqueado por regla <i>%1</i> - + Content Access Denied Denegado el acceso al contenido - + Error code %1 Código de error %1 - + Failed loading page Falló la carga de la página - + QupZilla can't load page from %1. QupZilla no puede cargar la página de %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Compruebe errores de escritura en la dirección como <b>ww.</b>ejemplo.com en lugar de <b>www.</b>ejemplo.com - + If you are unable to load any pages, check your computer's network connection. Si no puede cargar ninguna página, compruebe la conexión a la red de su ordenador. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Si su ordenador o red están protegidos por un cortafuegos o proxy, asegúrese de que QupZilla tiene permitido el acceso a la red. - + Try Again Volver a intentar - + JavaScript alert Alerta JavaScript - + Prevent this page from creating additional dialogs Prevenir que esta página cree diálogos adicionales - + Choose file... Elegir archivo... @@ -4915,7 +4930,7 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Diccionario - + Go to &web address Ir a &dirección web @@ -5051,42 +5066,42 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup &Guardar como... - + Search with... Buscar con... - + &Play &Reproducir - + &Pause &Pausa - + Un&mute &Activar sonido - + &Mute &Desactivar sonido - + &Copy Media Address Copi&ar la ruta del contenido media - + &Send Media Address &Enviar la ruta del contenido media - + Save Media To &Disk Guardar el contenido media al &disco @@ -5106,7 +5121,7 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Ver &información de la página - + Search "%1 .." with %2 Buscar "%1 .." con %2 diff --git a/translations/fr_FR.ts b/translations/fr_FR.ts index 43533dae5..f1c7abf9e 100644 --- a/translations/fr_FR.ts +++ b/translations/fr_FR.ts @@ -1064,22 +1064,22 @@ Ajouter %1 à la liste blanche - + Flash Object FlashObject - + <b>Attribute Name</b> <b> Nom de l'attribut</b> - + <b>Value</b> <b>Valeur</b> - + No more information available. Aucune information supplémentaire disponible. @@ -4201,9 +4201,9 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer Emplacement: - - - + + + <database not selected> <Base de données non sélectionnée> @@ -4478,17 +4478,17 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer SpeedDial - + Image files Fichiers Image - + Select image... Sélectionner l'image... - + Unable to load Impossible d'actualiser @@ -4714,143 +4714,158 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) - + Confirm form resubmission Confirmer le renvoi du formulaire - + Select files to upload... Sélectionner les fichiers à charger... - + Server refused the connection Le serveur refuse la connexion - + Server closed the connection Le serveur a coupé la connexion - + Server not found Le serveur n'a pas été trouvé - + Connection timed out Temps de réponse de la connexion dépassé - + Untrusted connection Connexion non fiable - + Temporary network failure Problème temporaire de réseau - + Proxy connection refused Connexion au le proxy refusé - + Proxy server not found Le serveur proxy n'a pas été trouvé - + Proxy connection timed out Délai de connection au le proxy expiré - + Proxy authentication required Authentification du proxy requis - + Content not found Contenu non trouvé - + Unknown network error Erreur serveur inconnu - + AdBlocked Content Contenu bloqué - + Blocked by rule <i>%1</i> Bloqué par la règle <i>%1</i> - + Content Access Denied Accès au contenu refusé - + Error code %1 Code erreur %1 - + Failed loading page Echec lors du chargement de la page - + QupZilla can't load page from %1. QupZilla ne peut pas charger la page depuis %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Vérifiez que l'adresse ne contient pas d'erreur comme <b>ww.</b>example.com à la place de <b>www.</b>example.com - + If you are unable to load any pages, check your computer's network connection. Si vous ne pouvez charger aucune page, vérifiez la connexion réseau de votre ordinateur. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Si votre ordinateur ou votre réseau est protégé par un pare-feu ou un proxy, assurez-vous que QupZilla est autorisé à accéder à Internet. - + Try Again Essayer à nouveau - + JavaScript alert Alerte JavaScript - + Prevent this page from creating additional dialogs Empêcher cette page de créer des dialogues supplémentaires - + Choose file... Choisir un fichier... @@ -5042,47 +5057,47 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer Dictionnaire - + Go to &web address Suivre le &lien - + Search with... Chercher avec... - + &Play &Lecture - + &Pause &Pause - + Un&mute Non &muet - + &Mute &Muet - + &Copy Media Address Copier l'adresse du &média - + &Send Media Address &Envoyer l'adresse du média - + Save Media To &Disk Enregistrer le &média @@ -5107,7 +5122,7 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer Informations à prop&os du site - + Search "%1 .." with %2 Recherche de %1.."avec %2 diff --git a/translations/hu_HU.ts b/translations/hu_HU.ts index 109b03222..585d46027 100644 --- a/translations/hu_HU.ts +++ b/translations/hu_HU.ts @@ -1731,11 +1731,11 @@ Show Navigation ToolBar on start - Irányítópult megjelenítése elinduláskor + Vezérlőelemek megjelenítése elinduláskor <b>Navigation ToolBar</b> - <b>Irányítópult</b> + <b>Vezérlőelemek</b> Show Home button @@ -1950,27 +1950,27 @@ Standard - Standard + Általános típusok Fixed - Fixed + Rögzített méretű (szélességű) betűk Serif - Serif + Talpas betűk Sans Serif - Sans Serif + Talp nélküli betűk Cursive - Cursive + Folyóírásos betűk Fantasy - Fantasy + Fantáziabetűk <b>Font Sizes</b> @@ -2068,7 +2068,7 @@ <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>Figyelem:</b> A Csak a megnyitott weboldaltól fogad sütiket, más címekről nem és a Nyomkövető sütik szűrésének engedélyezése opció néhány weboldalon a sütik letiltását eredményezheti. Ha problémákat észlel, kapcsolja ki ezeket az opciókat! + <b>Figyelem:</b> A "Csak a megnyitott weboldaltól fogad sütiket, más címekről nem" és a "Nyomkövető sütik szűrésének engedélyezése" opció néhány weboldalon a sütik letiltását eredményezheti. Ha problémákat észlel, kapcsolja ki ezeket az opciókat! Cookies Manager @@ -2389,7 +2389,7 @@ &Navigation Toolbar - &Irányítópult + &Vezérlőelemek &Bookmarks Toolbar @@ -3124,7 +3124,7 @@ RSS ikonnal jelölt oldalcímekről hozzá lehet adni híroldalakat. <b>NOTE:</b> Setting this option is a high security risk! - <b>MEGJEGYZÉS:</b>Ennek az opciónak a beállítása magas biztonsági kockázatot jelent! + <b>MEGJEGYZÉS:</b> Ennek az opciónak a beállítása magas biztonsági kockázatot jelent! Ignore all SSL Warnings @@ -3854,6 +3854,18 @@ Tanúsítványok elérési útjának megváltoztatása esetén, újra kell indí Unknown network error Nem beazonosítható hálózati hiba + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/id_ID.ts b/translations/id_ID.ts index 2eed49c81..8a8cfdba3 100644 --- a/translations/id_ID.ts +++ b/translations/id_ID.ts @@ -1064,22 +1064,22 @@ Tambahkan %1 ke daftar putih - + Flash Object Obyek Flash - + <b>Attribute Name</b> <b>Nama Atribut</b> - + <b>Value</b> <b>Nilai</b> - + No more information available. Tiada informasi tambahan tersedia. @@ -4206,9 +4206,9 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga Lokasi: - - - + + + <database not selected> <database tidak dipilih> @@ -4483,17 +4483,17 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga SpeedDial - + Image files Berkas gambar - + Select image... Pilih gambar... - + Unable to load Tidak dapat memuat @@ -4718,144 +4718,159 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Untuk menampilkan halaman ini, QupZilla harus mengirim ulang permintaan yang melakukannya lagi (seperti pencarian saat belanja, yang sudah dilakukan sebelumnya.) - + Confirm form resubmission Konfirmasi pengiriman ulang formulir - + Select files to upload... Pilih berkas untuk diunggah... - + Server refused the connection Server menolak koneksi - + Server closed the connection Server menutup koneksi - + Server not found Server tidak ditemukan - + Connection timed out Batas waktu koneksi habis - + Untrusted connection Koneksi tidak dapat dipercaya - + Temporary network failure Kegagalan jaringan sementara - + Proxy connection refused Koneksi ke proxy ditolak - + Proxy server not found Server proxy tidak ditemukan - + Proxy connection timed out Batas waktu koneksi ke proxy habis - + Proxy authentication required Otentikasi proxy dibutuhkan - + Content not found Isi tidak ditemukan - + Unknown network error Kesalahan jaringan tidak diketahui - + AdBlocked Content Isi yang diblokir AdBlok - + Blocked by rule <i>%1</i> Diblokir oleh aturan <i>%1</i> - + Content Access Denied Akses Terhadap Isi Ditolak - + Error code %1 Kode kesalahan %1 - + Failed loading page Halaman gagal dimuat - + QupZilla can't load page from %1. QupZilla tidak dapat memuat halaman dari %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Periksa ejaan alamat dari kesalahan pengetikan seperti <b>ww.</b>contoh.com dari yang seharusnya <b>www.</b>contoh.com - + If you are unable to load any pages, check your computer's network connection. Jika anda tidak dapat memuat halaman apapun, periksa koneksi jaringan komputer. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Jika komputer atau jaringan dilindungi firewall atau proxy, pastikan bahwa QupZilla diperbolehkan untuk mengakses Web. - + Try Again Coba Lagi - + JavaScript alert Peringatan JavaScript - + Prevent this page from creating additional dialogs Halangi halaman ini untuk membuat dialog tambahan - + Choose file... Pilih berkas... @@ -5072,52 +5087,52 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga Kamus - + Go to &web address Buka alamat &web - + Search "%1 .." with %2 Cari "%1.." dengan %2 - + Search with... Cari dengan... - + &Play - + &Pause - + Un&mute - + &Mute - + &Copy Media Address &Salin Alamat Media - + &Send Media Address &Kirimkan Alamat Media - + Save Media To &Disk Simpan Media ke &Disk diff --git a/translations/it_IT.ts b/translations/it_IT.ts index c2293b768..47803d276 100644 --- a/translations/it_IT.ts +++ b/translations/it_IT.ts @@ -1063,22 +1063,22 @@ Aggiungi %1 alla withelist - + Flash Object Oggetto Flash - + <b>Attribute Name</b> <b>Nome dell'Attributo</b> - + <b>Value</b> <b>Valore</b> - + No more information available. Nessuna ulteriore informazione disponibile. @@ -4205,9 +4205,9 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Percorso: - - - + + + <database not selected> <database non selezionato> @@ -4482,17 +4482,17 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari SpeedDial - + Image files Immagini - + Select image... Seleziona immagine... - + Unable to load Caricamento impossibile @@ -4717,7 +4717,22 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) I don't know what you mean for "shoping" @@ -4725,137 +4740,137 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari (come fare una ricerca sul fare shopping, che è stata già fatta.) - + Confirm form resubmission Conferma per la ritrasmissione - + Select files to upload... Seleziona i file da caricare... - + Server refused the connection Il Server ha rifiutato la connessione - + Server closed the connection Il Server ha chiuso la connessione - + Server not found Server non trovato - + Connection timed out Connessione scaduta - + Untrusted connection Connessione non attendibile - + Temporary network failure Problema di rete temporaneo - + Proxy connection refused Connessione al proxy rifiutata - + Proxy server not found Server proxy non trovato - + Proxy connection timed out Connessione con il proxy scaduta - + Proxy authentication required Il proxy richiede l'autenticazione - + Content not found Cntenuto non trovato - + Unknown network error Errore di rete sconosciuto - + AdBlocked Content Contenuto bloccato (AdBlock) - + Blocked by rule <i>%1</i> Bloccato dalla regola <i>%1</i> - + Content Access Denied Accesso al contenuto negato - + Error code %1 Errore codice %1 - + Failed loading page Caricamento pagina fallito - + QupZilla can't load page from %1. QupZilla non può caricare la pagina da %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Controllare l'indirizzo per errori di battitura come <b>ww.</b>esempio.com invece di <b>www.</b>esempio.com - + If you are unable to load any pages, check your computer's network connection. Se non si riesce a caricare nessuna pagina, controllare la connessione di rete del compiuter. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Se il tuo computer o la rete sono protetti da un firewall o un proxy, assicurati che QupZilla sia autorizzato ad accedere al Web. - + Try Again Prova di nuovo - + JavaScript alert Avviso JavaScript - + Prevent this page from creating additional dialogs Evita che questa pagina crei finestre di dialogo aggiuntive - + Choose file... Scegli il file... @@ -5047,47 +5062,47 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Dizionario - + Go to &web address Vai all'indirizzo &web - + Search with... Cerca con... - + &Play &Play - + &Pause &Pausa - + Un&mute Volu&me attivato - + &Mute &Muto - + &Copy Media Address &Copia indirizzo media - + &Send Media Address &Invia indirizzo media - + Save Media To &Disk Salva media su &disco @@ -5112,7 +5127,7 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Mostra info su&l sito - + Search "%1 .." with %2 Cerca "%1 .." con %2 diff --git a/translations/ja_JP.ts b/translations/ja_JP.ts index 1b73ee747..fdff2f907 100644 --- a/translations/ja_JP.ts +++ b/translations/ja_JP.ts @@ -3923,6 +3923,18 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Unknown network error 予期しないエラーが発生しました + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/ka_GE.ts b/translations/ka_GE.ts index bdbb1661a..edf265991 100644 --- a/translations/ka_GE.ts +++ b/translations/ka_GE.ts @@ -3834,6 +3834,18 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Unknown network error ქსელის უცნობის შეცდომა + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/nl_NL.ts b/translations/nl_NL.ts index 56cbdc8aa..84fcacef4 100644 --- a/translations/nl_NL.ts +++ b/translations/nl_NL.ts @@ -1063,22 +1063,22 @@ Voeg %1 toe aan witte lijst - + Flash Object Flash-object - + <b>Attribute Name</b> <b>Naam van attribuut</b> - + <b>Value</b> <b>Waarde</b> - + No more information available. Geen verdere informatie beschikbaar. @@ -4194,9 +4194,9 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Pad: - - - + + + <database not selected> <database niet geselecteerd> @@ -4482,17 +4482,17 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te SpeedDial - + Image files Afbeeldingsbestanden - + Select image... Selecteer afbeelding... - + Unable to load Niet in staat om te laden @@ -4717,144 +4717,159 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Om deze pagina te tonen, moet QupZulla het verzoek opnieuw versturen (zoals zoeken op het maken van een shoping, welke al gedaan is.) - + Confirm form resubmission Bevestig herindiening forumlier - + Select files to upload... Selecteer bestanden om te uploaden... - + Server refused the connection Server weigerde de verbinding - + Server closed the connection Server sloot de verbinding - + Server not found Server niet gevonden - + Connection timed out Verbinding onderbroken - + Untrusted connection Onbeveiligde verbinding - + Temporary network failure Tijdelijke netwerkfout - + Proxy connection refused Proxy-verbinding geweigerd - + Proxy server not found Proxy-server niet gevonden - + Proxy connection timed out Proxy-verbinding tijdsonderbreking - + Proxy authentication required Proxy-authenticatie benodigd - + Content not found Inhoud niet gevonden - + Unknown network error Onbekende netwerkfout - + AdBlocked Content Door AdBlock geblokkeerde inhoud - + Blocked by rule <i>%1</i> Geblokkeerd door regel <i>%1</i> - + Content Access Denied Inhoudstoegang geweigerd - + Error code %1 Foutcode %1 - + Failed loading page Mislukt om pagina te laden - + QupZilla can't load page from %1. QupZilla kan de pagina niet laden van %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Controleer het adres op typfouten zoals <b>ww.</b>voorbeeld.nl in plaats van <b>www.</b>voorbeeld.nl - + If you are unable to load any pages, check your computer's network connection. Indien u niet in staat bent om eender welke pagina te laden, controleer dan uw netwerkverbinding. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Indien uw computer of netwerk beveiligd is door een firewall of proxy, zorg dan dat QupZilla toestemming heeft om het web te benaderen. - + Try Again Probeer nogmaals - + JavaScript alert JavaScript-waarschuwing - + Prevent this page from creating additional dialogs Voorkom dat deze pagina extra dialoogvensters aanmaakt - + Choose file... Kies bestand... @@ -5000,42 +5015,42 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Toon info &over site - + Search with... Zoek met... - + &Play &Speel af - + &Pause &Pauzeer - + Un&mute Ont&demp - + &Mute &Demp - + &Copy Media Address &Kopieer media-adres - + &Send Media Address &Verstuur media-adres - + Save Media To &Disk Sla media op naar &schijf @@ -5096,12 +5111,12 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Woordenboek - + Go to &web address Ga naar &webadres - + Search "%1 .." with %2 Zoek "%1 .." met %2 diff --git a/translations/pl_PL.ts b/translations/pl_PL.ts index 7a980afc7..67885c85c 100644 --- a/translations/pl_PL.ts +++ b/translations/pl_PL.ts @@ -1065,22 +1065,22 @@ Dodaj %1 do zaufanej listy - + Flash Object Obiekt Flash - + <b>Attribute Name</b> <b>Nazwa atrybutu</b> - + <b>Value</b> <b>Wartość</b> - + No more information available. Nie ma więcej dostępnych informacji. @@ -4198,9 +4198,9 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi Ścieżka: - - - + + + <database not selected> <nie wybrano bazy danych> @@ -4486,17 +4486,17 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi SpeedDial - + Image files Obrazki - + Select image... Wybierz obraz... - + Unable to load Nie można wczytać @@ -4721,144 +4721,159 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Aby wyświetlić tę stronę, QupZilla musi wysłać ponownie żądanie do serwera (jak wyszukiwanie czy kupowanie czegoś, co zostało już zrobione.) - + Confirm form resubmission Potwierdź ponowne przesłanie formularza - + Select files to upload... Wybierz pliki do wysłania... - + Server refused the connection Serwer odrzucił połączenie - + Server closed the connection Serwer przerwał połączenie - + Server not found Serwer nie znaleziony - + Connection timed out Przekroczono limit czasu połączenia - + Untrusted connection Niezaufane połączenie - + Temporary network failure Chwilowy błąd sieci - + Proxy connection refused Połączenie proxy przerwane - + Proxy server not found Nie znaleziono serwera proxy - + Proxy connection timed out Przekroczono limit czasu połączenia proxy - + Proxy authentication required Wymagana aututentykacja proxy - + Content not found Zawartość nie znaleziona - + Unknown network error Nieznany błąd połączenia - + AdBlocked Content AdBlock zablokował - + Blocked by rule <i>%1</i> Zablokowano regułą <i>%1</i> - + Content Access Denied Dostęp zablokowany - + Error code %1 Kod błędu %1 - + Failed loading page Błąd ładowania strony - + QupZilla can't load page from %1. QupZilla nie może załadować strony z serwera %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Sprawdź czy adres został wpisnay poprawnie, gdzie zamiast np. <b>ww.</b>serwer.pl powinno być <b>www.</b>serwer.pl - + If you are unable to load any pages, check your computer's network connection. Jeśli nie możesz otworzyć żadnej strony, sprawdź swoje połączenie z internetem. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Jeśli twój komputer lub sieć jest zabezpieczona za pomocą firewalla lub proxy, upewnij się że QupZilla ma zezwolenie na dostęp do sieci. - + Try Again Spróbuj ponownie - + JavaScript alert Alarm JavaScript - + Prevent this page from creating additional dialogs Zapobiegaj otwieraniu dodatkowych okien dialogowych na tej stronie - + Choose file... Wybierz plik... @@ -5004,42 +5019,42 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi Pokaż &informacje o stronie - + Search with... Szukaj z... - + &Play O&dtwarzaj - + &Pause &Pauza - + Un&mute Włącz &dźwięk - + &Mute &Wycisz - + &Copy Media Address &Kopiuj adres filmu wideo - + &Send Media Address &Wyślij adres filmu wideo - + Save Media To &Disk &Zapisz film wideo na dysk @@ -5100,12 +5115,12 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi Słownik - + Go to &web address Przejdź do adresu &www - + Search "%1 .." with %2 Szukaj "%1 .." z %2 diff --git a/translations/pt_BR.ts b/translations/pt_BR.ts index d70dd6636..7ab262f4c 100644 --- a/translations/pt_BR.ts +++ b/translations/pt_BR.ts @@ -3835,6 +3835,18 @@ Após adicionar ou remover os caminhos dos certificados, você terá que reinici Unknown network error Erro de rede desconhecido + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/pt_PT.ts b/translations/pt_PT.ts index 7ad34cb73..0d7d68e1f 100755 --- a/translations/pt_PT.ts +++ b/translations/pt_PT.ts @@ -1063,22 +1063,22 @@ Adicionar %1 à lista de permissões - + Flash Object Objeto Flash - + <b>Attribute Name</b> <b>Nome do atributo</b> - + <b>Value</b> <b>Valor</b> - + No more information available. Não existem mais informações. @@ -4202,9 +4202,9 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup Caminho: - - - + + + <database not selected> <base de dados não selecionada> @@ -4479,17 +4479,17 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup SpeedDial - + Image files Imagens - + Select image... Selecione a imagem... - + Unable to load Incapaz de carregar @@ -4714,144 +4714,159 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Para mostrar esta página, o QupZilla tem que reenviar o pedido solicitado. (tal como fazer algo que já foi feito.) - + Confirm form resubmission Confirmar novo envio de formulário - + Select files to upload... Selecione os ficheiros a enviar... - + Server refused the connection O servidor recusou a ligação - + Server closed the connection O servidor fechou a ligação - + Server not found Servidor não encontrado - + Connection timed out A ligação expirou - + Untrusted connection Ligação não confiável - + Temporary network failure Falha temporária de rede - + Proxy connection refused Ligação de proxy recusada - + Proxy server not found Servidor proxy não encontrado - + Proxy connection timed out A ligação proxy expirou - + Proxy authentication required Requer autorização de proxy - + Content not found Conteúdo não encontrado - + Unknown network error Erro desconhecido - + AdBlocked Content Conteúdo bloqueado - + Blocked by rule <i>%1</i> Bloqueado pela regra <i>%1</i> - + Content Access Denied Negado o acesso ao conteúdo - + Error code %1 Código de erro %1 - + Failed loading page Falha ao carregar a página - + QupZilla can't load page from %1. O Qupzilla não conseguiu carregar a página %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Verifique se existem erros de inserção como <b>ww.</b>exemplo.com em vez de <b>www.</b>exemplo.com - + If you are unable to load any pages, check your computer's network connection. Se não consegue carregar quaisquer páginas, verifique a ligação de rede. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Se o computador estiver protegido por uma firewall ou proxy, certifique-se que o QupZilla pode aceder à Internet. - + Try Again Tente novamente - + JavaScript alert Alerta JavaScript - + Prevent this page from creating additional dialogs Impedir que esta página crie mais caixas de diálogo - + Choose file... Escolha o ficheiro... @@ -4917,7 +4932,7 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup Dicionário - + Go to &web address Ir para endereço &web @@ -5053,42 +5068,42 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup &Gravar página como... - + Search with... Procurar com... - + &Play Re&produzir - + &Pause &Pausa - + Un&mute Co&m som - + &Mute Se&m som - + &Copy Media Address &Copiar endereço multimédia - + &Send Media Address &Enviar endereço multimédia - + Save Media To &Disk Gravar multimédia no &disco @@ -5108,7 +5123,7 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup Mostrar inf&ormações da página - + Search "%1 .." with %2 Procurar "%1 ..." no %2 diff --git a/translations/ro_RO.ts b/translations/ro_RO.ts index 08d45d701..6b914085b 100644 --- a/translations/ro_RO.ts +++ b/translations/ro_RO.ts @@ -3835,6 +3835,18 @@ După adăugarea sau ștergerea de căi pentru certificate, este necesar să res JavaScript alert Alertă Javascript + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/ru_RU.ts b/translations/ru_RU.ts index 9ec217a4e..8902b1746 100644 --- a/translations/ru_RU.ts +++ b/translations/ru_RU.ts @@ -1067,22 +1067,22 @@ Добавить %1 в "белый" список - + Flash Object объект Flash - + <b>Attribute Name</b> <b>Название атрибута</b> - + <b>Value</b> <b>Значение</b> - + No more information available. Больше нет доступной информации. @@ -4214,9 +4214,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Путь: - - - + + + <database not selected> <база данных не выбрана> @@ -4492,17 +4492,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files Файлы изображений - + Select image... Выбрать изображение... - + Unable to load Невозможно загрузить @@ -4728,144 +4728,159 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Чтобы показать эту страницу, QupZilla должен переслать запрос, который повторит действие, которое уже совершено. ( Например поиск, или покупку чего-либо ) - + Confirm form resubmission Подтвердите повторную отправку формы - + Select files to upload... Выберите файлы для загрузки ... - + Server refused the connection Соединение отвергнуто сервером - + Server closed the connection Сервер закрыл соединение - + Server not found Сервер не найден - + Connection timed out Время ожидания соединения истекло - + Untrusted connection Ненадежное соединение - + Temporary network failure Временный сбой сети - + Proxy connection refused Подключение к прокси провалилось - + Proxy server not found Прокси сервер не найден - + Proxy connection timed out Вышел временной лимит подключения - + Proxy authentication required Прокси сервер требует авторизацию - + Content not found Содержимое не найдено - + Unknown network error Неизвестная ошибка сети - + AdBlocked Content Содержимое заболкировано AdBlock'ом - + Blocked by rule <i>%1</i> Заблокировано по правилу <i>%1</i> - + Content Access Denied Доступ к содержанию запрещен - + Error code %1 Код ошибки %1 - + Failed loading page Невозможно загрузить страницу - + QupZilla can't load page from %1. QupZilla не может загрузить страницу %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Проверьте адрес страницы на ошибки ( Например <b>ww</b>.example.com вместо <b>www</b>.example.com) - + If you are unable to load any pages, check your computer's network connection. Если невозможно загрузить любую страницу, проверьте ваше соединение с Internet. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Если ваш компютер или сеть защишена с помощью фаервола или прокси, удостовертесь, что QupZilla может выходить в Internet. - + Try Again Попробовать снова - + JavaScript alert предупреждение JavaScript - + Prevent this page from creating additional dialogs Запретить странице создавать дополнительные диалоги - + Choose file... Выберите файл... @@ -5057,47 +5072,47 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Словарь - + Go to &web address Идти по &ссылке - + Search with... Искать с помощью... - + &Play &Играть - + &Pause &Пауза - + Un&mute &Включение - + &Mute &Отключение - + &Copy Media Address Копировать &сслыку медиаконтента - + &Send Media Address &Послать сслыку медиаконтента - + Save Media To &Disk &Сохранить медиоконтент @@ -5122,7 +5137,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Показывать &информацию о сайте - + Search "%1 .." with %2 Искать "%1 .." с %2 diff --git a/translations/sk_SK.ts b/translations/sk_SK.ts index bf0eae774..3ed8421fb 100644 --- a/translations/sk_SK.ts +++ b/translations/sk_SK.ts @@ -3835,6 +3835,18 @@ Po pridaní či odobratí ciest k certifikátom je nutné reštartovať prehliad Unknown network error Neznáma sieťová chyba + + Remember my choice for this protocol + + + + External Protocol Request + + + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + WebSearchBar diff --git a/translations/sr_BA.ts b/translations/sr_BA.ts index eedddef77..97b33d22e 100644 --- a/translations/sr_BA.ts +++ b/translations/sr_BA.ts @@ -1063,22 +1063,22 @@ Додај %1 на списак дозвољених - + Flash Object Флеш објекат - + <b>Attribute Name</b> <b>Својство</b> - + <b>Value</b> <b>Вриједност</b> - + No more information available. Нема више доступних података. @@ -4203,9 +4203,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Путања: - - - + + + <database not selected> <база података није изабрана> @@ -4480,17 +4480,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files Фајлови слика - + Select image... Изабери слику... - + Unable to load Не могу да учитам @@ -4715,144 +4715,159 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Да би приказала ову страницу Капзила мора поново да пошаље захтијев за учитавањем (као претрага куповине која је већ обављена) - + Confirm form resubmission Потврда поновног слања - + Select files to upload... Изабери фајлове за слање... - + Server refused the connection Сервер је одбио везу - + Server closed the connection Сервер је затворио везу - + Server not found Сервер није нађен - + Connection timed out Истекло вријеме повезивања - + Untrusted connection Неповјерљива веза - + Temporary network failure Привремени неуспјех мреже - + Proxy connection refused Веза са проксијем одбијена - + Proxy server not found Сервер проксија није нађен - + Proxy connection timed out Истекло вријеме повезивања са проксијем - + Proxy authentication required Прокси захтијева аутентификацију - + Content not found Садржај није нађен - + Unknown network error Непозната грешка мреже - + AdBlocked Content Блокиран садржај - + Blocked by rule <i>%1</i> Блокирано филтером <i>%1</i> - + Content Access Denied Приступ садржају одбијен - + Error code %1 Кôд грешке %1 - + Failed loading page Неуспјех учитавања странице - + QupZilla can't load page from %1. Капзила не може да учита страницу са %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Провјерите да ли сте погрешно укуцали адресу, на примјер <b>ww.</b>example.com умјесто <b>www.</b>example.com - + If you are unable to load any pages, check your computer's network connection. Ако не можете да учитате ниједну страницу, провјерите везу вашег рачунара са интернетом. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Ако су ваш рачунар или мрежа заштићени заштитним зидом или проксијем, провјерите да ли је Капзили дозвољен приступ интернету. - + Try Again Покушај поново - + JavaScript alert Јаваскрипт упозорење - + Prevent this page from creating additional dialogs Не дозволи овој страници да прави још дијалога - + Choose file... Изабери фајл... @@ -5069,52 +5084,52 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Рјечник - + Go to &web address Иди на &веб адресу - + Search "%1 .." with %2 Тражи „%1“ на %2 - + Search with... Тражи на... - + &Play &Пусти - + &Pause &Паузирај - + Un&mute Вра&ти звук - + &Mute У&тишај - + &Copy Media Address &Копирај адресу медија - + &Send Media Address П&ошаљи адресу медија - + Save Media To &Disk &Сачувај медиј на диск diff --git a/translations/sr_RS.ts b/translations/sr_RS.ts index 56afb9153..cb284e6a6 100644 --- a/translations/sr_RS.ts +++ b/translations/sr_RS.ts @@ -1063,22 +1063,22 @@ Додај %1 на списак дозвољених - + Flash Object Флеш објекат - + <b>Attribute Name</b> <b>Својство</b> - + <b>Value</b> <b>Вредност</b> - + No more information available. Нема више доступних података. @@ -4202,9 +4202,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Путања: - - - + + + <database not selected> <база података није изабрана> @@ -4479,17 +4479,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files Фајлови слика - + Select image... Изабери слику... - + Unable to load Не могу да учитам @@ -4714,144 +4714,159 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) Да би приказала ову страницу Капзила мора поново да пошаље захтев за учитавањем (као претрага куповине која је већ обављена) - + Confirm form resubmission Потврда поновног слања - + Select files to upload... Изабери фајлове за слање... - + Server refused the connection Сервер је одбио везу - + Server closed the connection Сервер је затворио везу - + Server not found Сервер није нађен - + Connection timed out Истекло време повезивања - + Untrusted connection Неповерљива веза - + Temporary network failure Привремени неуспех мреже - + Proxy connection refused Веза са проксијем одбијена - + Proxy server not found Сервер проксија није нађен - + Proxy connection timed out Истекло време повезивања са проксијем - + Proxy authentication required Прокси захтева аутентификацију - + Content not found Садржај није нађен - + Unknown network error Непозната грешка мреже - + AdBlocked Content Блокиран садржај - + Blocked by rule <i>%1</i> Блокирано филтером <i>%1</i> - + Content Access Denied Приступ садржају одбијен - + Error code %1 Кôд грешке %1 - + Failed loading page Неуспех учитавања странице - + QupZilla can't load page from %1. Капзила не може да учита страницу са %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Проверите да ли сте погрешно укуцали адресу, на пример <b>ww.</b>example.com уместо <b>www.</b>example.com - + If you are unable to load any pages, check your computer's network connection. Ако не можете да учитате ниједну страницу, проверите везу вашег рачунара са интернетом. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Ако су ваш рачунар или мрежа заштићени заштитним зидом или проксијем, проверите да ли је Капзили дозвољен приступ интернету. - + Try Again Покушај поново - + JavaScript alert Јаваскрипт упозорење - + Prevent this page from creating additional dialogs Не дозволи овој страници да прави још дијалога - + Choose file... Изабери фајл... @@ -5068,52 +5083,52 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Речник - + Go to &web address Иди на &веб адресу - + Search "%1 .." with %2 Тражи „%1“ на %2 - + Search with... Тражи на... - + &Play &Пусти - + &Pause &Паузирај - + Un&mute Вра&ти звук - + &Mute У&тишај - + &Copy Media Address &Копирај адресу медија - + &Send Media Address П&ошаљи адресу медија - + Save Media To &Disk &Сачувај медиј на диск diff --git a/translations/sv_SE.ts b/translations/sv_SE.ts index 1ab977d10..2411bec54 100644 --- a/translations/sv_SE.ts +++ b/translations/sv_SE.ts @@ -1064,22 +1064,22 @@ Lägg till %1 i whitelist - + Flash Object Flash-objekt - + <b>Attribute Name</b> <b>Attributens namn</b> - + <b>Value</b> <b>Värde</b> - + No more information available. Ingen mer information tillgänglig. @@ -4204,9 +4204,9 @@ Efter att ha lagt till eller tagit bort certifikats sökvägar måste QupZilla s Sökväg: - - - + + + <database not selected> <databas inte vald> @@ -4481,17 +4481,17 @@ Efter att ha lagt till eller tagit bort certifikats sökvägar måste QupZilla s SpeedDial - + Image files Bildfiler - + Select image... Välj bild... - + Unable to load Kan ej hämta @@ -4716,7 +4716,22 @@ Efter att ha lagt till eller tagit bort certifikats sökvägar måste QupZilla s WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) För att visa sidan måste QupZilla skicka information som kommer att @@ -4724,137 +4739,137 @@ upprepa en tidigare utförd åtgärd (såsom en sökning eller beställningsbekräftelse) - + Confirm form resubmission Skicka om formulärdata - + Select files to upload... Välj filer att ladda upp... - + Server refused the connection Servern vägrade ansluta - + Server closed the connection Servern avbröt anslutningen - + Server not found Servern hittades inte - + Connection timed out Anslutningen upphörde - + Untrusted connection Osäker anslutning - + Temporary network failure Temporärt nätverksfel - + Proxy connection refused Proxyanslutning vägrad - + Proxy server not found Proxyserver ej hittad - + Proxy connection timed out Proxyanslutning upphörde - + Proxy authentication required Proxyautentisering krävs - + Content not found Innehåll hittades inte - + Unknown network error Okänt nätverksfel - + AdBlocked Content Reklamblockerat innehåll - + Blocked by rule <i>%1</i> Blockart av regeln <i>%1</i> - + Content Access Denied Innehållsåtkomst nekad - + Error code %1 Felkod %1 - + Failed loading page Misslyckades med att hämta sidan - + QupZilla can't load page from %1. QupZilla kan inte hämta sidan från %1. - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com Kontrollera adressen efter stavfel såsom <b>ww.</b>exempel.se istället för <b>www.</b>exempel.se - + If you are unable to load any pages, check your computer's network connection. Om du inte kan hämta några sidor alls, kontrollera din dators nätverksanslutning. - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. Om din dator eller ditt nätverk är skyddat av en brandvägg eller proxy, kontrollera att QupZilla har tillåtelse att nå webben. - + Try Again Försök igen - + JavaScript alert JavaScript-varning - + Prevent this page from creating additional dialogs Förhindra att denna sidan skapar fler dialogrutor - + Choose file... Välj fil... @@ -4920,7 +4935,7 @@ beställningsbekräftelse) Ordlista - + Go to &web address Gå till &webadress @@ -5071,47 +5086,47 @@ beställningsbekräftelse) Visa &information om denna sida - + Search with... Sök med... - + &Play &Spela upp - + &Pause &Paus - + Un&mute Slå &på ljud - + &Mute &Stäng av ljud - + &Copy Media Address &Kopiera medieadress - + &Send Media Address &Skicka medieadress - + Save Media To &Disk Spara media till &hårddisk - + Search "%1 .." with %2 Sök efter"%1 .."på %2 diff --git a/translations/zh_CN.ts b/translations/zh_CN.ts index c2dd517d6..301ecf274 100644 --- a/translations/zh_CN.ts +++ b/translations/zh_CN.ts @@ -1063,22 +1063,22 @@ - + Flash Object Flash对象 - + <b>Attribute Name</b> - + <b>Value</b> - + No more information available. 没有提供更多信息. @@ -4198,9 +4198,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 路径: - - - + + + <database not selected> <没有选择数据库> @@ -4475,17 +4475,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files 图像文件 - + Select image... 选择图像... - + Unable to load 无法加载 @@ -4710,143 +4710,158 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) 为显示此页QupZilla须重新发送请求 - + Confirm form resubmission 确认重新提交表格 - + Select files to upload... 选择要上传的文件... - + Server refused the connection 服务器拒绝了连接 - + Server closed the connection 服务器关闭了连接 - + Server not found 找不到服务器 - + Connection timed out 连接超时 - + Untrusted connection 不受信任的连接 - + Temporary network failure 临时网络故障 - + Proxy connection refused 代理服务器连接被拒绝 - + Proxy server not found 没有发现代理服务器 - + Proxy connection timed out 代理服务器连接超时 - + Proxy authentication required 要求代理身份验证 - + Content not found 内容不存在 - + Unknown network error 未知的网络错误 - + AdBlocked Content AdBlocked内容 - + Blocked by rule <i>%1</i> 阻止规则 <i>%1</i> - + Content Access Denied 内容访问被拒绝 - + Error code %1 错误代码为%1 - + Failed loading page 载入页面失败 - + QupZilla can't load page from %1. QupZilla无法加载%1页。 - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com 检查输入错误的地址,如<b> WW</b> example.com,而不是<B> WWW。</b> example.com - + If you are unable to load any pages, check your computer's network connection. 如果您无法载入任何页面,请检查您的计算机的网络连接。 - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. 如果您的计算机或网络受到防火墙或代理的保护,确保QupZilla允许访问Web。 - + Try Again 再试一次 - + JavaScript alert JavaScript警告 - + Prevent this page from creating additional dialogs 阻止此页创建额外的对话 - + Choose file... 选择文件... @@ -5038,47 +5053,47 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 字典 - + Go to &web address 去网页地址&w - + Search with... 搜索... - + &Play 播放&P - + &Pause 暂停&P - + Un&mute 取消静音&m - + &Mute 静音&M - + &Copy Media Address 复制媒体地址&C - + &Send Media Address 发送媒体地址&S - + Save Media To &Disk 储存媒体到磁盘&D @@ -5103,7 +5118,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 显示有关网站的信息&o - + Search "%1 .." with %2 使用 %2搜索"%1 .." diff --git a/translations/zh_TW.ts b/translations/zh_TW.ts index 1bb7a0af4..4e5360950 100644 --- a/translations/zh_TW.ts +++ b/translations/zh_TW.ts @@ -1063,22 +1063,22 @@ 將%1加入優先名單 - + Flash Object Flash物件 - + <b>Attribute Name</b> <b>屬性名稱</b> - + <b>Value</b> <b>數值</b> - + No more information available. 沒有提供其他資訊。 @@ -4198,9 +4198,9 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 路徑: - - - + + + <database not selected> < 無選取資料庫> @@ -4475,17 +4475,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla SpeedDial - + Image files 影像檔案 - + Select image... 選擇影像... - + Unable to load 無法匯入 @@ -4710,143 +4710,158 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebPage - + + QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? + + + + + Remember my choice for this protocol + + + + + External Protocol Request + + + + To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) 為顯示此頁QupZilla需重新發送請求 - + Confirm form resubmission - + Select files to upload... 選擇要上傳的檔案... - + Server refused the connection 伺服器拒絕連結 - + Server closed the connection 伺服器關閉了連結 - + Server not found 找不到伺服器 - + Connection timed out 連線逾時 - + Untrusted connection 不受信任的連結 - + Temporary network failure 網路連線暫時失敗 - + Proxy connection refused 代理主機拒絕連結 - + Proxy server not found 找不到代理伺服器 - + Proxy connection timed out 代理主機連線逾時 - + Proxy authentication required 代理主機認證需求 - + Content not found 找不到內容 - + Unknown network error 未知網路錯誤 - + AdBlocked Content 封鎖廣告內容內容 - + Blocked by rule <i>%1</i> 阻止規則 <i>%1</i> - + Content Access Denied 讀取內容被拒 - + Error code %1 錯誤代碼為%1 - + Failed loading page 讀取頁面失敗 - + QupZilla can't load page from %1. QupZilla無法讀取%1頁。 - + Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com 檢查輸入錯誤位址,如<b> WW</b> example.com,而不是<B> WWW。</b> example.com - + If you are unable to load any pages, check your computer's network connection. 如果無法讀取任何頁面,請檢查您的電腦的網路連接。 - + If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. 如果您的電腦或網路受到防火牆或代理的保護,確認QupZilla可以讀取網頁。 - + Try Again 重試 - + JavaScript alert JavaScript 警告 - + Prevent this page from creating additional dialogs 創見附加的對話,防止此頁 - + Choose file... 選擇檔案... @@ -5038,47 +5053,47 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 字典 - + Go to &web address 前往網址(&w) - + Search with... 選擇使用搜尋引擎... - + &Play 播放(&P) - + &Pause 暫停(&P) - + Un&mute 取消靜音(&m) - + &Mute 靜音(&M) - + &Copy Media Address 複製此多媒體位址(&C) - + &Send Media Address 傳送此多媒體位址(&S) - + Save Media To &Disk 儲存此多媒體(&D) @@ -5103,7 +5118,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 顯示有關網站的訊息(&o) - + Search "%1 .." with %2 使用 %2搜尋"%1 .."