diff --git a/bin/locale/cs_CZ.qm b/bin/locale/cs_CZ.qm index bade1426a..e9b0055be 100644 Binary files a/bin/locale/cs_CZ.qm and b/bin/locale/cs_CZ.qm differ diff --git a/src/app/mainapplication.cpp b/src/app/mainapplication.cpp index 692d5d82a..ad571b338 100644 --- a/src/app/mainapplication.cpp +++ b/src/app/mainapplication.cpp @@ -315,13 +315,13 @@ void MainApplication::loadSettings() bool zoomTextOnly = settings.value("zoomTextOnly", false).toBool(); bool printElBg = settings.value("PrintElementBackground", true).toBool(); bool xssAuditing = settings.value("XSSAuditing", false).toBool(); + bool html5storage = settings.value("HTML5StorageEnabled", true).toBool(); int maxCachedPages = settings.value("maximumCachedPages", 3).toInt(); int scrollingLines = settings.value("wheelScrollLines", wheelScrollLines()).toInt(); QUrl userStyleSheet = QUrl::fromLocalFile(settings.value("userStyleSheet", "").toString()); WebPage::UserAgent = settings.value("UserAgent", "").toString(); settings.endGroup(); - m_websettings->setAttribute(QWebSettings::DeveloperExtrasEnabled, true); m_websettings->setAttribute(QWebSettings::PluginsEnabled, allowFlash); m_websettings->setAttribute(QWebSettings::JavascriptEnabled, allowJavaScript); @@ -334,6 +334,7 @@ void MainApplication::loadSettings() m_websettings->setAttribute(QWebSettings::ZoomTextOnly, zoomTextOnly); m_websettings->setAttribute(QWebSettings::PrintElementBackgrounds, printElBg); m_websettings->setAttribute(QWebSettings::XSSAuditingEnabled, xssAuditing); + m_websettings->setAttribute(QWebSettings::LocalStorageEnabled, html5storage); #ifdef USE_WEBGL m_websettings->setAttribute(QWebSettings::WebGLEnabled, true); m_websettings->setAttribute(QWebSettings::AcceleratedCompositingEnabled, true); @@ -599,8 +600,11 @@ void MainApplication::saveSettings() settings.setValue("isCrashed", false); settings.endGroup(); - bool deleteCookies = settings.value("Web-Browser-Settings/deleteCookiesOnClose", false).toBool(); - bool deleteHistory = settings.value("Web-Browser-Settings/deleteHistoryOnClose", false).toBool(); + settings.beginGroup("Web-Browser-Settings"); + bool deleteCookies = settings.value("deleteCookiesOnClose", false).toBool(); + bool deleteHistory = settings.value("deleteHistoryOnClose", false).toBool(); + bool deleteHtml5Storage = settings.value("deleteHTML5StorageOnClose", false).toBool(); + settings.endGroup(); if (deleteCookies) { m_cookiejar->clearCookies(); @@ -608,6 +612,10 @@ void MainApplication::saveSettings() if (deleteHistory) { m_historymodel->clearHistory(); } + if (deleteHtml5Storage) { + qz_removeDir(m_activeProfil + "Databases"); + qz_removeDir(m_activeProfil + "LocalStorage"); + } m_searchEnginesManager->saveSettings(); m_cookiejar->saveCookies(); diff --git a/src/preferences/preferences.cpp b/src/preferences/preferences.cpp index 6efc01e8c..07be3aa60 100644 --- a/src/preferences/preferences.cpp +++ b/src/preferences/preferences.cpp @@ -50,37 +50,6 @@ #define DEFAULT_USE_NATIVE_DIALOG true #endif -bool removeFile(const QString &fullFileName) -{ - QFile f(fullFileName); - if (f.exists()) { - return f.remove(); - } - else { - return false; - } -} - -void removeDir(const QString &d) -{ - QDir dir(d); - if (dir.exists()) { - const QFileInfoList list = dir.entryInfoList(); - QFileInfo fi; - for (int l = 0; l < list.size(); l++) { - fi = list.at(l); - if (fi.isDir() && fi.fileName() != "." && fi.fileName() != "..") { - removeDir(fi.absoluteFilePath()); - } - else if (fi.isFile()) { - removeFile(fi.absoluteFilePath()); - } - - } - dir.rmdir(d); - } -} - Preferences::Preferences(QupZilla* mainClass, QWidget* parent) : QDialog(parent) , ui(new Ui::Preferences) @@ -247,13 +216,17 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) //PRIVACY //Web storage - ui->storeIcons->setChecked(settings.value("allowPersistentStorage", true).toBool()); - ui->saveHistory->setChecked(mApp->history()->isSaving()); + ui->saveHistory->setChecked(settings.value("allowHistory", true).toBool()); ui->deleteHistoryOnClose->setChecked(settings.value("deleteHistoryOnClose", false).toBool()); if (!ui->saveHistory->isChecked()) { ui->deleteHistoryOnClose->setEnabled(false); } connect(ui->saveHistory, SIGNAL(toggled(bool)), this, SLOT(saveHistoryChanged(bool))); + + ui->html5storage->setChecked(settings.value("HTML5StorageEnabled", true).toBool()); + ui->deleteHtml5storageOnClose->setChecked(settings.value("deleteHTML5StorageOnClose", false).toBool()); + connect(ui->html5storage, SIGNAL(toggled(bool)), this, SLOT(allowHtml5storageChanged(bool))); + //Cookies ui->saveCookies->setChecked(settings.value("allowCookies", true).toBool()); if (!ui->saveCookies->isChecked()) { @@ -514,6 +487,11 @@ void Preferences::saveCookiesChanged(bool stat) ui->deleteCookiesOnClose->setEnabled(stat); } +void Preferences::allowHtml5storageChanged(bool stat) +{ + ui->deleteHtml5storageOnClose->setEnabled(stat); +} + void Preferences::showCookieManager() { CookieManager* m = new CookieManager(); @@ -524,7 +502,6 @@ void Preferences::showCookieManager() void Preferences::openSslManager() { SSLManager* m = new SSLManager(this); -// qz_centerWidgetToParent(m, this); m->show(); } @@ -613,7 +590,7 @@ void Preferences::deleteProfile() return; } - removeDir(mApp->PROFILEDIR + "profiles/" + name); + qz_removeDir(mApp->PROFILEDIR + "profiles/" + name); ui->startProfile->removeItem(ui->startProfile->currentIndex()); } @@ -748,8 +725,10 @@ void Preferences::saveSettings() //PRIVACY //Web storage - settings.setValue("allowPersistentStorage", ui->storeIcons->isChecked()); + settings.setValue("allowHistory", ui->saveHistory->isChecked()); settings.setValue("deleteHistoryOnClose", ui->deleteHistoryOnClose->isChecked()); + settings.setValue("HTML5StorageEnabled", ui->html5storage->isChecked()); + settings.setValue("deleteHTML5StorageOnClose", ui->deleteHtml5storageOnClose->isChecked()); //Cookies settings.setValue("allowCookies", ui->saveCookies->isChecked()); diff --git a/src/preferences/preferences.h b/src/preferences/preferences.h index 4a8b87594..8598cac54 100644 --- a/src/preferences/preferences.h +++ b/src/preferences/preferences.h @@ -60,6 +60,7 @@ private slots: void allowJavaScriptChanged(bool stat); void saveHistoryChanged(bool stat); void saveCookiesChanged(bool stat); + void allowHtml5storageChanged(bool stat); void downLocChanged(bool state); void allowCacheChanged(bool state); void showPassManager(bool state); diff --git a/src/preferences/preferences.ui b/src/preferences/preferences.ui index 9fe14f8f1..f25aeb13f 100644 --- a/src/preferences/preferences.ui +++ b/src/preferences/preferences.ui @@ -1099,6 +1099,9 @@ Qt::Horizontal + + QSizePolicy::Fixed + 40 @@ -1107,8 +1110,22 @@ + + + + Allow HTML5 local storage + + + + + + + Delete local storage on close + + + - + Qt::Horizontal @@ -1642,7 +1659,7 @@ - + Qt::Vertical @@ -1667,7 +1684,7 @@ - Filter Tracking Cookies + Filter tracking cookies @@ -1685,19 +1702,6 @@ - - - - Qt::Horizontal - - - - 40 - 20 - - - - @@ -1721,23 +1725,10 @@ - - - - Qt::Horizontal - - - - 40 - 20 - - - - - + - <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>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! true @@ -1757,7 +1748,30 @@ - + + + + Qt::Horizontal + + + QSizePolicy::Fixed + + + + 40 + 20 + + + + + + + + <b>SSL Certificates</b> + + + + @@ -1770,6 +1784,45 @@ + + + + Edit CA certificates in SSL Manager + + + true + + + + + + + Qt::Vertical + + + QSizePolicy::Fixed + + + + 20 + 10 + + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + @@ -2102,7 +2155,6 @@ matchExactly filterTracking cookieManagerBut - sslManagerButton useOSDNotifications useNativeSystemNotifications doNotUseNotifications diff --git a/src/tools/globalfunctions.cpp b/src/tools/globalfunctions.cpp index da59b333b..eadabbbeb 100644 --- a/src/tools/globalfunctions.cpp +++ b/src/tools/globalfunctions.cpp @@ -71,6 +71,38 @@ void qz_centerWidgetToParent(QWidget* w, QWidget* parent) w->move(p); } +bool qz_removeFile(const QString &fullFileName) +{ + QFile f(fullFileName); + if (f.exists()) { + return f.remove(); + } + else { + return false; + } +} + +void qz_removeDir(const QString &d) +{ + QDir dir(d); + if (dir.exists()) { + const QFileInfoList list = dir.entryInfoList(); + QFileInfo fi; + for (int l = 0; l < list.size(); l++) { + fi = list.at(l); + if (fi.isDir() && fi.fileName() != "." && fi.fileName() != "..") { + qz_removeDir(fi.absoluteFilePath()); + } + else if (fi.isFile()) { + qz_removeFile(fi.absoluteFilePath()); + } + + } + dir.rmdir(d); + } +} + + QString qz_samePartOfStrings(const QString &one, const QString &other) { int i = 0; diff --git a/src/tools/globalfunctions.h b/src/tools/globalfunctions.h index c0094c03f..9ebdee9af 100644 --- a/src/tools/globalfunctions.h +++ b/src/tools/globalfunctions.h @@ -22,6 +22,7 @@ #include #include #include +#include #include #include #include @@ -36,6 +37,9 @@ QByteArray qz_readAllFileContents(const QString &filename); void qz_centerWidgetOnScreen(QWidget* w); void qz_centerWidgetToParent(QWidget* w, QWidget* parent); +bool qz_removeFile(const QString &fullFileName); +void qz_removeDir(const QString &d); + QString qz_samePartOfStrings(const QString &one, const QString &other); QUrl qz_makeRelativeUrl(const QUrl &baseUrl, const QUrl &rUrl); diff --git a/translations/cs_CZ.ts b/translations/cs_CZ.ts index 7abf27a10..b30baf5ea 100644 --- a/translations/cs_CZ.ts +++ b/translations/cs_CZ.ts @@ -981,7 +981,7 @@ Earlier Today - + Dnes Later Today @@ -1198,13 +1198,13 @@ DownloadFileHelper - - + + Save file as... Uložit soubor jako... - + NoNameDownload BezNazvu @@ -1733,7 +1733,7 @@ nebyl nalezen! Vymazat vše - + .co.uk Append domain name on ALT + Enter = Should be different for every country .cz @@ -1747,12 +1747,12 @@ nebyl nalezen! MainApplication - + Last session crashed Poslední relace spadla - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last 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? @@ -1942,7 +1942,7 @@ nebyl nalezen! Click To Flash is a plugin which blocks auto loading of Flash content at page. You can always load it manually by clicking on the Flash play icon. - Click To Flash je plugin který blokuje automatické načítání Flash animací. Avšak vždy je můžete manuálně načíst kliknutím na ikonku Flashe. + Click To Flash je plugin který blokuje automatické načítání Flash obsahu. Avšak vždy jej můžete manuálně načíst kliknutím na ikonku Flashe. @@ -2209,7 +2209,7 @@ nebyl nalezen! Povolit ukládání cache na disk - + <b>Cookies</b> <b>Cookies</b> @@ -2219,7 +2219,7 @@ nebyl nalezen! <b>Chování adresního řádku</b> - + <b>Language</b> <b>Jazyk</b> @@ -2294,7 +2294,7 @@ nebyl nalezen! - + Note: You cannot delete active profile. Poznámka: Nemůžete smazat aktivní profil. @@ -2464,37 +2464,47 @@ nebyl nalezen! Lokální úložiště - + + Allow HTML5 local storage + Povolit HTML5 lokální úložiště + + + + Delete local storage on close + Smazat lokální úložiště při zavření prohlížeče + + + Proxy Configuration Konfigurace Proxy - + <b>Font Families</b> <b>Typy písem</b> - + Standard Standardní - + Fixed Proporcionální - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kurzíva @@ -2507,140 +2517,160 @@ nebyl nalezen! Proporcionální písmo - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Velikosti písem</b> - + Fixed Font Size Proporcionální písmo - + Default Font Size Základní písmo - + Minimum Font Size Minimální velikost - + Minimum Logical Font Size Minimální logická velikost - + <b>Download Location</b> <b>Cíl stahování</b> - + Ask everytime for download location U každého souboru se dotázat kam ho uložit - + Use defined location: Uložit všechny soubory do: - - + + ... ... - + <b>Download Options</b> <b>Možnosti stahování</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Použít nativní systémový dialog pro výběr souboru (může ale také nemusí dělat problémy při stahování SSL zabezpečeného obsahu) - + Close download manager when downloading finishes Zavřít správce stahování po skončení stahování - + + Filter tracking cookies + Filtrovat sledovací cookies + + + + <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>Upozornění:</b> Možnosti vyžadovat přesnou shodu domény a filtrovat sledovací cookies mohou vést k odmítnutí některých cookies. Pokud máte problémy s cookies, zkuste nejdříve tyto možnosti zakázat! + + + + <b>SSL Certificates</b> + <b>SSL Certifikáty</b> + + + + Edit CA certificates in SSL Manager + Upravit CA certifikáty ve správci certifikátů + + + <b>Notifications</b> <b>Oznámení</b> - + Use OSD Notifications Používat OSD oznámení - + Use Native System Notifications (Linux only) Používat nativní systémové oznámení (pouze Linux) - + Do not use Notifications Nepoužívat oznámení - + Expiration timeout: Doba: - + seconds sekund - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Poznámka: </b> Můžete změnit pozici OSD oznámení na obrazovce jejím přetažením. - + <b>User CSS StyleSheet</b> <b>Uživatelský CSS styl</b> - + StyleSheet automatically loaded with all websites: Styl, automaticky načítán ke všem stránkám: - + Languages Jazyky - + <b>Preferred language for web sites</b> <b>Preferované jazyky pro webové stránky</b> - + System proxy configuration Systémové nastavení proxy - + Do not use proxy Nepoužívat proxy - + Manual configuration Manuální nastavení @@ -2650,32 +2680,32 @@ nebyl nalezen! Nastavení webu - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Port: - + Username: Jméno: - + Password: Heslo: - + Don't use on: Nepužívat na: @@ -2715,12 +2745,12 @@ nebyl nalezen! Správce hesel - + <b>AutoFill options</b> <b>Možnosti doplňování</b> - + Allow saving passwords from sites Povolit ukládání hesel ze stránek @@ -2730,32 +2760,30 @@ nebyl nalezen! Soukromí - Filter Tracking Cookies - Filtrovat sledovací cookies + Filtrovat sledovací cookies - + Allow storing of cookies Povolit přijímání cookies - + Delete cookies on close Vymazat cookies při zavření prohlížeče - + Match domain exactly Vyžadovat přesnou shodu domény - <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>Upozornění:</b> Možnosti vyžadovat přesnou shodu domény a filtrovat sledovací cookies mohou vést k odmítnutí některých cookies. Pokud máte problémy s cookies, zkuste nejdříve tyto možnosti zakázat! + <b>Upozornění:</b> Možnosti vyžadovat přesnou shodu domény a filtrovat sledovací cookies mohou vést k odmítnutí některých cookies. Pokud máte problémy s cookies, zkuste nejdříve tyto možnosti zakázat! - + Cookies Manager Správce cookies @@ -2791,73 +2819,73 @@ nebyl nalezen! Přidat .cz doménu stísknutím ALT klávesy - + SSL Manager Správce certifikátů - + Available translations: Dostupné překlady: - + In order to change language, you must restart browser. Ke změně jazyka je nutný restart prohlížeče. - + OSD Notification OSD Oznámení - + Drag it on the screen to place it where you want. Přetáhněte jej na obrazovce na místo, na kterém jej chcete mít. - + Choose download location... Vyberte složku pro stahování... - + Choose stylesheet location... Vyberte umístění stylu... - + New Profile Nový profil - + Enter the new profile's name: Zvolte jméno nového profilu: - - + + Error! Chyba! - + This profile already exists! Tento profil již existuje! - + Cannot create profile directory! Nemohu vytvořit složku profilu! - + Confirmation Potvrzení - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Jste si jisti že chcete permanentně smazat profil "%1"? Tuto akci nelze vzít zpět! @@ -2916,32 +2944,32 @@ 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 @@ -2951,132 +2979,132 @@ nebyl nalezen! QupZilla - + &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 @@ -3091,7 +3119,7 @@ nebyl nalezen! Nejnavštěvovanější - + Information about application Informace o aplikaci @@ -3100,111 +3128,111 @@ nebyl nalezen! - QupZilla - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Ještě je otevřeno %1 panelů a Vaše relace nebude uložena. Opravdu chcete skončit? - + &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í - + %1 - QupZilla %1 - QupZilla - + 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 soukromé prohlížení - + Private Browsing Enabled Soukromé prohlížení zapnuto - + Restore &Closed Tab Obnovit zavř&ený panel - - - - - + + + + + Empty Prázdný @@ -3213,37 +3241,37 @@ nebyl nalezen! 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 @@ -3253,32 +3281,32 @@ nebyl nalezen! 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 @@ -3287,77 +3315,77 @@ nebyl nalezen! 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. @@ -3370,12 +3398,12 @@ nebyl nalezen! QupZillaSchemeReply - + No Error Žádná chyba - + Not Found Nenalezeno @@ -3384,28 +3412,28 @@ nebyl nalezen! Pokud máte problém s používáním QupZilly, zakažte prosím všechny doplňky. <br/> Pokud problém přetrvává, vyplňte tento formulář: - + Your E-mail Váš e-mail - + Issue type Typ problému - - + + Report Issue Nahlásit problém - + Issue description Popis problému - + Send Odeslat @@ -3414,24 +3442,24 @@ nebyl nalezen! Vyplňte prosím všechna povinná pole! - + Start Page Startovní stránka - + Google Search Vyhledávání Google - + Search results provided by Google Výsledky vyhledávání poskytuje Google - - - + + + About QupZilla O QupZille @@ -3440,162 +3468,162 @@ nebyl nalezen! Informace o verzi - + Browser Identification Identifikace prohlížeče - + Paths Cesty - + Copyright Copyright - + Version Verze - + WebKit version Verze WebKitu - + Build time Sestaveno - + Platform Platforma - + Profile Profil - + Settings Nastavení - + Saved session Uložené relace - + Pinned tabs Připíchnuté panely - + Data Data - + Themes Témata - + Plugins Doplňky - + Translations Překlady - + Main developer Hlavní vývojář - + Contributors Přispěvatelé - + Translators Překladatelé - + Speed Dial Rychlá volba - + Add New Page Přidat novou stránku - + Apply Uložit - + Speed Dial settings Nastavení rychlé volby - + Placement: Umístění: - + Auto Auto - + Cover Krytí - + Fit Přizpůsobit - + Fit Width Přizpůsobit šířce - + Fit Height Přizpůsobit výšce - + Use background image Použít obrázek na pozadí - + Select image Zvolit obrázek - + Maximum pages in a row: Maximum stránek v řadě: - + Change size of pages: Změnit velikost stránek: @@ -3604,57 +3632,57 @@ nebyl nalezen! Maximální počet stránek v řadě: - + Load title from page Načíst titulek ze stránky - + Edit Upravit - + Remove Odstranit - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-mail je nepovinný<br/><b>Poznámka: </b>Používejte prosím pouze anglický jazyk. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Pokud máte problém s používáním QupZilly, zakažte prosím všechny doplňky. <br/> Pokud problém přetrvává, vyplňte tento formulář: - + Please fill out all required fields! Vyplňte prosím všechna povinná pole! - + Information about version Informace o verzi - + Reload Načíst znovu - + Url Adresa - + Title Titulek - + New Page Nová stránka @@ -4497,38 +4525,38 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Nový panel - + Loading... Načítám... - + No Named Page Bezejmenná stránka - + Actually you have %1 opened tabs Dohromady máte otevřeno %1 panelů - + New tab Nový panel - + Empty Prázdný - + Restore All Closed Tabs Obnovit všechny zavřené panely - + Clear list Vyčistit seznam diff --git a/translations/de_DE.ts b/translations/de_DE.ts index c1fbf13f7..49ca4c965 100644 --- a/translations/de_DE.ts +++ b/translations/de_DE.ts @@ -1196,13 +1196,13 @@ DownloadFileHelper - - + + Save file as... Datei speichern als... - + NoNameDownload NoNameDownload @@ -1731,7 +1731,7 @@ Alle leeren - + .co.uk Append domain name on ALT + Enter = Should be different for every country .de @@ -1745,12 +1745,12 @@ MainApplication - + Last session crashed Die letzte Sitzung wurde unerwartet beendet - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla ist abgestürzt :-(</b><br/>Hoppla,die letzte Sitzung wurde unerwartet beendet. Verzeihung. Möchten Sie den letzten Status wiederherstellen? @@ -2231,7 +2231,7 @@ Cache-Speicherung auf lokaler Festplatte erlauben - + <b>Cookies</b> <b>Cookies</b> @@ -2241,7 +2241,7 @@ <b>Adress-Leisten Verhalten</b> - + <b>Language</b> <b>Sprache</b> @@ -2305,18 +2305,18 @@ 50 MB - + Ask everytime for download location Jedes Mal nach Speicherort fragen - + Use defined location: Definierten Speicherort benutzen: - - + + ... ... @@ -2356,12 +2356,12 @@ Passwort Manager - + <b>AutoFill options</b> <b>Autovervollständigen</b> - + Allow saving passwords from sites Speichern von Passwörtern von Seiten erlauben @@ -2377,7 +2377,7 @@ - + Note: You cannot delete active profile. Hinweis: Ein aktives Profil kann nicht gelöscht werden. @@ -2538,37 +2538,47 @@ Lokaler Speicherplatz - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Proxy Konfiguration - + <b>Font Families</b> <b>Schriftarten</b> - + Standard Standard - + Fixed Feste Breite - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kursiv @@ -2581,184 +2591,192 @@ Schriftart mit fester Breite - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Schriftgrößen</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <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 + 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! + <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>SSL Certificates</b> + + + + + Edit CA certificates in SSL 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: @@ -2794,73 +2812,83 @@ Zum Hinzufügen der .co.uk Domäne drücken Sie bitte die ALT-Taste - + + Filter tracking cookies + + + + + <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! + + + + 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! @@ -2919,32 +2947,32 @@ 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 @@ -2954,132 +2982,132 @@ QupZilla - + &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 @@ -3094,7 +3122,7 @@ - + Information about application Mehr über QupZilla @@ -3103,111 +3131,111 @@ - QupZilla - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Es sind noch %1 Tabs geöffnet und Ihre Sitzung wird nicht gespeichert. Möchten Sie QupZilla wirklich beenden? - + &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 - + %1 - QupZilla %1 - QupZilla - + 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 - - - - - + + + + + Empty Leer @@ -3216,37 +3244,37 @@ 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 @@ -3256,32 +3284,32 @@ 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 @@ -3290,77 +3318,77 @@ 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. @@ -3373,12 +3401,12 @@ QupZillaSchemeReply - + No Error Kein Fehler aufgetreten - + Not Found Nicht gefunden @@ -3387,22 +3415,22 @@ 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 - + Issue description Fehlerbeschreibung - + Send Senden @@ -3411,24 +3439,24 @@ 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 @@ -3437,223 +3465,223 @@ Versionsinformationen - + Browser Identification Browser Indentifizierung - + Paths Pfade - + Copyright Copyright - + Main developer Hauptentwickler - + Contributors Mitwirkende - + Translators Übersetzer - + Speed Dial Schnellwahl - + Add New Page Neue Seite hinzufügen - + Apply Anwenden - + Load title from page Titel von der Web-Seite laden - + Edit Bearbeiten - + Remove Entfernen - + Reload Neu laden - + Url Url - + Title Titel - + New Page Neue Seite - + Version Version - - + + Report Issue Fehlerbericht senden - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out 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: - + E-mail is optional<br/><b>Note: </b>Please use English language only. Die Angabe der E-Mail Adresse ist optional.<br/><b>Hinweis: </b>Bitte verfassen Sie die Fehlerberichte ausschließlich in englischer Sprache. - + Please fill out all required fields! Bitte füllen Sie alle erforderlichen Felder aus! - + Information about version Versionsinformationen - + 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 - + Speed Dial settings Einstellungen Schnellwahl - + Placement: Anordnung: - + Auto Automatisch - + Cover Cover - + Fit Anpassen - + Fit Width Seitenbreite - + Fit Height Seitenhöhe - + Use background image Hintergrundbild verwenden - + Select image Bild auswählen - + Maximum pages in a row: Maximale Anzahl Seiten in einer Reihe: - + Change size of pages: Größe der Seiten ändern: @@ -4496,39 +4524,39 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Neuer Tab - + Loading... Laden... - + No Named Page This is displayed in the window title, when a blank tab is opened. Leere Seite - + Actually you have %1 opened tabs Aktuell sind %1 Tabs geöffnet - + New tab Neuer Tab - + Empty Leer - + Restore All Closed Tabs Alle geschlossenen Tabs wiederherstellen - + Clear list Liste leeren diff --git a/translations/el_GR.ts b/translations/el_GR.ts index ccc617cef..759b3c5b1 100644 --- a/translations/el_GR.ts +++ b/translations/el_GR.ts @@ -1193,13 +1193,13 @@ DownloadFileHelper - - + + Save file as... Αποθήκευση αρχείου ως... - + NoNameDownload ? NoNameDownload @@ -1729,7 +1729,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country .gr @@ -1743,12 +1743,12 @@ MainApplication - + Last session crashed Η τελευταία συνεδρία κατέρρευσε - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? Το <b>QupZilla κατέρρευσε :-(</b><br/>Ούπς, η τελευταία συνεδρία του QupZilla διακόπηκε απροσδόκητα. Ζητάμε συγνώμη για αυτό. Θα θέλατε να δοκιμάσετε την επαναφορά στην ποιο πρόσφατα αποθηκευμένη κατάσταση; @@ -2172,7 +2172,7 @@ - + Note: You cannot delete active profile. Σημείωση: Δεν μπορείτε να διαγράψετε το ενεργό προφίλ. @@ -2446,85 +2446,105 @@ Διαγραφή ιστορικού στο κλείσιμο - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Ρυθμίσεις proxy - + HTTP HTTP - + SOCKS5 SOCKSS - + Port: Θύρα: - + Username: Όνομα χρήστη: - + Password: Κωδικός: - + Don't use on: Να μην χρησιμοποιείται σε: - + Manual configuration Χειροκίνητη ρύθμιση - + System proxy configuration Ρύθμιση proxy συστήματος - + Do not use proxy Να μην χρησιμοποιείται proxy - + <b>Font Families</b> <b>Οικογένειες γραμματοσειρών</b> - + Standard Standard - + Fixed Fixed - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursive + + + Filter tracking cookies + + + + + <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! + + Default Font Προεπιλεγμένη γραμματοσειρά @@ -2534,190 +2554,198 @@ Fixed Font - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Μεγέθη γραμματοσειρών</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Τοποθεσία λήψεων</b> - + Ask everytime for download location Ερώτηση για τοποθεσία λήψεων κάθε φορά - + Use defined location: Χρήση καθορισμένης τοποθεσίας: - - + + ... ... - + <b>Download Options</b> <b>Επιλογές λήψεων</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Χρήση εγγενούς διαλόγου αρχείου συστήματος (μπορεί να ή να μην προκαλέσει προβλήματα με την λήψη ασφαλούς περιεχομένου SSL) - + Close download manager when downloading finishes Κλείσιμο διαχειριστή λήψεων όταν τελειώσουν οι λήψεις - + <b>AutoFill options</b> <b>Επιλογές αυτόματης συμπλήρωσης</b> - + Allow saving passwords from sites Να επιτρέπεται η αποθήκευση κωδικών από σελίδες - + <b>Cookies</b> <b>Cookies</b> - Filter Tracking Cookies - Φιλτράρισμα των cookies παρακολούθησης + Φιλτράρισμα των cookies παρακολούθησης - + Allow storing of cookies Να επιτρέπεται η αποθήκευση των cookies - + Delete cookies on close Διαγραφή των cookies στο κλείσιμο - + Match domain exactly Ακριβές ταίριασμα του τομέα διεύθυνσης (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>Προσοχή:</b> Ακριβές ταίριασμα domain και φιλτράρισμα των cookies παρακολούθησης μπορεί να οδηγήσουν κάποια cookies να απορρίπτονται από σελίδες. Αν έχετε προβλήματα με τα cookies, δοκιμάστε να απενεργοποιήσετε αυτή την επιλογή πρώτα! + <b>Προσοχή:</b> Ακριβές ταίριασμα domain και φιλτράρισμα των cookies παρακολούθησης μπορεί να οδηγήσουν κάποια cookies να απορρίπτονται από σελίδες. Αν έχετε προβλήματα με τα cookies, δοκιμάστε να απενεργοποιήσετε αυτή την επιλογή πρώτα! - + Cookies Manager Διαχειριστής Cookies - + + <b>SSL Certificates</b> + + + + SSL Manager Διαχειριστής SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Ειδοποιήσεις</b> - + Use OSD Notifications Χρήση ειδοποιήσεων OSD - + Use Native System Notifications (Linux only) Χρήση εγγενών ειδοποιήσεων συστήματος (μόνο σε Linux) - + Do not use Notifications Να μην χρησιμοποιούνται ειδοποιήσεις - + Expiration timeout: Χρονικό όριο λήξης: - + seconds δευτερόλεπτα - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Σημείωση: </b> Μπορείτε να αλλάξετε τη θέση των OSD ενημερώσεων σέρνοντας τo στην οθόνη. - + <b>Language</b> <b>Γλώσσα</b> - + Available translations: Διαθέσιμες μεταφράσεις: - + In order to change language, you must restart browser. Για να αλλάξετε γλώσσα, πρέπει να επανεκκινήσετε τον περιηγητή. - + <b>User CSS StyleSheet</b> <b>StyleSheet CSS χρήστη</b> - + StyleSheet automatically loaded with all websites: StyleSheet που φορτώνεται αυτόματα με όλες τις σελίδες: - + Languages Γλώσσες - + <b>Preferred language for web sites</b> <b>Προτιμώμενη γλώσσα για ιστοσελίδες</b> @@ -2777,58 +2805,58 @@ Άλλα - + OSD Notification Ειδοποίηση OSD - + Drag it on the screen to place it where you want. Μετακινήστε το στην οθόνη για να το τοποθετήσετε όπου θέλετε. - + Choose download location... Επιλογή τοποθεσίας λήψεων... - + Choose stylesheet location... Επιλογή τοποθεσίας stylesheet... - + New Profile Νέο προφίλ - + Enter the new profile's name: Εισάγετε την ονομασία του νέου προφίλ: - - + + Error! Σφάλμα! - + This profile already exists! Αυτό το προφίλ υπάρχει ήδη! - + Cannot create profile directory! Αδυναμία δημιουργίας καταλόγου προφίλ! - + Confirmation Επιβεβαίωση - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Είστε σίγουροι ότι θέλετε να διαγράψετε μόνιμα το προφίλ "%1"; Η ενέργεια αυτή δεν μπορεί να αναιρεθεί! @@ -2891,147 +2919,147 @@ Νέα καρτέλα - + Private Browsing Enabled Ενεργοποιημένη ιδιωτική περιήγηση - + IP Address of current page Διεύθυνση IP της τρέχουσας σελίδας - + &Tools Ερ&γαλεία - + &Help &Βοήθεια - + &Bookmarks &Σελιδοδείκτες - + Hi&story &Ιστορικό - + &File &Αρχείο - + &New Window &Νέο παράθυρο - + New Tab Νέα καρτέλα - + Open Location Άνοιγμα τοποθεσίας - + Open &File Άνοιγμα &αρχείου - + Close Tab Κλείσιμο καρτέλας - + Close Window Κλείσιμο παραθύρου - + &Save Page As... Αποθήκευση σε&λίδας ως... - + Save Page Screen Αποθήκευση στιγμιότυπου οθόνης - + Send Link... Αποστολή συνδέσμου... - + &Print Ε&κτύπωση - + Import bookmarks... Εισαγωγή σελιδοδεικτών... - + Quit Έξοδος - + &Edit &Επεξεργασία - + &Undo Αναί&ρεση - + &Redo Ακύρωση α&ναίρεσης - + &Cut Απο&κοπή - + C&opy Αντι&γραφή - + &Paste Ε&πικόλληση - + &Delete &Διαγραφή - + Select &All Επι&λογή όλων - + &Find Εύ&ρεση - + Pr&eferences Προτι&μήσεις @@ -3041,87 +3069,87 @@ QupZilla - + &View Π&ροβολή - + &Navigation Toolbar Ερ&γαλειοθήκη πλοήγησης - + &Bookmarks Toolbar Ερ&γαλειοθήκη σελιδοδεικτών - + Sta&tus Bar Μπάρα κα&τάστασης - + &Menu Bar Μπάρα &μενού - + &Fullscreen &Πλήρης Οθόνη - + &Stop &Διακοπή - + &Reload &Ανανέωση - + Character &Encoding &Κωδικοποίηση χαρακτήρων - + Bookmarks Σελιδοδείκτες - + History Ιστορικό - + Toolbars Εργαλειοθήκες - + Sidebars Πλευρικές στήλες - + Zoom &In Ε&στίαση - + Zoom &Out Σμίκρ&υνση - + Reset Επαναφορά - + &Page Source Κώδ&ικας σελίδας @@ -3141,86 +3169,86 @@ - + Restore &Closed Tab Επαναφορά κλει&σμένης καρτέλας - + (Private Browsing) (Ιδιωτική περιήγηση) - + Bookmark &This Page Προσθήκη &σελίδας στους σελιδοδείκτες - + Bookmark &All Tabs Προσθήκη όλων των &καρτελών στους σελιδοδείκτες - + Organize &Bookmarks &Τακτοποίηση σελιδοδεικτών - - - - - + + + + + Empty Άδειο - + &Back &Πίσω - + &Forward &Μπροστά - + &Home &Αρχική σελίδα - + Show &All History Εμφάνιση &ολόκληρου του ιστορικού - + Restore All Closed Tabs Επαναφορά όλων των κλεισμένων καρτελών - + Clear list Εκκαθάριση λίστας - + About &Qt &Περί Qt - + Information about application - + %1 - QupZilla - + &About QupZilla Πε&ρί QupZilla @@ -3229,102 +3257,102 @@ Πληροφορίες για την εφαρμογή - + Report &Issue Αναφορά προ&βλήματος - + &Web Search &Αναζήτηση διαδικτύου - + Page &Info &Πληροφορίες σελίδας - + &Download Manager Διαχειριστής &Λήψεων - + &Cookies Manager Δια&χειριστής Cookies - + &AdBlock Ad&Block - + RSS &Reader Α&ναγνώστης RSS - + Clear Recent &History Εκκαθάρ&ιση πρόσφατου ιστορικού - + &Private Browsing Ιδιωτική Περιήγ&ηση - + 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 QupZilla? Υπάρχουν ακόμα %1 ανοιχτές καρτέλες και η συνεδρία σας δεν θα αποθηκευτεί. Είστε σίγουρος ότι θέλετε να κλείσετε το QupZilla; @@ -3337,18 +3365,18 @@ QupZillaSchemeReply - + No Error Κανένα σφάλμα - + Not Found Δεν βρέθηκε - - + + Report Issue Αναφορά προβλήματος @@ -3357,22 +3385,22 @@ Αν αντιμετωπίζετε προβλήματα με το QupZilla, παρακαλώ δοκιμάστε να απενεργοποιήσετε όλα τα πρόσθετα πρώτα. <br/>Αν δεν βοηθήσει, τότε παρακαλώ συμπληρώστε αυτή τη φόρμα: - + Your E-mail Το e-mail σας - + Issue type Τύπος προβλήματος - + Issue description Περιγραφή προβλήματος - + Send Αποστολή @@ -3381,24 +3409,24 @@ Παρακαλώ συμπληρώστε όλα τα απαραίτητα πεδία! - + Start Page Αρχική σελίδα - + Google Search Αναζήτηση Google - + Search results provided by Google Αποτελέσματα αναζήτησης απο τη Google - - - + + + About QupZilla Περί QupZilla @@ -3407,217 +3435,217 @@ Πληροφορίες έκδοσης - + Browser Identification Αναγνωριστικό περιηγητή - + Paths Διαδρομές - + Copyright Πνευματικά δικαιώματα - + Version Έκδοση - + WebKit version Έκδοση WebKit - + Build time Χρόνος κατασκευής - + Platform Πλατφόρμα - + Profile Προφίλ - + Settings Ρυθμίσεις - + Saved session Αποθηκευμένη συνεδρία - + Pinned tabs Καρφιτσωμένες καρτέλες - + Data Δεδομένα - + Themes Θέματα - + Plugins Πρόσθετα - + Translations Μεταφράσεις - + Main developer Βασικός προγραμματιστής - + Contributors Συντελεστές - + Translators Μεταφραστές - + Speed Dial Γρήγορη κλήση - + Add New Page Προσθήκη νέας σελίδας - + Apply Εφαρμογή - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page Φόρτωση τίτλου από σελίδα - + Edit Επεξεργασία - + Remove Αφαίρεση - + E-mail is optional<br/><b>Note: </b>Please use English language only. Το e-mail είναι προαιρετικό<br/><b>Σημείωση: </b>Παρακαλώ χρησιμοποιείστε μόνο Αγγλική γλώσσα. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload Ανανέωση - + Url Url - + Title Τίτλος - + New Page Νέα σελίδα @@ -4459,38 +4487,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Νέα καρτέλα - + Loading... Φόρτωση... - + No Named Page Ανώνυμη σελίδα - + Actually you have %1 opened tabs Πραγματικά έχετε %1 ανοιχτές καρτέλες - + New tab Νέα καρτέλα - + Empty Άδειο - + Restore All Closed Tabs Επαναφορά όλων των κλεισμένων καρτελών - + Clear list Εκκαθάριση λίστας diff --git a/translations/empty.ts b/translations/empty.ts index f28921843..1cd4a87fc 100644 --- a/translations/empty.ts +++ b/translations/empty.ts @@ -1123,13 +1123,13 @@ DownloadFileHelper - - + + Save file as... - + NoNameDownload @@ -1610,7 +1610,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country @@ -1624,12 +1624,12 @@ MainApplication - + Last session crashed - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? @@ -1935,7 +1935,7 @@ - + Note: You cannot delete active profile. @@ -2209,269 +2209,289 @@ - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration - + HTTP - + SOCKS5 - + Port: - + Username: - + Password: - + Don't use on: - + Manual configuration - + System proxy configuration - + Do not use proxy - + <b>Font Families</b> - + Standard - + Fixed - + Serif - + Sans Serif - + Cursive - + Fantasy - + <b>Font Sizes</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> - + Ask everytime for download location - + Use defined location: - - + + ... - + <b>Download Options</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) - + Close download manager when downloading finishes - + <b>AutoFill options</b> - + Allow saving passwords from sites - + <b>Cookies</b> - - Filter Tracking Cookies + + Filter tracking cookies - + + <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! + + + + Allow storing of cookies - + Delete cookies on close - + Match domain exactly - - <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! - - - - + Cookies Manager - + + <b>SSL Certificates</b> + + + + SSL Manager - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> - + Use OSD Notifications - + Use Native System Notifications (Linux only) - + Do not use Notifications - + Expiration timeout: - + seconds - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. - + <b>Language</b> - + Available translations: - + In order to change language, you must restart browser. - + <b>User CSS StyleSheet</b> - + StyleSheet automatically loaded with all websites: - + Languages - + <b>Preferred language for web sites</b> @@ -2531,58 +2551,58 @@ - + OSD Notification - + Drag it on the screen to place it where you want. - + Choose download location... - + Choose stylesheet location... - + New Profile - + Enter the new profile's name: - - + + Error! - + This profile already exists! - + Cannot create profile directory! - + Confirmation - + Are you sure to permanently delete "%1" profile? This action cannot be undone! @@ -2641,147 +2661,147 @@ QupZilla - + Private Browsing Enabled - + IP Address of current page - + &Tools - + &Help - + &Bookmarks - + Hi&story - + &File - + &New Window - + New Tab - + Open Location - + Open &File - + Close Tab - + Close Window - + &Save Page As... - + Save Page Screen - + Send Link... - + &Print - + Import bookmarks... - + Quit - + &Edit - + &Undo - + &Redo - + &Cut - + C&opy - + &Paste - + &Delete - + Select &All - + &Find - + Pr&eferences @@ -2791,87 +2811,87 @@ - + &View - + &Navigation Toolbar - + &Bookmarks Toolbar - + Sta&tus Bar - + &Menu Bar - + &Fullscreen - + &Stop - + &Reload - + Character &Encoding - + Bookmarks - + History - + Toolbars - + Sidebars - + Zoom &In - + Zoom &Out - + Reset - + &Page Source @@ -2891,186 +2911,186 @@ - + Restore &Closed Tab - + (Private Browsing) - + Bookmark &This Page - + Bookmark &All Tabs - + Organize &Bookmarks - - - - - + + + + + Empty - + &Back - + &Forward - + &Home - + Show &All History - + Restore All Closed Tabs - + Clear list - + About &Qt - + Information about application - + %1 - QupZilla - + &About QupZilla - + Report &Issue - + &Web Search - + Page &Info - + &Download Manager - + &Cookies Manager - + &AdBlock - + RSS &Reader - + Clear Recent &History - + &Private Browsing - + 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. - + 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 QupZilla? @@ -3083,275 +3103,275 @@ QupZillaSchemeReply - + No Error - + Not Found - - + + Report Issue - + Your E-mail - + Issue type - + Issue description - + Send - + Start Page - + Google Search - + Search results provided by Google - - - + + + About QupZilla - + Browser Identification - + Paths - + Copyright - + Version - + WebKit version - + Build time - + Platform - + Profile - + Settings - + Saved session - + Pinned tabs - + Data - + Themes - + Plugins - + Translations - + Main developer - + Contributors - + Translators - + Speed Dial - + Add New Page - + Apply - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page - + Edit - + Remove - + E-mail is optional<br/><b>Note: </b>Please use English language only. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload - + Url - + Title - + New Page @@ -4153,38 +4173,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla - + Loading... - + No Named Page - + Actually you have %1 opened tabs - + New tab - + Empty - + Restore All Closed Tabs - + Clear list diff --git a/translations/es_ES.ts b/translations/es_ES.ts index ba9ced958..6d546d3ae 100644 --- a/translations/es_ES.ts +++ b/translations/es_ES.ts @@ -1193,13 +1193,13 @@ DownloadFileHelper - - + + Save file as... Guardar archivo como... - + NoNameDownload DescargaSinNombre @@ -1728,7 +1728,7 @@ Limpiar todo - + .co.uk Append domain name on ALT + Enter = Should be different for every country .co.uk @@ -1742,12 +1742,12 @@ MainApplication - + Last session crashed La última sesión se cerró inesperadamente - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last 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? @@ -2239,7 +2239,7 @@ - + Note: You cannot delete active profile. Nota: no puede eliminar el perfil activo. @@ -2519,85 +2519,105 @@ Eliminar el historial al cerrar - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Configuración proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Puerto: - + Username: Nombre de usuario: - + Password: Contraseña: - + Don't use on: No utilizar en: - + Manual configuration Configuración manual - + System proxy configuration Configuración proxy del sistema - + Do not use proxy No utilizar proxy - + <b>Font Families</b> <b>Familias de fuentes</b> - + Standard Standard - + Fixed Fijo - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursiva + + + Filter tracking cookies + + + + + <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! + + Default Font Fuente predeterminada @@ -2607,190 +2627,198 @@ Fuente fija - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Tamaño de las fuentes</b> - + Fixed Font Size Tamaño de la fuente fija - + Default Font Size Tamaño de la fuente predeterminada - + Minimum Font Size Tamaño mínimo de la fuente - + Minimum Logical Font Size Tamaño mínimo de la fuente lógica - + <b>Download Location</b> <b>Ubicación de la descarga</b> - + Ask everytime for download location Preguntar siempre dónde descargar los archivos - + Use defined location: Utilizar una ubicación predefinida: - - + + ... ... - + <b>Download Options</b> <b>Opciones de descarga</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Utilizar diálogo nativo del sistema de archivos (podría causar problemas al descargar contenido seguro SSL) - + Close download manager when downloading finishes Cerrar el gestor de descargas cuando las descargas finalicen - + <b>AutoFill options</b> <b>Opciones de autocompletado</b> - + Allow saving passwords from sites Permitir guardar contraseñas de los sitios - + <b>Cookies</b> <b>Cookies</b> - Filter Tracking Cookies - Filtrar cookies de rastreo + Filtrar cookies de rastreo - + Allow storing of cookies Permitir almacenar cookies - + Delete cookies on close Eliminar cookies al cerrar - + Match domain exactly Coincidir con el dominio exacto - <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>Aviso:</b> Las opciones Coincidir con el dominio exacto y Filtrar cookies de rastreo pueden ocasionar que se denieguen algunas cookies de los sitios. Si tiene problemas con las cookies, intente deshabilitar estas opciones primero! + <b>Aviso:</b> Las opciones Coincidir con el dominio exacto y Filtrar cookies de rastreo pueden ocasionar que se denieguen algunas cookies de los sitios. Si tiene problemas con las cookies, intente deshabilitar estas opciones primero! - + Cookies Manager Gestor de cookies - + + <b>SSL Certificates</b> + + + + SSL Manager Gestor de SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Notificaciones</b> - + Use OSD Notifications Utilizar notificaciones OSD - + Use Native System Notifications (Linux only) Utilizar sistema de notificaciones nativo (sólo Linux) - + Do not use Notifications No utilizar notificaciones - + Expiration timeout: Duración: - + seconds segundos - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Nota: </b>Puede cambiar la posición de la notificación OSD arrastrándola por la pantalla. - + <b>Language</b> <b>Idioma</b> - + Available translations: Traducciones disponibles: - + In order to change language, you must restart browser. Para aplicar el cambio de idioma, debe reiniciar el navegador. - + <b>User CSS StyleSheet</b> <b>Hoja de estilos CSS del usuario</b> - + StyleSheet automatically loaded with all websites: Hoja de estilos cargada automáticamente en todos los sitios web: - + Languages Idiomas - + <b>Preferred language for web sites</b> <b>Idioma preferido para mostrar las páginas web</b> @@ -2800,58 +2828,58 @@ Apariencia - + OSD Notification Notificación OSD - + Drag it on the screen to place it where you want. Arrástrela por la pantalla para situarla donde quiera. - + Choose download location... Seleccione la ubicación de la descarga... - + Choose stylesheet location... Seleccione la ubicación de la hoja de estilos... - + New Profile Nuevo perfil - + Enter the new profile's name: Introduzca el nombre del nuevo perfil: - - + + Error! ¡Error! - + This profile already exists! ¡Este perfil ya existe! - + Cannot create profile directory! ¡No se puede crear el directorio del perfil! - + Confirmation Confirmación - + Are you sure to permanently delete "%1" profile? This action cannot be undone! ¿Está seguro de eliminar permanentemente el perfil "%1"? ¡Esta acción no puede deshacerse! @@ -2910,97 +2938,97 @@ 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 @@ -3010,132 +3038,132 @@ QupZilla - + &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 @@ -3155,81 +3183,81 @@ Las más visitadas - + 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 - - - - - + + + + + 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 - + %1 - QupZilla %1 - QupZilla - + &About QupZilla &Acerca de QupZilla @@ -3238,72 +3266,72 @@ 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 &Bloqueador de publicidad - + RSS &Reader Lector &RSS - + Clear Recent &History &Limpiar historial reciente - + &Private Browsing &Navegación privada - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Está a punto de cerrar %1 pestañas. ¿Está seguro de continuar? - + Pr&eferences &Preferencias - + Information about application Información acerca de la aplicación - + Other Otros - + Default Predeterminado @@ -3312,42 +3340,42 @@ 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 @@ -3360,12 +3388,12 @@ QupZillaSchemeReply - + No Error Ningún error - + Not Found No encontrado @@ -3374,28 +3402,28 @@ Si experimenta problemas con QupZilla, por favor intente deshabilitar todos los plugins. <br/>Si esto no ayuda, entonces rellene este formulario: - + Your E-mail Su correo electrónico - + Issue type Tipo de error - - + + Report Issue Informar de un fallo - + Issue description Descripción del error - + Send Enviar @@ -3404,24 +3432,24 @@ ¡Por favor rellene todos los campos requeridos! - + Start Page Página de inicio - + Google Search Búsqueda Google - + Search results provided by Google Buscar resultados proporcionados por Google - - - + + + About QupZilla Acerca de QupZilla @@ -3430,217 +3458,217 @@ Información acerca de la versión - + Browser Identification Identificación del navegador - + Paths Rutas - + Copyright Copyright - + Version Versión - + WebKit version Versión WebKit - + Build time Fecha de compilación - + Platform Plataforma - + Profile Perfil - + Settings Preferencias - + Saved session Sesión guardada - + Pinned tabs Pestañas fijas - + Data Datos - + Themes Temas - + Plugins Plugins - + Translations Traducciones - + Main developer Desarrollador principal - + Contributors Contribuidores - + Translators Traductores - + Speed Dial Speed Dial - + Add New Page Añadir página nueva - + Apply Aplicar - + Speed Dial settings Configuración de speed dial - + Placement: Ubicación: - + Auto Auto - + Cover Cubierta - + Fit Ajustar - + Fit Width Ajustar horizontalmente - + Fit Height Ajustar verticalmente - + Use background image Usar imágen de fondo - + Select image Seleccionar imágen - + Maximum pages in a row: Páginas máximas por fila: - + Change size of pages: Cambiar el tamaño de las páginas: - + Load title from page Cargar título desde la página - + Edit Editar - + Remove Eliminar - + E-mail is optional<br/><b>Note: </b>Please use English language only. El correo electrónico es opcional<br/><b>Nota: </b>Por favor, usen únicamente el inglés. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Si experimenta problemas con QupZilla, por favor intente deshabilitar todos los plugins. <br/>Si esto no ayuda, entonces rellene este formulario: - + Please fill out all required fields! ¡Por favor, rellene todos los campos requeridos! - + Information about version Información acerca de la versión - + Reload Recargar - + Url Dirección - + Title Nombre - + New Page Página nueva @@ -4482,38 +4510,38 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Nueva pestaña - + Loading... Cargando... - + No Named Page Página sin nombre - + Actually you have %1 opened tabs Actualmente tiene %1 pestañas abiertas - + New tab Nueva pestaña - + Empty Vacío - + Restore All Closed Tabs Restaurar todas las pestañas cerradas - + Clear list Limpiar lista diff --git a/translations/fr_FR.ts b/translations/fr_FR.ts index 5a2877934..666fc3480 100644 --- a/translations/fr_FR.ts +++ b/translations/fr_FR.ts @@ -1196,13 +1196,13 @@ DownloadFileHelper - - + + Save file as... Enregistrer le fichier sous... - + NoNameDownload Téléchargement sans nom @@ -1731,7 +1731,7 @@ n'a pas été trouvé! - + .co.uk Append domain name on ALT + Enter = Should be different for every country .fr @@ -1745,12 +1745,12 @@ n'a pas été trouvé! MainApplication - + Last session crashed La dernière session a planté - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla a planté :-(</b><br/>Oops, la dernière session de QupZilla s'est terminée par un incident. Nous sommes vraiment désolé. Voulez-vous essayer de restaurer la dernière session? @@ -2170,7 +2170,7 @@ n'a pas été trouvé! - + Note: You cannot delete active profile. Note: Vous ne pouvez pas effacer le profil actif. @@ -2444,85 +2444,105 @@ n'a pas été trouvé! Effacer l'historique à la fermeture - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Configuration du proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Port: - + Username: Nom d'utilisateur: - + Password: Mot de passe: - + Don't use on: Ne pas utiliser pour: - + Manual configuration Configuration manuelle - + System proxy configuration Utiliser les paramètres proxy du système - + Do not use proxy Ne pas utiliser de proxy - + <b>Font Families</b> <b>Polices</b> - + Standard Standard - + Fixed Largeur fixe - + Serif Serif - + Sans Serif Sans serif - + Cursive Cursive + + + Filter tracking cookies + + + + + <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! + + Default Font Par défaut @@ -2532,190 +2552,198 @@ n'a pas été trouvé! Largeur fixe - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Taille des polices</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Emplacement des téléchargements</b> - + Ask everytime for download location Demander à chaque fois l'emplacement des téléchargements - + Use defined location: Utiliser l'emplacement défini: - - + + ... ... - + <b>Download Options</b> <b>Options de téléchargement</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Utiliser le navigateur de fichier du système (peut causer des problèmes avec le téléchargement de contenus sécurisés SSL) - + Close download manager when downloading finishes Fermer le gestionnaire de téléchargement quand celui-ci est terminé - + <b>AutoFill options</b> <b>Options de saisie automatique</b> - + Allow saving passwords from sites Autoriser la sauvegarde des mots de passe des sites - + <b>Cookies</b> <b>Cookies</b> - Filter Tracking Cookies - Filtrer le traçage par cookies + Filtrer le traçage par cookies - + Allow storing of cookies Autoriser le stockage des cookies - + Delete cookies on close Supprimer les cookies à la fermeture - + Match domain exactly N'accepter les cookies que des domaines identifiés - <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>Attention:</b> N'accepter les cookies que des domaines identifiés et Filtrer le traçage par cookies peut conduire au mauvais fonctionnement de certains sites. Si vous avez des problèmes avec les cookies, essayez de désactiver ces options en premier! + <b>Attention:</b> N'accepter les cookies que des domaines identifiés et Filtrer le traçage par cookies peut conduire au mauvais fonctionnement de certains sites. Si vous avez des problèmes avec les cookies, essayez de désactiver ces options en premier! - + Cookies Manager Gestionnaire de cookies - + + <b>SSL Certificates</b> + + + + SSL Manager Gestionnaire SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Notifications</b> - + Use OSD Notifications Utiliser les notifications OSD - + Use Native System Notifications (Linux only) Utiliser les notifications du système (seulement sur Linux) - + Do not use Notifications Ne pas utiliser les notifications - + Expiration timeout: Temps d'expiration: - + seconds secondes - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Note: </b>Vous pouvez changer la position des notifications OSD par glisser déposer sur l'écran. - + <b>Language</b> <b>Langue</b> - + Available translations: Traductions disponibles: - + In order to change language, you must restart browser. Pour changer de langue, Vous devez redémarrer le navigateur. - + <b>User CSS StyleSheet</b> <b>Utilisateur de feuilles de style CSS</b> - + StyleSheet automatically loaded with all websites: Feuilles de style chargées automatiquement avec tous les sites web: - + Languages Langues - + <b>Preferred language for web sites</b> <b>Langue préférée pour les sites web</b> @@ -2775,58 +2803,58 @@ n'a pas été trouvé! Autre - + OSD Notification Notification OSD - + Drag it on the screen to place it where you want. Faites-le glisser sur l'écran pour le placer où vous voulez. - + Choose download location... Choisissez l'emplacement de téléchargement ... - + Choose stylesheet location... Choisissez l'emplacement des feuilles de style... - + New Profile Nouveau profil - + Enter the new profile's name: Entrer le nom du nouveau profil: - - + + Error! Erreur! - + This profile already exists! Ce profil existe déjà! - + Cannot create profile directory! Impossible de créer le répertoire du profil! - + Confirmation Confirmation - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Supprimer le profil%1 de façon définitive? Cette action est irréversible! @@ -2889,147 +2917,147 @@ n'a pas été trouvé! Nouvel onglet - + Private Browsing Enabled Navigation privée - + IP Address of current page Adresse IP de la page actuelle - + &Tools &Outils - + &Help &Aide - + &Bookmarks &Marque-pages - + Hi&story &Historique - + &File &Fichier - + &New Window &Nouvelle page - + New Tab Nouvel onglet - + Open Location Ouvrir un emplacement - + Open &File Ouvrir un &fichier - + Close Tab Fermer l'onglet - + Close Window Fermer la fenêtre - + &Save Page As... &Enregistrer la page sous... - + Save Page Screen Enregistrer l'impression d'écran - + Send Link... Envoyer un lien... - + &Print &Imprimer - + Import bookmarks... Importer des marque-pages... - + Quit Quitter - + &Edit &Editer - + &Undo &Annuler - + &Redo &Rétablir - + &Cut Co&uper - + C&opy C&opier - + &Paste Co&ller - + &Delete &Supprimer - + Select &All &Tout sélectionner - + &Find &Chercher - + Pr&eferences Préfér&ences @@ -3039,87 +3067,87 @@ n'a pas été trouvé! QupZilla - + &View &Affichage - + &Navigation Toolbar Barre de &navigation - + &Bookmarks Toolbar &Barre d'outils marque-pages - + Sta&tus Bar &Barre d'état - + &Menu Bar Barre de &menu - + &Fullscreen Plein &écran - + &Stop &Stop - + &Reload &Actualiser - + Character &Encoding Enc&odage - + Bookmarks Marque-pages - + History Historique - + Toolbars Barre d'outils - + Sidebars Barres latérales - + Zoom &In Zoom &plus - + Zoom &Out Zoom &moins - + Reset Réinitialiser - + &Page Source Code &source de la page @@ -3139,86 +3167,86 @@ n'a pas été trouvé! - + Restore &Closed Tab Restaurer l'onglet &fermé - + (Private Browsing) (Navigation Privée) - + Bookmark &This Page Marquer cette &page - + Bookmark &All Tabs M&arquer tous les onglets - + Organize &Bookmarks &Organiser les marque-pages - + Information about application - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Il y a toujours %1 onglets d'ouverts et votre session ne sera pas sauvegardée. Etes-vous sûr de vouloir quitter QupZilla? - - - - - + + + + + Empty Vide - + &Back &Retour - + &Forward &Précédent - + &Home &Accueil - + Show &All History Montrer tout l'&historique - + Restore All Closed Tabs Restaurer tous les onglets fermés - + Clear list Vider la liste - + About &Qt A propos de &Qt - + &About QupZilla A propos de Qup&Zilla @@ -3227,102 +3255,102 @@ n'a pas été trouvé! Informations à propos de QupZilla - + Report &Issue Reporter un &dysfonctionnement - + &Web Search Recherche &web - + Page &Info &Information sur la page - + &Download Manager Gestionnaire de &téléchargement - + &Cookies Manager Gestionnaire de &cookies - + &AdBlock &AdBlock - + RSS &Reader Lecteur de &flux RSS - + Clear Recent &History Supprimer l'&historique récent - + &Private Browsing Navigation &privée - + Other Autre - + Default Défaut - + %1 - QupZilla - + Open file... Ouvrir un fichier... - + Are you sure you want to turn on private browsing? Voulez-vous démarrer une session en navigation privée? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Quand vous lancez la navigation privée, certains paramètres concernant votre vie privée seront désactivés: - + Webpages are not added to the history. Les pages visitées ne sont pas ajoutées à l'historique. - + Current cookies cannot be accessed. Impossible d'accéder aux cookies en cours d'utilisation. - + Your session is not stored. Votre session n'est pas enregistrée. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Jusqu'à ce que vous fermiez la fenêtre, vous pourrez toujours cliquer sur les boutons Précédent et Suivant pour retourner sur la page que vous avez ouvert. - + Start Private Browsing Commencer la navigation privée @@ -3335,18 +3363,18 @@ n'a pas été trouvé! QupZillaSchemeReply - + No Error Pas d'erreur - + Not Found Non trouvé - - + + Report Issue Reporter un problème @@ -3355,22 +3383,22 @@ n'a pas été trouvé! Si vous avez rencontré des problèmes avec QupZilla, essayez en premier lieu de désactiver les extensions. <br/> Si cela ne vous aide pas, merci de remplir ce formulaire: - + Your E-mail Votre E-mail - + Issue type Type de problème - + Issue description Description du problème - + Send Envoyer @@ -3379,24 +3407,24 @@ n'a pas été trouvé! Merci de remplir tous les champs obligatoires! - + Start Page Page de démarrage - + Google Search Recherche Google - + Search results provided by Google Résultats de recherches proposés par Google - - - + + + About QupZilla A propos de QupZilla @@ -3405,218 +3433,218 @@ n'a pas été trouvé! Informations à propos de la version - + Browser Identification Identification du navigateur - + Paths Emplacements - + Copyright Copyright - + Version Version - + WebKit version Version de WebKit - + Build time Date de compilation - + Platform Plateforme - + Profile Profil - + Settings Paramètres - + Saved session Session sauvegardée - + Pinned tabs Onglets épinglés - + Data Données - + Themes Thèmes - + Plugins Extensions - + Translations Traductions - + Main developer Développeur principal - + Contributors Contributeurs - + Translators Traducteurs - + Speed Dial Speed Dial - + Add New Page Ajouter une nouvelle page - + Apply Appliquer - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page ??? Charger le titre de la page - + Edit Modifier - + Remove Supprimer - + E-mail is optional<br/><b>Note: </b>Please use English language only. L'E-mail est facultatif<br/><b>Remarque: </b>Veuillez n'utiliser que l'anglais. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload Actualiser - + Url URL - + Title Titre - + New Page Nouvelle Page @@ -4459,38 +4487,38 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer Nouvel onglet - + Loading... Chargement... - + No Named Page Page non nommée - + Actually you have %1 opened tabs Il y a actuellement %1 onglet(s) ouvert(s) - + New tab Nouvel onglet - + Empty Vide - + Restore All Closed Tabs Restaurer tous les onglets fermés - + Clear list Vider la liste diff --git a/translations/it_IT.ts b/translations/it_IT.ts index a892f32c4..85f60a7be 100644 --- a/translations/it_IT.ts +++ b/translations/it_IT.ts @@ -1193,13 +1193,13 @@ DownloadFileHelper - - + + Save file as... Salva come... - + NoNameDownload DownloadSenzaNome @@ -1728,7 +1728,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country .it @@ -1742,12 +1742,12 @@ MainApplication - + Last session crashed Ultima sessione chiusa - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla si è chiuso inaspettatamente :-(</b><br/>Oops, l'ultima sessione di QupZilla si è chiusa inaspettatamente. Ci dispiace molto. Vuoi provare a ripristinare l'ultima sessione salvata? @@ -2217,7 +2217,7 @@ - + Note: You cannot delete active profile. Nota: Non puoi cancellare un profilo attivo. @@ -2497,85 +2497,105 @@ Cancella cronologia alla chiusura - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Configurazione proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Porta: - + Username: Nome Utente: - + Password: Password: - + Don't use on: Non utilizzare su: - + Manual configuration Configurazione manuale - + System proxy configuration Configurazione proxy di sistema - + Do not use proxy Non usare proxy - + <b>Font Families</b> <b>Famiglie di Font</b> - + Standard Standard - + Fixed Fixed - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursive + + + Filter tracking cookies + + + + + <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! + + Default Font Carattere predefinito @@ -2585,190 +2605,198 @@ Carattere fisso - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Dimensioni carattere</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Percorso file Scaricati</b> - + Ask everytime for download location Chiedi sempre dove salvare - + Use defined location: Usa posizione definita: - - + + ... ... - + <b>Download Options</b> <b>Opzioni scaricamento</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Usa file di dialogo nativo di sistema (può o non può causare problemi con il download di contenuti protetti SSL) - + Close download manager when downloading finishes Chiudi il gestore dei download quando termina lo scaricamento - + <b>AutoFill options</b> <b>Opzioni AutoCompletamento</b> - + Allow saving passwords from sites Consenti salvataggio password dai siti - + <b>Cookies</b> <b>Cookie</b> - Filter Tracking Cookies - Filtra Rilevamento Cookie + Filtra Rilevamento Cookie - + Allow storing of cookies Abilita la memorizzazione dei cookie - + Delete cookies on close Cancella cookie alla chiusura - + Match domain exactly Associa il dominio esatto - <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>Pericolo</b> Associare il dominio esatto e opzioni filtro Monitoraggio Cookie può portare a rifiutare alcuni cookie dai siti. Se avete problemi con i cookie, provare prima a disabilitare questa opzione! + <b>Pericolo</b> Associare il dominio esatto e opzioni filtro Monitoraggio Cookie può portare a rifiutare alcuni cookie dai siti. Se avete problemi con i cookie, provare prima a disabilitare questa opzione! - + Cookies Manager Gestore Cookie - + + <b>SSL Certificates</b> + + + + SSL Manager Gestore SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Notifiche</b> - + Use OSD Notifications Usa notifiche OSD - + Use Native System Notifications (Linux only) Utilizza le notifiche native di sistema (solo Linux) - + Do not use Notifications Non usare notifiche - + Expiration timeout: Scadenza timeout: - + seconds secondi - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Nota:</b>È possibile modificare la posizione di notifica OSD trascinandola sullo schermo. - + <b>Language</b> <b>Lingua</b> - + Available translations: Lingue disponibili: - + In order to change language, you must restart browser. Per cambiare lingua, è necessario riavviare il browser. - + <b>User CSS StyleSheet</b> <b>Foglio di Stile CSS Personalizzati</b> - + StyleSheet automatically loaded with all websites: Foglio di Stile caricato automaticamente con tutti i siti web: - + Languages Lingue - + <b>Preferred language for web sites</b> <b>Lingua preferita per i siti web</b> @@ -2778,58 +2806,58 @@ Aspetto - + OSD Notification Notifica OSD - + Drag it on the screen to place it where you want. Trascina sullo schermo per posizionarlo dove vuoi. - + Choose download location... Scegli percorso dello scaricamento... - + Choose stylesheet location... Scegli la posizione del foglio di stile... - + New Profile Nuovo Profilo - + Enter the new profile's name: Inserisci il nuovo nome profilo: - - + + Error! Errore! - + This profile already exists! Questo profilo esiste già! - + Cannot create profile directory! Impossibile creare la directory del profilo! - + Confirmation Conferma - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Sei sicuro di voler cancellare definitivamente "%1" il profilo? Questa azione non può essere annullata! @@ -2888,127 +2916,127 @@ 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 @@ -3019,102 +3047,102 @@ QupZilla - + &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 @@ -3134,86 +3162,86 @@ - + 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 - + Information about application - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Ci sono ancora %1 delle schede aperte e la sessione non sarà salvata. Sei sicuro di voler uscire da QupZilla? - - - - - + + + + + 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 @@ -3222,107 +3250,107 @@ 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 - + %1 - QupZilla - + 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 @@ -3339,12 +3367,12 @@ QupZillaSchemeReply - + No Error Nessun errore - + Not Found Non trovato @@ -3353,28 +3381,28 @@ Se si verificano problemi con QupZilla, prova per prima cosa a disabilitare tutti i plugin. <br/>Se non ti aiuta puoi compilare questo modulo: - + Your E-mail La tua E-mail - + Issue type Tipo di problema - - + + Report Issue Riporta problema - + Issue description Descrizione problema - + Send Invia @@ -3383,24 +3411,24 @@ Si prega di compilare tutti i campi obbligatori! - + Start Page Avvia pagina - + Google Search Cerca con Google - + Search results provided by Google Risultato della ricerca fornito da Google - - - + + + About QupZilla Informazioni su QupZilla @@ -3409,217 +3437,217 @@ Informazioni sulla versione - + Browser Identification Identificazione Browser - + Paths Percorsi - + Copyright Copyright - + Version Versione - + WebKit version Versione WebKit - + Build time Rilascio versione - + Platform Piattaforma - + Profile Profilo - + Settings Impostazioni - + Saved session Salva sessione - + Pinned tabs Segna scheda - + Data Dati - + Themes Temi - + Plugins Plugins - + Translations Traduzioni - + Main developer Sviluppatore principale - + Contributors Collaboratori - + Translators Traduttori - + Speed Dial Speed dial - + Add New Page Aggiungi nuova pagina - + Apply Applica - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page Carica titolo dalla pagina - + Edit Modifica - + Remove Rimuovi - + E-mail is optional<br/><b>Note: </b>Please use English language only. L'e-mail è facoltativa<br/><b>Nota:</b>Per favore, scrivi solo in Inglese. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload Ricarica - + Url Url - + Title Titolo - + New Page Nuova pagina @@ -4461,38 +4489,38 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Nuova scheda - + Loading... Caricamento... - + No Named Page Pagina senza nome - + Actually you have %1 opened tabs Attualmente hai %1 schede aperte - + New tab Nuova scheda - + Empty Vuoto - + Restore All Closed Tabs Ripristina tutte le schede chiuse - + Clear list Pulisci lista diff --git a/translations/nl_NL.ts b/translations/nl_NL.ts index 305c47cb7..0e9087d5a 100644 --- a/translations/nl_NL.ts +++ b/translations/nl_NL.ts @@ -1194,13 +1194,13 @@ DownloadFileHelper - - + + Save file as... Bestand opslaan als... - + NoNameDownload GeenNaamVoorDownload @@ -1729,7 +1729,7 @@ werd niet gevonden! - + .co.uk Append domain name on ALT + Enter = Should be different for every country .nl @@ -1743,12 +1743,12 @@ werd niet gevonden! MainApplication - + Last session crashed Laatste sessie gecrashed - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last 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? @@ -2201,7 +2201,7 @@ werd niet gevonden! Sta toe dat netwerkcache op schijf wordt opgeslagen - + <b>Cookies</b> <b>Cookies</b> @@ -2211,7 +2211,7 @@ werd niet gevonden! <b>Gedrag van Adresbalk</b> - + <b>Language</b> <b>Taal</b> @@ -2286,7 +2286,7 @@ werd niet gevonden! - + Note: You cannot delete active profile. Noot: U kunt het actieve profiel niet verwijderen. @@ -2456,37 +2456,47 @@ werd niet gevonden! Lokale opslag - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Proxy-instellingen - + <b>Font Families</b> <b>Lettertype-families</b> - + Standard Standaard - + Fixed Vast - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursief @@ -2499,140 +2509,160 @@ werd niet gevonden! Vaste breedte-lettertype - + Fantasy Fantasie - + <b>Font Sizes</b> <b>Lettertype-groottes</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Downloadlocatie</b> - + Ask everytime for download location Vraag elke keer om downloadlocatie - + Use defined location: Gebruik de volgende locatie: - - + + ... ... - + <b>Download Options</b> <b>Download-instellingen</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Gebruik systeem bestands-dialoogvenster (kan wellicht problemen veroorzaken met het downloaden van SSL-beveiligde inhoud) - + Close download manager when downloading finishes Sluit downloadbeheerder wanneer downloaden voltooid is - + + Filter tracking cookies + + + + + <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>SSL Certificates</b> + + + + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Meldingen</b> - + Use OSD Notifications Gebruik OSD-meldingen - + Use Native System Notifications (Linux only) Gebruik systeemmeldingen (geldt alleen voor Linux) - + Do not use Notifications Gebruik geen meldingen - + Expiration timeout: Vervaltijd-timeout: - + seconds seconden - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Noot: </b> U kunt de positie van OSD-meldingen veranderen door te verslepen op het scherm. - + <b>User CSS StyleSheet</b> <b>Gebruikers CSS-stylesheet</b> - + StyleSheet automatically loaded with all websites: Stylesheet welke automatisch geladen wordt met alle websites: - + Languages Talen - + <b>Preferred language for web sites</b> <b>Voorkeurstalen voor websites</b> - + System proxy configuration Systeemproxy-instellingen - + Do not use proxy Gebruik geen proxy - + Manual configuration Handmatige instellingen @@ -2642,32 +2672,32 @@ werd niet gevonden! Web-instellingen - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Poort: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Don't use on: Gebruik niet op: @@ -2707,12 +2737,12 @@ werd niet gevonden! Wachtwoordbeheerder - + <b>AutoFill options</b> <b>AutoAanvullen-instellingen</b> - + Allow saving passwords from sites Sta opslaan van wachtwoorden van sites toe @@ -2722,32 +2752,30 @@ werd niet gevonden! Privacy - Filter Tracking Cookies - Filter opsporingscookies + Filter opsporingscookies - + Allow storing of cookies Sta opslag van cookies toe - + Delete cookies on close Verwijder cookies bij afsluiten - + Match domain exactly Exact overeenkomen domein - <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>Waarschuwing:</b> Exact overeenkomen domein en Filter opsporingscookies-instellingen kunnen leiden tot het weigeren van sommige cookies van sites. Indien u problemen hebt met cookies, probeer dan eerst deze instellingen uit te schakelen! + <b>Waarschuwing:</b> Exact overeenkomen domein en Filter opsporingscookies-instellingen kunnen leiden tot het weigeren van sommige cookies van sites. Indien u problemen hebt met cookies, probeer dan eerst deze instellingen uit te schakelen! - + Cookies Manager Cookies-beheerder @@ -2783,73 +2811,73 @@ werd niet gevonden! Voeg .nl-domein toe door de ALT-toets in te drukken - + SSL Manager SSL-beheerder - + Available translations: Beschikbare vertalingen: - + In order to change language, you must restart browser. Om de gekozen taal toe te passen, moet u de browser herstarten. - + OSD Notification OSD-melding - + Drag it on the screen to place it where you want. Versleep het op het scherm en plaats het waar U wilt. - + Choose download location... Kies downloadlocatie... - + Choose stylesheet location... Kies stylesheet-locatie... - + New Profile Nieuw profiel - + Enter the new profile's name: Voer de nieuw profielnaam in: - - + + Error! Fout! - + This profile already exists! Dit profiel bestaat reeds! - + Cannot create profile directory! Kan profielmap niet aanmaken! - + Confirmation Bevestiging - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Weet u zeker dat u profiel "%1"wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt! @@ -2908,32 +2936,32 @@ 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 @@ -2943,132 +2971,132 @@ werd niet gevonden! QupZilla - + &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 @@ -3083,7 +3111,7 @@ werd niet gevonden! - + Information about application @@ -3092,111 +3120,111 @@ werd niet gevonden! - QupZilla - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? U heeft nog steeds %1 geopende tabs en uw sessie zal niet worden opgeslagen. Weet u zeker dat u wilt afsluiten? - + &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 - + %1 - QupZilla - + 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 - - - - - + + + + + Empty Leeg @@ -3205,37 +3233,37 @@ werd niet gevonden! 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 @@ -3245,32 +3273,32 @@ werd niet gevonden! 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 @@ -3279,77 +3307,77 @@ werd niet gevonden! 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. @@ -3362,12 +3390,12 @@ werd niet gevonden! QupZillaSchemeReply - + No Error Geen fout - + Not Found Niet gevonden @@ -3376,28 +3404,28 @@ werd niet gevonden! Indien u problemen ervaart met QupZilla, probeer dan eerst om alle plugins uit te schakelen. <br/>Mocht dat niet helpen, vul dan dit formulier in: - + Your E-mail Uw e-mailadres - + Issue type Probleemtype - - + + Report Issue Rapporteer probleem - + Issue description Probleembeschrijving - + Send Verzenden @@ -3406,24 +3434,24 @@ werd niet gevonden! Vul alstublieft alle benodigde velden in! - + Start Page Startpagina - + Google Search Google Zoeken - + Search results provided by Google Zoekresultaten gebracht door Google - - - + + + About QupZilla Over QupZilla @@ -3432,217 +3460,217 @@ werd niet gevonden! Informatie over versie - + Browser Identification Browser-identificatie - + Paths Paden - + Copyright Copyright - + Version Versie - + WebKit version WebKit-versie - + Build time Bouwtijd - + Platform Platform - + Profile Profiel - + Settings Instellingen - + Saved session Opgeslagen sessie - + Pinned tabs Vastgepinde tabbladen - + Data Data - + Themes Thema's - + Plugins Plugins - + Translations Vertalingen - + Main developer Hoofdontwikkelaar - + Contributors Bijdragers - + Translators Vertalers - + Speed Dial Speed Dial - + Add New Page Voeg nieuwe pagina toe - + Apply Pas toe - + Speed Dial settings Snelkiezer-instellingen - + Placement: Plaatsing: - + Auto Auto - + Cover Overlappend - + Fit Passend - + Fit Width Pas in breedte - + Fit Height Pas in hoogte - + Use background image Gebruik achtergrondafbeelding - + Select image Selecteer afbeelding - + Maximum pages in a row: - + Change size of pages: - + Load title from page Laad titel van pagina - + Edit Bewerk - + Remove Verwijder - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-mailadres is optioneel<br/><b>Noot:</b>Gebruik alstublieft alleen Engels. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Indien u problemen ervaart met QupZilla, probeer dan eerst alle plugins uit te schakelen. <br/>Mocht dit het niet oplossen, vul dan dit formulier in: - + Please fill out all required fields! Vul alstublieft alle verplichte velden in! - + Information about version - + Reload Herlaad - + Url URL - + Title Titel - + New Page Nieuwe pagina @@ -4485,38 +4513,38 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Nieuw tabblad - + Loading... Bezig met laden... - + No Named Page Niet-benoemde pagina - + Actually you have %1 opened tabs Eigenlijk heeft U %1 geopende tabbladen - + New tab Nieuw tabblad - + Empty Leeg - + Restore All Closed Tabs Herstel alle gesloten tabbladen - + Clear list Wis lijst diff --git a/translations/pl_PL.ts b/translations/pl_PL.ts index e68b30c1f..a1d5ac805 100644 --- a/translations/pl_PL.ts +++ b/translations/pl_PL.ts @@ -1194,13 +1194,13 @@ DownloadFileHelper - - + + Save file as... Zapisz plik jako... - + NoNameDownload Bez nazwy @@ -1730,7 +1730,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country .pl @@ -1744,12 +1744,12 @@ MainApplication - + Last session crashed Ostatnia sesja uległa awarii - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla uległa awarii :-(</b><br/>Oops, ostatnia sesja QupZilli niespodziewanie zakończyła się błędem. Przepraszamy za to. Czy przywrócić ostatnia sesję? @@ -2246,7 +2246,7 @@ Pozwól na składowanie cache sieciowe na dysku - + <b>Cookies</b> <b>Ciasteczka</b> @@ -2256,7 +2256,7 @@ <b>Zachowanie paska adresu</b> - + <b>Language</b> <b>Język</b> @@ -2320,28 +2320,48 @@ 50 MB - + Ask everytime for download location Zawsze pytaj gdzie zapisać pobierane - + Use defined location: Użyj zdefiniowanej lokacji: - - + + ... ... - + + Filter tracking cookies + + + + + <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>SSL Certificates</b> + + + + + Edit CA certificates in SSL Manager + + + + Languages Języki - + <b>Preferred language for web sites</b> <b>Język preferowany dla stron</b> @@ -2381,12 +2401,12 @@ Menedżer haseł - + <b>AutoFill options</b> <b>Opcje autouzupełniania</b> - + Allow saving passwords from sites Pozwól na zapisywanie haseł dla stron @@ -2402,7 +2422,7 @@ - + Note: You cannot delete active profile. Notka: Nie można usunąć aktywnego profilu. @@ -2547,42 +2567,52 @@ Lokalna przestrzeń dyskowa - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Ustawienia proxy - + System proxy configuration Automatyczne Ustawienia - + <b>Font Families</b> <b>Rodzaje czcionek</b> - + Standard Standardowa - + Fixed Proporcjonalna - + Serif Szeryfowa - + Sans Serif Bezszeryfowa - + Cursive Kursywa @@ -2595,169 +2625,167 @@ Proporcionalna czcionka - + Fantasy Fantazyjna - + <b>Font Sizes</b> <b>Rozmiary czcionek</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Lokalizacja dla pobierania</b> - + <b>Download Options</b> <b>Opcje pobierania</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Użyj systemowych okien dialogowych (może powodować problemy z pobieraniem treści zabezpieczonych protokołem SSL) - + Close download manager when downloading finishes Zamknij menedżer pobierania po ukończeniu pobierania - Filter Tracking Cookies - Filtruj śledźące ciasteczka + Filtruj śledźące ciasteczka - + Allow storing of cookies Pozwól na zapisywanie ciasteczek - + Delete cookies on close Usuń ciasteczka w momencie zamknięcia przeglądarki - + Match domain exactly Dopasowuj domeny dokładnie - <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>Uwaga:</b> Opcje dokładnego dopsowania domen i filtrowania śledźących ciasteczek może doprowadzić do blokady niktórych ciasteczka. Jeżeli masz problemy z ciasteczkami, spróbuj wyłączyć obie opcje! + <b>Uwaga:</b> Opcje dokładnego dopsowania domen i filtrowania śledźących ciasteczek może doprowadzić do blokady niktórych ciasteczka. Jeżeli masz problemy z ciasteczkami, spróbuj wyłączyć obie opcje! - + Cookies Manager Menedżer ciasteczek - + <b>Notifications</b> <b>Powiadomienia</b> - + Use OSD Notifications Użyj powiadomień OSD - + Use Native System Notifications (Linux only) Użyj natywnych powiadomień systemowych (tylko Linux) - + Do not use Notifications Nie pokazuj powiadomień - + Expiration timeout: Czas do wygaśnięcia: - + seconds sekund - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Uwaga: </b>Możesz zmienić położenie powiadomień OSD, przenosząc je po ekranie. - + <b>User CSS StyleSheet</b> <b>Styl CSS użytkownika </b> - + StyleSheet automatically loaded with all websites: Styl automatycznie ładowany z wszystkimi stronami: - + Do not use proxy Nie używaj proxy - + Manual configuration Konfiguracja ręczna - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Port: - + Username: Nazwa użytkownika: - + Password: Hasło: - + Don't use on: Nie używaj na: @@ -2793,73 +2821,73 @@ Dodaj domenę .pl po naciśnięciu klawisza ALT - + SSL Manager Menedżer SSL - + Available translations: Dostępne tłumaczenia: - + In order to change language, you must restart browser. Aby zmienić język należy uruchomić ponownie przeglądarke. - + OSD Notification Powiadomienia OSD - + Drag it on the screen to place it where you want. Przenieś to w miejsce które chcesz. - + Choose download location... Wybierz miejsce pobierania... - + Choose stylesheet location... Wybierz położenie stylu... - + New Profile Nowy profil - + Enter the new profile's name: Wpisz nową nazwe profilu: - - + + Error! Błąd! - + This profile already exists! Taki profil już istnieje! - + Cannot create profile directory! Nie można utworzyć katalogu profilu! - + Confirmation Potwierdzenie - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Czy jesteś pewny że chcesz usunąć profil "%1"? Akcji ten nie będzie można cofnąć! @@ -2918,32 +2946,32 @@ QupZilla - + Bookmarks Zakładki - + History Historia - + Quit Zamknij - + New Tab Nowa karta - + Close Tab Zamknij kartę - + IP Address of current page Adres IP aktualnej strony @@ -2953,132 +2981,132 @@ QupZilla - + &Tools &Narzędzia - + &Help &Pomoc - + &Bookmarks &Zakładki - + Hi&story Hi&storia - + &File &Plik - + &New Window &Nowe okno - + Open &File Otwórz &plik - + &Save Page As... &Zapisz stronę jako... - + &Print &Drukuj - + Import bookmarks... Importuj zakładki... - + &Edit &Edycja - + &Undo &Cofnij - + &Redo &Dalej - + &Cut &Wytnij - + C&opy &Kopiuj - + &Paste &Wklej - + &Delete &Usuń - + Select &All Zaznacz &wszystko - + &Find &Znajdź - + &View &Widok - + &Navigation Toolbar Pasek &nawigacyjny - + &Bookmarks Toolbar Pasek &zakładek - + Sta&tus Bar Pasek &statusu - + Toolbars Paski narzędzi - + Sidebars Pasek boczny - + &Page Source Źródło &strony @@ -3093,12 +3121,12 @@ - + &Home &Strona startowa - + Information about application @@ -3107,111 +3135,111 @@ - QupZilla - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Nadal jest otwarte %1 kart a twoja sesja nie zostanie zapisana. Czy napewno chcesz wyłączyć QupZillę? - + &Menu Bar &Menu - + &Fullscreen &Pełny ekran - + &Stop Zatrzym&aj - + &Reload &Odśwież - + Character &Encoding Kodo&wanie znaków - + Zoom &In Po&większ - + Zoom &Out Po&mniejsz - + Reset Resetuj - + Close Window Zamknij okno - + Open Location Otwórz lokalizację - + Send Link... Wyslij odnośnik... - + Other Inne - + Default Domyślne - + %1 - QupZilla - + Current cookies cannot be accessed. Aktualne ciasteczka nie są dostępne. - + Your session is not stored. Twoja sesja nie jest przechowywana. - + Start Private Browsing Uruchom tryb prywatny - + Private Browsing Enabled Przeglądanie w trybie prywatnym jest włączone - + Restore &Closed Tab Przywróć zamknięte &karty - - - - - + + + + + Empty Pusty @@ -3220,32 +3248,32 @@ Nowa karta - + Bookmark &This Page Dodaj &stronę do zakładek - + Bookmark &All Tabs Dodaj &wszystkie karty do zakładek - + Organize &Bookmarks &Zarządzaj zakładkami - + &Back &Cofnij - + &Forward &Dalej - + Show &All History Pokaż całą &historię @@ -3255,32 +3283,32 @@ Zamknięte karty - + Save Page Screen Zapisz obraz strony - + (Private Browsing) (Tryb prywatny) - + Restore All Closed Tabs Przywróć wszystkie zamknięte karty - + Clear list Wyczyść listę - + About &Qt O &Qt - + &About QupZilla &O QupZilli @@ -3289,77 +3317,77 @@ Informacje o aplikacji - + Report &Issue Zgłoś &błąd - + &Web Search Szukaj w &sieci - + Page &Info &Informacje o stronie - + &Download Manager Menedżer &pobierania - + &Cookies Manager Menedżer &ciasteczek - + &AdBlock &AdBlock - + RSS &Reader &Czytnik RSS - + Clear Recent &History Wyczyść &historię - + &Private Browsing Tryb &prywatny - + Pr&eferences Us&tawienia - + Open file... Otwórz plik... - + Are you sure you want to turn on private browsing? Czy na pewno chcesz włączyć tryb prywatny? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Kiedy tryb prywatny jest włączony, niektóre działania naruszające twoją prywatność będą wyłączone: - + Webpages are not added to the history. Strony internetowe nie są dodawane do historii. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Do zamknięcia okna, możesz używać Wstecz i Dalej aby powrócić do stron jakie miałeś otwarte. @@ -3372,28 +3400,28 @@ QupZillaSchemeReply - + No Error Brak błędów - + Not Found Nie znaleziono - + Your E-mail Twój E-mail - + Issue type Typ błędu - - + + Report Issue Zgłoś błąd @@ -3402,12 +3430,12 @@ Jeśli masz problemy z QupZillą, spróbuj najpierw wyłączyć wszystkie wtyczki. <br/>Jeżeli to' nic nie zmieni, proszę wypełnij formularz: - + Issue description Opis błędu - + Send Wyślij @@ -3416,24 +3444,24 @@ Proszę wypełnić wszystkie wymagane pola! - + Start Page Strona startowa - + Google Search Wyszukaj w Google - + Search results provided by Google Wyniki wyszukiwania dostarczone przez Google - - - + + + About QupZilla O QupZilli @@ -3442,217 +3470,217 @@ Informacje o wersji - + Browser Identification Identyfikator przeglądarki - + Paths Ścieżki - + Copyright Prawa autorskie - + Version Wersja - + WebKit version Wersja WebKit - + Build time Zbudowana - + Platform Platforma - + Profile Profil - + Settings Ustawienia - + Saved session Zapisana sesja - + Pinned tabs Przypięte karty - + Data Data - + Themes Motywy - + Plugins Wtyczki - + Translations Tłumaczenia - + Main developer Główny programista - + Contributors Współtwórcy - + Translators Tłumacze - + Speed Dial Speed Dial - + Add New Page Dodaj Nową Stronę - + Apply Potwierdź - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page Pobierz tytuł ze strony - + Edit Edytuj - + Remove Usuń - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-mail jest opcjonalny<br/><b>Notka: </b>Proszę używać jedynie języka angielskiego. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Jeśli doświadczasz problemów z QupZilla spróbuj najpierw wyłączyć wszystkie wtyczki. <br />Jeśli problem nadal występuje, zgłoś go przy użyciu poniższego formularza: - + Please fill out all required fields! Należy wypełnić wszystkie wymagane pola! - + Information about version - + Reload Odśwież - + Url Adres - + Title Tytuł - + New Page Nowa strona @@ -4494,38 +4522,38 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi nowa karta - + Loading... Wczytywanie... - + No Named Page Strona bez nazwy - + Actually you have %1 opened tabs Aktualnie masz otwartych %1 kart - + New tab Nowa karta - + Empty - + Restore All Closed Tabs Przywróć wszystkie zamknięte karty - + Clear list Wyczyść listę diff --git a/translations/pt_PT.ts b/translations/pt_PT.ts index ae2172dac..aed35e85c 100644 --- a/translations/pt_PT.ts +++ b/translations/pt_PT.ts @@ -1193,13 +1193,13 @@ DownloadFileHelper - - + + Save file as... Gravar ficheiro como... - + NoNameDownload Transferência sem nome @@ -1728,7 +1728,7 @@ não foi encontrado! Apagar tudo - + .co.uk Append domain name on ALT + Enter = Should be different for every country .pt @@ -1742,12 +1742,12 @@ não foi encontrado! MainApplication - + Last session crashed A última sessão terminou abruptamente - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>A última sessão do QupZilla terminou abruptamente :-(</b><br/> Pedimos desculpa pelo ocorrido. Pretende que o QupZilla tente restaurar a última sessão? @@ -2199,7 +2199,7 @@ não foi encontrado! - + Note: You cannot delete active profile. Nota: não pode eliminar o perfil ativo. @@ -2473,85 +2473,105 @@ não foi encontrado! Eliminar histórico ao fechar - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Configuração de proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Porta: - + Username: Utilizador: - + Password: Senha: - + Don't use on: Não utilizar em: - + Manual configuration Configuração manual - + System proxy configuration Proxy do sistema - + Do not use proxy Não utilizar proxy - + <b>Font Families</b> <b>Famílias de letras</b> - + Standard Padrão - + Fixed Fixa - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursiva + + + Filter tracking cookies + + + + + <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! + + Default Font Padrão @@ -2561,190 +2581,198 @@ não foi encontrado! Fixa - + Fantasy Fantasia - + <b>Font Sizes</b> <b>Tamanho do tipo de letra</b> - + Fixed Font Size Tamanho das letras fixas - + Default Font Size Tamanho padrão das letras - + Minimum Font Size Tamanho mínimo das letras - + Minimum Logical Font Size Tamanho mínimo lógico das letras - + <b>Download Location</b> <b>Localização das transferências</b> - + Ask everytime for download location Perguntar sempre - + Use defined location: Utilizar esta localização: - - + + ... ... - + <b>Download Options</b> <b>Opções de transferências</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Utilizar caixa de diálogo do sistema (pode interferir na transferência de conteúdo seguro SSL) - + Close download manager when downloading finishes Fechar gestor de transferências ao terminar - + <b>AutoFill options</b> <b>Preenchimento automático</b> - + Allow saving passwords from sites Permitir gravação de senhas das páginas - + <b>Cookies</b> <b>Cookies</b> - Filter Tracking Cookies - Filtrar cookies de rastreio + Filtrar cookies de rastreio - + Allow storing of cookies Permitir armazenamento de cookies - + Delete cookies on close Eliminar cookies ao fechar - + Match domain exactly Coincidente com domínio - <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>Aviso:</b> as opções Coincidente com domínio e Filtrar cookies de rastreio podem recusar alguns cookies das páginas visitados. Se ocorrem problemas, tente desativar estas opções! + <b>Aviso:</b> as opções Coincidente com domínio e Filtrar cookies de rastreio podem recusar alguns cookies das páginas visitados. Se ocorrem problemas, tente desativar estas opções! - + Cookies Manager Gestor de cookies - + + <b>SSL Certificates</b> + + + + SSL Manager Gestor SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Notificações</b> - + Use OSD Notifications Utilizar notificações - + Use Native System Notifications (Linux only) Utilizar notificações do sistema (só para Linux) - + Do not use Notifications Não utilizar notificações - + Expiration timeout: Terminam em: - + seconds segundos - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Nota: </b>pode alterar a posição da notificação arrastando-a pelo ecrã. - + <b>Language</b> <b>Idioma</b> - + Available translations: Traduções disponíveis: - + In order to change language, you must restart browser. Para utilizar o idioma, tem que reinicir o navegador. - + <b>User CSS StyleSheet</b> <b>Stylesheet CSS do utilizador</b> - + StyleSheet automatically loaded with all websites: A stylesheet a carregar automaticamente nas páginas web: - + Languages Idiomas - + <b>Preferred language for web sites</b> <b>Idioma preferencial para páginas web</b> @@ -2804,58 +2832,58 @@ não foi encontrado! Outras - + OSD Notification Notificação - + Drag it on the screen to place it where you want. Arraste a notificação no ecrã para a posicionar. - + Choose download location... Escolha a localização das transferências... - + Choose stylesheet location... Escolha a localização da stylesheet... - + New Profile Novo perfil - + Enter the new profile's name: Indique o nome do novo perfil: - - + + Error! Erro! - + This profile already exists! Este perfil já existe! - + Cannot create profile directory! Incapaz de criar o diretório do perfil! - + Confirmation Confirmação - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Tem a certeza que pretende eliminar o perfil "%1" permanentemente? Esta ação não pode ser anulada! @@ -2918,147 +2946,147 @@ não foi encontrado! Novo separador - + Private Browsing Enabled Navegação privada ativada - + IP Address of current page Endereço IP da página atual - + &Tools Ferramen&tas - + &Help Aj&uda - + &Bookmarks &Marcadores - + Hi&story Hi&stórico - + &File &Ficheiro - + &New Window &Nova janela - + New Tab Novo separador - + Open Location Abrir localização - + Open &File Abrir &ficheiro - + Close Tab Fechar separador - + Close Window Fechar janela - + &Save Page As... Gra&var página como... - + Save Page Screen Gravar ecrã da página - + Send Link... Enviar ligação... - + &Print Im&primir - + Import bookmarks... Importar marcadores... - + Quit Sair - + &Edit &Editar - + &Undo An&ular - + &Redo &Refazer - + &Cut &Cortar - + C&opy C&opiar - + &Paste Co&lar - + &Delete E&liminar - + Select &All Selecion&ar tudo - + &Find Locali&zar - + Pr&eferences Pr&eferências @@ -3068,87 +3096,87 @@ não foi encontrado! QupZilla - + &View &Ver - + &Navigation Toolbar Barra de &navegação - + &Bookmarks Toolbar &Barra de marcadores - + Sta&tus Bar Barra de es&tado - + &Menu Bar Barra de &menu - + &Fullscreen &Ecrã completo - + &Stop &Parar - + &Reload &Recarregar - + Character &Encoding Codificação dos caract&eres - + Bookmarks Marcadores - + History Histórico - + Toolbars Barras de ferramentas - + Sidebars Barra lateral - + Zoom &In Ampl&iar - + Zoom &Out Red&uzir - + Reset Restaurar - + &Page Source Código fonte da &página @@ -3168,86 +3196,86 @@ não foi encontrado! Mais visitados - + Restore &Closed Tab Restaurar separador fe&chado - + (Private Browsing) (Navegação privada) - + Bookmark &This Page Marcar es&ta página - + Bookmark &All Tabs M&arcar todos os separadores - + Organize &Bookmarks Organizar &marcadores - - - - - + + + + + Empty Vazio - + &Back &Recuar - + &Forward &Avançar - + &Home Pági&na inicial - + Show &All History Mostr&ar todo o histórico - + Restore All Closed Tabs Restaurar todos os separadores fechados - + Clear list Apagar lista - + About &Qt Sobre &Qt - + Information about application Informações da aplicação - + %1 - QupZilla %1 - QupZilla - + &About QupZilla Sobre QupZill&a @@ -3256,57 +3284,57 @@ não foi encontrado! Informações da aplicação - + Report &Issue Reportar pro&blema - + &Web Search Procura &web - + Page &Info &Informações da página - + &Download Manager Gestor &de transferências - + &Cookies Manager Gestor de &cookies - + &AdBlock &Adblock - + RSS &Reader Leitor &RSS - + Clear Recent &History Apagar &histórico recente - + &Private Browsing Navegação &privada - + Other Outras - + Default Padrão @@ -3315,47 +3343,47 @@ não foi encontrado! - QupZilla - + Open file... Abrir ficheiro... - + Are you sure you want to turn on private browsing? Tem a certeza que pretende ativar a navegação privada? - + When private browsing is turned on, some actions concerning your privacy will be disabled: Se a navegação privada estiver ativa, alguns elementos de privacidade estarão inativos: - + Webpages are not added to the history. As páginas web não são adicionadas ao histórico. - + Current cookies cannot be accessed. Os cookies atuais não estarão acessíveis. - + Your session is not stored. A sua sessão não pode ser gravada. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. No entanto, enquanto não fechar a janela pode utilizar os botões Recuar e Avançar para voltar às páginas abertas anteriormente. - + Start Private Browsing Iniciar navegação privada - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Ainda existe(m) %1 separador(es) aberto(s) e a sessão não será gravada. Tem a certeza que pretende sair? @@ -3368,18 +3396,18 @@ não foi encontrado! QupZillaSchemeReply - + No Error Sem erros - + Not Found Não encontrado - - + + Report Issue Reportar problema @@ -3388,22 +3416,22 @@ não foi encontrado! Se estiverem a ocorrer problemas no QupZilla, experimente desativar os plugins. <br/>Se não os resolver, preencha este formulário: - + Your E-mail O seu endereço eletrónico - + Issue type Tipo de problema - + Issue description Descrição do problema - + Send Enviar @@ -3412,24 +3440,24 @@ não foi encontrado! Tem que preencher os campos obrigatórios! - + Start Page Página inicial - + Google Search Procura Google - + Search results provided by Google Resultados disponibilizados pelo Google - - - + + + About QupZilla Sobre QupZilla @@ -3438,217 +3466,217 @@ não foi encontrado! Informações da versão - + Browser Identification Identificação do navegador - + Paths Caminhos - + Copyright Direitos de autor - + Version Versão - + WebKit version Versão WebKit - + Build time Compilado - + Platform Plataforma - + Profile Perfil - + Settings Definições - + Saved session Sessão gravada - + Pinned tabs Separadores fixos - + Data Dados - + Themes Temas - + Plugins Plugins - + Translations Traduções - + Main developer Programador principal - + Contributors Contributos - + Translators Tradutores - + Speed Dial Ligação rápida - + Add New Page Adicionar nova página - + Apply Aplicar - + Speed Dial settings Definições da ligação rápida - + Placement: Posicionamnto: - + Auto Automático - + Cover - + Fit Ajustar - + Fit Width Ajustar à largura - + Fit Height Ajustar à altura - + Use background image Utilizar imagem de fundo - + Select image Selecione a imagem - + Maximum pages in a row: Máximo de páginas por linha: - + Change size of pages: Alterar tamanho das páginas: - + Load title from page Carregar título da página - + Edit Editar - + Remove Remover - + E-mail is optional<br/><b>Note: </b>Please use English language only. O endereço eletrónico é opcional.<br/><b>Nota: </b>tem que escrever a mensagem em inglês. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Se estiverem a ocorrer problemas no QupZilla, experimente desativar os plugins. <br/>Se os erros persistirem, preencha este formulário: - + Please fill out all required fields! Tem que preencher os campos obrigatórios! - + Information about version Informações da versão - + Reload Recarregar - + Url Url - + Title Título - + New Page Nova página @@ -4490,38 +4518,38 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup Novo separador - + Loading... A carregar... - + No Named Page Página sem nome - + Actually you have %1 opened tabs Atualmente, tem %1 separador(es) aberto(s) - + New tab Novo separador - + Empty Vazio - + Restore All Closed Tabs Restaurar todos os separadores fechados - + Clear list Apagar lista diff --git a/translations/ru_RU.ts b/translations/ru_RU.ts index 7bf851fe3..6d3120394 100644 --- a/translations/ru_RU.ts +++ b/translations/ru_RU.ts @@ -1196,13 +1196,13 @@ DownloadFileHelper - - + + Save file as... Сохранить как... - + NoNameDownload ?? Безымянная загрузка @@ -1733,7 +1733,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country .ru @@ -1747,12 +1747,12 @@ MainApplication - + Last session crashed Последняя сессия завершилась неудачно - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla упал :-(</b><br/>К сожалению, последняя сессия QupZilla была завершена неудачно. Вы хотите попробовать восстановить её? @@ -2153,7 +2153,7 @@ - + Note: You cannot delete active profile. Примечание: Нельзя удалить активный профиль. @@ -2428,85 +2428,105 @@ Очищать истроию после закрытия - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Настройки Proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Порт: - + Username: Имя пользователя: - + Password: Пароль: - + Don't use on: Не использовать на: - + Manual configuration Ручные настройки - + System proxy configuration Системные натройки прокси - + Do not use proxy Не использовать прокси - + <b>Font Families</b> <b>Семейства шрфтов</b> - + Standard Стандарт - + Fixed Фиксированный - + Serif Serif - + Sans Serif Sans Serif - + Cursive Курсив + + + Filter tracking cookies + + + + + <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! + + Default Font Шрифт по умолчанию @@ -2516,192 +2536,200 @@ Фиксированный шрифт - + Fantasy ??? Fantasy - + <b>Font Sizes</b> <b>Размеры шрифтов</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>Расположение загружаемых файлов</b> - + Ask everytime for download location Каждый раз спрашивать путь для загрузки - + Use defined location: ??? Использовать определенное место: - - + + ... ... - + <b>Download Options</b> <b>Параметры загрузки</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Использовать системный диалог для файловых операций. (Могут возникнуть проблемы с закачкой файлов защищенных SSL) - + Close download manager when downloading finishes Закрыть менеджер загрузок после завершения всех загрузок - + <b>AutoFill options</b> <b>Автозаполнение</b> - + Allow saving passwords from sites Сохранять пароли - + <b>Cookies</b> <B>Cookies</b> - Filter Tracking Cookies - Фильтрация шпионских Cookies + Фильтрация шпионских Cookies - + Allow storing of cookies Сохранять cookies - + Delete cookies on close Удалить cookies после закрытия - + Match domain exactly Требовать точное соответствие домена - <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>Внимание:</b> Опции "Требовать точное соответствие домена" и "фильтрация шпионских cookies" могут привести к запрещению некторых cookies. Если у вас проблемы с cookies, то попробуйте отключить эти опции! + <b>Внимание:</b> Опции "Требовать точное соответствие домена" и "фильтрация шпионских cookies" могут привести к запрещению некторых cookies. Если у вас проблемы с cookies, то попробуйте отключить эти опции! - + Cookies Manager Менеджер Cookies - + + <b>SSL Certificates</b> + + + + SSL Manager Менеджер SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Уведомления</b> - + Use OSD Notifications Использовать экранные уведомления - + Use Native System Notifications (Linux only) Использовать системные уведомления ( только для Linux) - + Do not use Notifications Не использовать уведомления - + Expiration timeout: Время действия: - + seconds секунд - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Примечание: </b>Вы можете изменить расположение экранных уведомлений перетаскивая их по экрану. - + <b>Language</b> <b>Язык</b> - + Available translations: Доступные переводы: - + In order to change language, you must restart browser. Чтобы изменить язык, вы должны перезапустить браузер. - + <b>User CSS StyleSheet</b> <b>Пользовательские таблицы стилей CSS</b> - + StyleSheet automatically loaded with all websites: Выберите таблицу стилей для всех сайтов: - + Languages Языки - + <b>Preferred language for web sites</b> <b>Предпочитаемый язык для веб сайтов</b> @@ -2761,58 +2789,58 @@ Прочее - + OSD Notification Экранные уведомления - + Drag it on the screen to place it where you want. Перетащите уведомление, в место где вы хотите его разместить. - + Choose download location... Выберите папку для загрузок... - + Choose stylesheet location... Укажите местоположение таблицы стилей... - + New Profile Новый профиль - + Enter the new profile's name: Введите имя профиля: - - + + Error! Ошибка! - + This profile already exists! Такой профиль уже существует! - + Cannot create profile directory! Невозможно создать папку для профиля! - + Confirmation Подтверждение - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Вы точно хотите удалить профиль "%1"? Это действие необратимо! @@ -2876,147 +2904,147 @@ Новая вкладка - + Private Browsing Enabled Режим приватного просмотра включен - + IP Address of current page IP адрес текущей страницы - + &Tools &Инструменты - + &Help &Справка - + &Bookmarks &Закладки - + Hi&story Ис&тория - + &File &Файл - + &New Window &Новое окно - + New Tab Новая вкладка - + Open Location Открыть ссылку - + Open &File Открыть &файл - + Close Tab Закрыть вкладку - + Close Window Закрыть окно - + &Save Page As... &Сохранить как... - + Save Page Screen Сохранить снимок страницы - + Send Link... Послать адрес... - + &Print &Печать - + Import bookmarks... Импортировать закладки... - + Quit Выход - + &Edit &Правка - + &Undo &Отменить - + &Redo &Повторить - + &Cut &Вырезать - + C&opy &Копировать - + &Paste Вс&тавить - + &Delete &Удалить - + Select &All В&ыделить всё - + &Find &Найти - + Pr&eferences Н&астройки @@ -3026,87 +3054,87 @@ QupZilla - + &View &Вид - + &Navigation Toolbar Панель &Навигации - + &Bookmarks Toolbar Панель &Закладок - + Sta&tus Bar Панель &статуса - + &Menu Bar Панель &Меню - + &Fullscreen &Полноэкранный режим - + &Stop П&рервать - + &Reload &Обновить - + Character &Encoding &Кодировка символов - + Bookmarks Закладки - + History История - + Toolbars Панели инструментов - + Sidebars Боковые панели - + Zoom &In У&величить - + Zoom &Out У&меньшить - + Reset Восстановить - + &Page Source &Исходый код страницы @@ -3126,86 +3154,86 @@ - + Restore &Closed Tab Открыть &закрытую вкладку - + (Private Browsing) (Режим приватного просмотра) - + Bookmark &This Page &Добавить в закладки - + Bookmark &All Tabs Закладки для &всех открытых страниц - + Organize &Bookmarks &Управление закладками - - - - - + + + + + Empty Пусто - + &Back &Назад - + &Forward &Вперед - + &Home &Домашняя страница - + Show &All History Стереть в&сю историю - + Restore All Closed Tabs Открыть все закрытые вкладки - + Clear list Очистить список - + About &Qt О &Qt - + Information about application - + %1 - QupZilla - + &About QupZilla &О QupZilla @@ -3214,102 +3242,102 @@ О программе - + Report &Issue &Сообщить об ошибке - + &Web Search П&оиск в интернете - + Page &Info &Информация о странице - + &Download Manager &Менеджер загрузок - + &Cookies Manager Менеджер &Cookie - + &AdBlock &AdBlock - + RSS &Reader Чтение &RSS - + Clear Recent &History Очистить &недавнюю историю - + &Private Browsing Режим &приватного просмотра - + 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 QupZilla? У вас открыто %1 вкладок и ваша сессия не сохранится. Вы точно хотите выйти из QupZilla? @@ -3322,18 +3350,18 @@ QupZillaSchemeReply - + No Error Ошибок нет - + Not Found Не найдено - - + + Report Issue Сообщить об ошибке @@ -3342,22 +3370,22 @@ Если у вас возникли проблемы с QupZilla, попробуйте выключить все плагины.<br/> Если это не помогло, пожалуйста, заполните эту форму: - + Your E-mail Ваш E-mail - + Issue type Тип проблемы - + Issue description Описание проблемы - + Send Отправить @@ -3366,24 +3394,24 @@ Пожалуйста, заполните все обязательные поля! - + Start Page Начальная страница - + Google Search поиск Google - + Search results provided by Google Результаты поиска предоставлены Google - - - + + + About QupZilla О QupZilla @@ -3392,219 +3420,219 @@ О версии программы - + Browser Identification Идентификационная информаця браузера - + Paths ??? Файлы - + Copyright Права - + Version Версия - + WebKit version Версия WebKit - + Build time Дата сборки - + Platform Платформа - + Profile Профиль - + Settings Настройки - + Saved session Сохраненные сессии - + Pinned tabs ?? Закрепленные вкладки - + Data Дата - + Themes Темы - + Plugins Плагины - + Translations Переводы - + Main developer Главный разработчик - + Contributors Внесли вклад - + Translators Переводчики - + Speed Dial Страница быстрого доступа - + Add New Page Добавить новую страницу - + Apply Применить - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page Загрузить назвние из страницы - + Edit Изменить - + Remove Удалить - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-mail необязателен<br/><b>Примечание:</b> Пожалуйста, используйте только английский язык. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload Обновить - + Url Url - + Title Название - + New Page Новая страница @@ -4448,38 +4476,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Новая вкладка - + Loading... Загрузка... - + No Named Page Безымянная страница - + Actually you have %1 opened tabs У вас открыто %1 вкладок - + New tab Новая вкладка - + Empty Пусто - + Restore All Closed Tabs Открыть все закрытые вкладки - + Clear list Очистить список diff --git a/translations/sk_SK.ts b/translations/sk_SK.ts index 7142d22cf..79459f062 100644 --- a/translations/sk_SK.ts +++ b/translations/sk_SK.ts @@ -1744,7 +1744,7 @@ Filter Tracking Cookies - Filtrovať sledovacie cookies + Filtrovať sledovacie cookies Enter the new profile's name: @@ -1833,7 +1833,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>Varovanie:</b> Možnosti požadovanie presnej zhody domény a filtrovať sledovacie cookies môžu viesť k odmietnutiu niektorých cookies zo stránok. Ak máte problémy s cookies, skúste najprv zakázať tieto možnosti! + <b>Varovanie:</b> Možnosti požadovanie presnej zhody domény a filtrovať sledovacie cookies môžu viesť k odmietnutiu niektorých cookies zo stránok. Ak máte problémy s cookies, skúste najprv zakázať tieto možnosti! Proxy Configuration @@ -2287,6 +2287,30 @@ Use current + + Allow HTML5 local storage + + + + Delete local storage on close + + + + Filter tracking cookies + + + + <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>SSL Certificates</b> + + + + Edit CA certificates in SSL Manager + + QObject diff --git a/translations/sr_BA.ts b/translations/sr_BA.ts index 8b0981f29..1d0e21734 100644 --- a/translations/sr_BA.ts +++ b/translations/sr_BA.ts @@ -1135,13 +1135,13 @@ DownloadFileHelper - - + + Save file as... Сачувај фајл као... - + NoNameDownload Неименовано_преузимање @@ -1632,7 +1632,7 @@ Очисти све - + .co.uk Append domain name on ALT + Enter = Should be different for every country .rs.ba @@ -1646,12 +1646,12 @@ MainApplication - + Last session crashed Претходна сесија се срушила - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>Капзила се срушила :-(</b><br/>Упс, претходна Капзилина сесија је неочекивано прекинута. Извњавамо се због овога. Желите ли да вратите посљедње сачувано стање? @@ -1961,7 +1961,7 @@ - + Note: You cannot delete active profile. Напомена: Не можете обрисати активни профил. @@ -2235,270 +2235,298 @@ Обриши историјат по затварању - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Подешавање проксија - + HTTP ХТТП - + SOCKS5 СОЦКС5 - + Port: Порт: - + Username: Корисничко име: - + Password: Лозинка: - + Don't use on: Не користи на: - + Manual configuration Ручне поставке - + System proxy configuration Системске поставке - + Do not use proxy Не користи прокси - + <b>Font Families</b> <b>Породице фонта</b> - + Standard Стандардни - + Fixed Фиксни - + Serif Серифни - + Sans Serif Бесерифни - + Cursive Курзивни - + Fantasy Фантазијски - + <b>Font Sizes</b> <b>Величине фонта</b> - + Fixed Font Size Фиксни фонт - + Default Font Size Подразумијевани фонт - + Minimum Font Size Најмања величина - + Minimum Logical Font Size Најмања могућа величина - + <b>Download Location</b> <b>Одредиште преузимања</b> - + Ask everytime for download location Питај сваки пут за одредиште - + Use defined location: Користи одредиште: - - + + ... ... - + <b>Download Options</b> <b>Опције преузимања</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Користи системски дијалог фајлова (може проузрочити проблеме за преузимање ССЛ безбиједног садржаја) - + Close download manager when downloading finishes Затвори менаџера преузимања када се преузимање заврши - + <b>AutoFill options</b> <b>Опције аутоматске попуне</b> - + Allow saving passwords from sites Дозволи успремање лозинки са сајтова - + <b>Cookies</b> <b>Колачићи</b> - - Filter Tracking Cookies - Пречишћај колачиће пратиоце + + Filter tracking cookies + - + + <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! + + + + Filter Tracking Cookies + Пречишћај колачиће пратиоце + + + Allow storing of cookies Дозволи успремање колачића - + Delete cookies on close Обриши колачиће по затварању - + Match domain exactly Поклапај домен тачно - <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>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! + <b>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! - + Cookies Manager Менаџер колачића - + + <b>SSL Certificates</b> + + + + SSL Manager ССЛ менаџер - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Обавјештења</b> - + Use OSD Notifications Користи ОСД обавјештења - + Use Native System Notifications (Linux only) Користи изворна системска обавјештења (само за Линукс) - + Do not use Notifications Не користи ОСД обавјештења - + Expiration timeout: Вријеме истека: - + seconds секунди - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Напомена: </b>Можете промијенити положај ОСД обавјештења превлачењем по екрану. - + <b>Language</b> <b>Језик</b> - + Available translations: Доступни преводи: - + In order to change language, you must restart browser. Да бисте промијенили језик, морате поново покренути прегледач. - + <b>User CSS StyleSheet</b> <b>Кориснички опис стила (ЦСС)</b> - + StyleSheet automatically loaded with all websites: Опис стила који ће аутоматски бити учитан за све сајтове: - + Languages Језици - + <b>Preferred language for web sites</b> <b>Приоритетни језик за веб странице</b> @@ -2558,58 +2586,58 @@ Остало - + OSD Notification ОСД обавјештење - + Drag it on the screen to place it where you want. Превуците га по екрану на жељени положај. - + Choose download location... Одабир одредишта за преузимање... - + Choose stylesheet location... Одабир фајла описа стила... - + New Profile Нови профил - + Enter the new profile's name: Унесите име новог профила: - - + + Error! Грешка! - + This profile already exists! Овај профил већ постоји! - + Cannot create profile directory! Не могу да направим директоријум профила! - + Confirmation Потврда - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Желите ли заиста трајно да обришете „%1“ профил? Ова радња не може да се поништи! @@ -2668,147 +2696,147 @@ QupZilla - + Private Browsing Enabled Приватно прегледање је омогућено - + IP Address of current page ИП адреса текуће странице - + &Tools Ала&тке - + &Help По&моћ - + &Bookmarks &Обиљеживачи - + Hi&story &Историјат - + &File &Фајл - + &New Window &Нови прозор - + New Tab Нови језичак - + Open Location Отвори локацију - + Open &File Отвори &фајл - + Close Tab Затвори језичак - + Close Window Затвори прозор - + &Save Page As... &Сачувај страницу као... - + Save Page Screen Сачувај снимак странице - + Send Link... Пошаљи везу... - + &Print &Штампај - + Import bookmarks... Увези обиљеживаче... - + Quit Напусти - + &Edit &Уреди - + &Undo &Опозови - + &Redo &Понови - + &Cut &Исијеци - + C&opy &Копирај - + &Paste &Налијепи - + &Delete О&бриши - + Select &All Изабери &све - + &Find Н&ађи - + Pr&eferences По&дешавање @@ -2818,87 +2846,87 @@ Капзила - + &View &Приказ - + &Navigation Toolbar Трака &навигације - + &Bookmarks Toolbar Трака &обиљеживача - + Sta&tus Bar Трака &стања - + &Menu Bar Трака &менија - + &Fullscreen &Цио екран - + &Stop &Заустави - + &Reload &Учитај поново - + Character &Encoding &Кодирање знакова - + Bookmarks Обиљеживачи - + History Историјат - + Toolbars Траке алатки - + Sidebars Бочне траке - + Zoom &In У&величај - + Zoom &Out У&мањи - + Reset Стварна величина - + &Page Source &Извор странице @@ -2918,186 +2946,186 @@ Најпосјећеније - + Restore &Closed Tab &Врати затворени језичак - + (Private Browsing) (приватно прегледање) - + Bookmark &This Page Обиљежи овај &језичак - + Bookmark &All Tabs Обиљежи &све језичке - + Organize &Bookmarks &Организуј обиљеживаче - - - - - + + + + + Empty Празно - + &Back На&зад - + &Forward На&пријед - + &Home &Домаћа - + Show &All History Прикажи &сав историјат - + Restore All Closed Tabs Врати све затворене језичке - + Clear list Очисти списак - + About &Qt О &Кјуту - + Information about application Подаци о програму - + %1 - QupZilla %1 - Капзила - + &About QupZilla &О Капзили - + Report &Issue &Пријави проблем - + &Web Search Претрага &веба - + Page &Info &Инфо странице - + &Download Manager Менаџер &преузимања - + &Cookies Manager Менаџер &колачића - + &AdBlock &Адблок - + RSS &Reader Читач РСС &довода - + Clear Recent &History &Очисти приватне податке - + &Private Browsing П&риватно прегледање - + 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. Текућим колачићима није могућ приступ. - + 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 QupZilla? Још увијек имате %1 отворених језичака а ваша сесија неће бити сачувана. Желите ли заиста да напустите Капзилу? @@ -3110,275 +3138,275 @@ QupZillaSchemeReply - + No Error Нема грешке - + Not Found Није нађено - - + + Report Issue Пријави проблем - + Your E-mail Ваша е-адреса - + Issue type Тип проблема - + Issue description Опис проблема - + Send Пошаљи - + Start Page Почетна страница - + Google Search Гугл претрага - + Search results provided by Google Резултате претраге обезбјеђује Гугл - - - + + + About QupZilla О Капзили - + Browser Identification Идентификација прегледача - + Paths Путање - + Copyright Ауторска права - + Version Издање - + WebKit version Издање Вебкита - + Build time Датум компајлирања - + Platform Платформа - + Profile Профил - + Settings Подешавања - + Saved session Сачуване сесије - + Pinned tabs Закачени језичци - + Data Подаци - + Themes Теме - + Plugins Прикључци - + Translations Преводи - + Main developer Главни програмер - + Contributors Сарадници - + Translators Преводиоци - + Speed Dial Брзо бирање - + Add New Page Додај нову страницу - + Apply Примијени - + Speed Dial settings Подешавање брзог бирања - + Placement: Положај: - + Auto Ауто - + Cover Прекриј - + Fit Уклопи - + Fit Width Уклопи ширину - + Fit Height Уклопи висину - + Use background image Слика за позадину - + Select image Изабери слику - + Maximum pages in a row: Највише брзих бирања у реду: - + Change size of pages: Промијени величину брзих бирања: - + Load title from page Учитај наслов са странице - + Edit Уреди - + Remove Уклони - + E-mail is optional<br/><b>Note: </b>Please use English language only. Е-адреса није обавезна<br/><b>Напомена: </b>Користите само енглески језик. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Ако имате проблема са Капзилом најприје покушајте да онемогућите прикључке. <br/>Ако то не помогне, онда попуните овај формулар: - + Please fill out all required fields! Попуните сва обавезна поља! - + Information about version Подаци о издању - + Reload Учитај поново - + Url Урл - + Title Име - + New Page Нова страница @@ -4186,38 +4214,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Нови језичак - + Loading... Учитавам... - + No Named Page Неименована страница - + Actually you have %1 opened tabs Имате %1 отворених језичака - + New tab Нови језичак - + Empty Празно - + Restore All Closed Tabs Врати све затворене језичке - + Clear list Очисти списак diff --git a/translations/sr_RS.ts b/translations/sr_RS.ts index 4377e77aa..20363c39b 100644 --- a/translations/sr_RS.ts +++ b/translations/sr_RS.ts @@ -1135,13 +1135,13 @@ DownloadFileHelper - - + + Save file as... Сачувај фајл као... - + NoNameDownload Неименовано_преузимање @@ -1632,7 +1632,7 @@ Очисти све - + .co.uk Append domain name on ALT + Enter = Should be different for every country .rs.ba @@ -1646,12 +1646,12 @@ MainApplication - + Last session crashed Претходна сесија се срушила - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>Капзила се срушила :-(</b><br/>Упс, претходна Капзилина сесија је неочекивано прекинута. Извњавамо се због овога. Желите ли да вратите посљедње сачувано стање? @@ -1961,7 +1961,7 @@ - + Note: You cannot delete active profile. Напомена: Не можете обрисати активни профил. @@ -2235,270 +2235,298 @@ Обриши историјат по затварању - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Подешавање проксија - + HTTP ХТТП - + SOCKS5 СОЦКС5 - + Port: Порт: - + Username: Корисничко име: - + Password: Лозинка: - + Don't use on: Не користи на: - + Manual configuration Ручне поставке - + System proxy configuration Системске поставке - + Do not use proxy Не користи прокси - + <b>Font Families</b> <b>Породице фонта</b> - + Standard Стандардни - + Fixed Фиксни - + Serif Серифни - + Sans Serif Бесерифни - + Cursive Курзивни - + Fantasy Фантазијски - + <b>Font Sizes</b> <b>Величине фонта</b> - + Fixed Font Size Фиксни фонт - + Default Font Size Подразумевани фонт - + Minimum Font Size Најмања величина - + Minimum Logical Font Size Најмања могућа величина - + <b>Download Location</b> <b>Одредиште преузимања</b> - + Ask everytime for download location Питај сваки пут за одредиште - + Use defined location: Користи одредиште: - - + + ... ... - + <b>Download Options</b> <b>Опције преузимања</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Користи системски дијалог фајлова (може проузрочити проблеме за преузимање ССЛ безбедног садржаја) - + Close download manager when downloading finishes Затвори менаџера преузимања када се преузимање заврши - + <b>AutoFill options</b> <b>Опције аутоматске попуне</b> - + Allow saving passwords from sites Дозволи успремање лозинки са сајтова - + <b>Cookies</b> <b>Колачићи</b> - - Filter Tracking Cookies - Пречишћај колачиће пратиоце + + Filter tracking cookies + - + + <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! + + + + Filter Tracking Cookies + Пречишћај колачиће пратиоце + + + Allow storing of cookies Дозволи успремање колачића - + Delete cookies on close Обриши колачиће по затварању - + Match domain exactly Поклапај домен тачно - <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>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! + <b>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! - + Cookies Manager Менаџер колачића - + + <b>SSL Certificates</b> + + + + SSL Manager ССЛ менаџер - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Обавештења</b> - + Use OSD Notifications Користи ОСД обавештења - + Use Native System Notifications (Linux only) Користи изворна системска обавештења (само за Линукс) - + Do not use Notifications Не користи ОСД обавештења - + Expiration timeout: Време истека: - + seconds секунди - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Напомена: </b>Можете променити положај ОСД обавештења превлачењем по екрану. - + <b>Language</b> <b>Језик</b> - + Available translations: Доступни преводи: - + In order to change language, you must restart browser. Да бисте промијенили језик, морате поново покренути прегледач. - + <b>User CSS StyleSheet</b> <b>Кориснички опис стила (ЦСС)</b> - + StyleSheet automatically loaded with all websites: Опис стила који ће аутоматски бити учитан за све сајтове: - + Languages Језици - + <b>Preferred language for web sites</b> <b>Приоритетни језик за веб странице</b> @@ -2558,58 +2586,58 @@ Остало - + OSD Notification ОСД обавештење - + Drag it on the screen to place it where you want. Превуците га по екрану на жељени положај. - + Choose download location... Одабир одредишта за преузимање... - + Choose stylesheet location... Одабир фајла описа стила... - + New Profile Нови профил - + Enter the new profile's name: Унесите име новог профила: - - + + Error! Грешка! - + This profile already exists! Овај профил већ постоји! - + Cannot create profile directory! Не могу да направим директоријум профила! - + Confirmation Потврда - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Желите ли заиста трајно да обришете „%1“ профил? Ова радња не може да се поништи! @@ -2668,147 +2696,147 @@ QupZilla - + Private Browsing Enabled Приватно прегледање је омогућено - + IP Address of current page ИП адреса текуће странице - + &Tools Ала&тке - + &Help По&моћ - + &Bookmarks &Обележивачи - + Hi&story &Историјат - + &File &Фајл - + &New Window &Нови прозор - + New Tab Нови језичак - + Open Location Отвори локацију - + Open &File Отвори &фајл - + Close Tab Затвори језичак - + Close Window Затвори прозор - + &Save Page As... &Сачувај страницу као... - + Save Page Screen Сачувај снимак странице - + Send Link... Пошаљи везу... - + &Print &Штампај - + Import bookmarks... Увези обележиваче... - + Quit Напусти - + &Edit &Уреди - + &Undo &Опозови - + &Redo &Понови - + &Cut &Исеци - + C&opy &Копирај - + &Paste &Налепи - + &Delete О&бриши - + Select &All Изабери &све - + &Find Н&ађи - + Pr&eferences По&дешавање @@ -2818,87 +2846,87 @@ Капзила - + &View &Приказ - + &Navigation Toolbar Трака &навигације - + &Bookmarks Toolbar Трака &обележивача - + Sta&tus Bar Трака &стања - + &Menu Bar Трака &менија - + &Fullscreen &Цио екран - + &Stop &Заустави - + &Reload &Учитај поново - + Character &Encoding &Кодирање знакова - + Bookmarks Обележивачи - + History Историјат - + Toolbars Траке алатки - + Sidebars Бочне траке - + Zoom &In У&величај - + Zoom &Out У&мањи - + Reset Стварна величина - + &Page Source &Извор странице @@ -2918,186 +2946,186 @@ Најпосећеније - + Restore &Closed Tab &Врати затворени језичак - + (Private Browsing) (приватно прегледање) - + Bookmark &This Page Обележи овај &језичак - + Bookmark &All Tabs Обележи &све језичке - + Organize &Bookmarks &Организуј обележиваче - - - - - + + + + + Empty Празно - + &Back На&зад - + &Forward На&пред - + &Home &Домаћа - + Show &All History Прикажи &сав историјат - + Restore All Closed Tabs Врати све затворене језичке - + Clear list Очисти списак - + About &Qt О &Кјуту - + Information about application Подаци о програму - + %1 - QupZilla %1 - QupZilla - + &About QupZilla &О Капзили - + Report &Issue &Пријави проблем - + &Web Search Претрага &веба - + Page &Info &Инфо странице - + &Download Manager Менаџер &преузимања - + &Cookies Manager Менаџер &колачића - + &AdBlock &Адблок - + RSS &Reader Читач РСС &довода - + Clear Recent &History &Очисти приватне податке - + &Private Browsing П&риватно прегледање - + 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. Текућим колачићима није могућ приступ. - + 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 QupZilla? Још увек имате %1 отворених језичака а ваша сесија неће бити сачувана. Желите ли заиста да напустите Капзилу? @@ -3110,275 +3138,275 @@ QupZillaSchemeReply - + No Error Нема грешке - + Not Found Није нађено - - + + Report Issue Пријави проблем - + Your E-mail Ваша е-адреса - + Issue type Тип проблема - + Issue description Опис проблема - + Send Пошаљи - + Start Page Почетна страница - + Google Search Гугл претрага - + Search results provided by Google Резултате претраге обезбеђује Гугл - - - + + + About QupZilla О Капзили - + Browser Identification Идентификација прегледача - + Paths Путање - + Copyright Ауторска права - + Version Издање - + WebKit version Издање Вебкита - + Build time Датум компајлирања - + Platform Платформа - + Profile Профил - + Settings Подешавања - + Saved session Сачуване сесије - + Pinned tabs Закачени језичци - + Data Подаци - + Themes Теме - + Plugins Прикључци - + Translations Преводи - + Main developer Главни програмер - + Contributors Сарадници - + Translators Преводиоци - + Speed Dial Брзо бирање - + Add New Page Додај нову страницу - + Apply Примени - + Speed Dial settings Подешавање брзог бирања - + Placement: Положај: - + Auto Ауто - + Cover Прекриј - + Fit Уклопи - + Fit Width Уклопи ширину - + Fit Height Уклопи висину - + Use background image Слика за позадину - + Select image Изабери слику - + Maximum pages in a row: Највише брзих бирања у реду: - + Change size of pages: Промени величину брзих бирања: - + Load title from page Учитај наслов са странице - + Edit Уреди - + Remove Уклони - + E-mail is optional<br/><b>Note: </b>Please use English language only. Е-адреса није обавезна<br/><b>Напомена: </b>Користите само енглески језик. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Ако имате проблема са Капзилом најпре покушајте да онемогућите прикључке. <br/>Ако то не помогне, онда попуните овај формулар: - + Please fill out all required fields! Попуните сва обавезна поља! - + Information about version Подаци о издању - + Reload Учитај поново - + Url Урл - + Title Име - + New Page Нова страница @@ -4186,38 +4214,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Нови језичак - + Loading... Учитавам... - + No Named Page Неименована страница - + Actually you have %1 opened tabs Имате %1 отворених језичака - + New tab Нови језичак - + Empty Празно - + Restore All Closed Tabs Врати све затворене језичке - + Clear list Очисти списак diff --git a/translations/sv_SE.ts b/translations/sv_SE.ts index 51647efe0..940945fd8 100644 --- a/translations/sv_SE.ts +++ b/translations/sv_SE.ts @@ -1182,13 +1182,13 @@ DownloadFileHelper - - + + Save file as... Spara fil som... - + NoNameDownload Namnlös nedladdning @@ -1717,7 +1717,7 @@ Rensa allt - + .co.uk Append domain name on ALT + Enter = Should be different for every country .se @@ -1731,12 +1731,12 @@ MainApplication - + Last session crashed Senaste sessionen kraschade - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? <b>QupZilla krashade :-(</b><br/>Hoppsan,den senaste sessionen av QupZilla avslutades oväntat. Vi är ledsna för detta. Vill du prova att återställa senast sparade läge? @@ -2184,7 +2184,7 @@ - + Note: You cannot delete active profile. Observera: Du kan inte ta bort aktiv profil. @@ -2459,274 +2459,302 @@ Ta bort historik vid avslut - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration Proxyinställningar - + HTTP HTTP - + SOCKS5 SOCKS5 - + Port: Port: - + Username: Användarnamn: - + Password: Lösenord: - + Don't use on: Använd inte på: - + Manual configuration Manuell inställning - + System proxy configuration Global proxyinställning - + Do not use proxy Använd inte proxy - + <b>Font Families</b> <b>Teckensnittsfamilerj</b> - + Standard Standard - + Fixed Fast - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kursiv + + + Filter tracking cookies + + + + + <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! + + Default Font Standardteckensnitt - + Fantasy - + <b>Font Sizes</b> <b>Teckensnittsstorlek</b> - + Fixed Font Size Fast typsnittsstorlek - + Default Font Size Standardtypsnittsstorlek - + Minimum Font Size Minsta typsnittsstorlek - + Minimum Logical Font Size Minsta logiska typsnittsstorlek - + <b>Download Location</b> <b>Nedladdningsdestination</b> - + Ask everytime for download location Fråga efter nedladdningsdestination varje gång - + Use defined location: Använd förinställd destination: - - + + ... ... - + <b>Download Options</b> <b>Nedladdningsinställningar</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Använd systemets egna filhanterare (skapar eventuellt problem vid nedladdning av SSL-säkrat material) - + Close download manager when downloading finishes Stäng nedladdningshanterare när alla nedladdningar avslutas - + <b>AutoFill options</b> <b>Autofyll-alternativ</b> - + Allow saving passwords from sites Tillåt att lösenord lagras på sidor - + <b>Cookies</b> <b>Kakor</b> - Filter Tracking Cookies - Filtrera spårningskakor + Filtrera spårningskakor - + Allow storing of cookies Tillåt lagring av kakor - + Delete cookies on close Ta bort kakor vid avslut - + Match domain exactly Matcha domännamn exakt - <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>Varning:</b>Alternativen Matcha domännamn exakt och Filtrera spårningskakor kan leda till att vissa kakor från vissa sidor kan blockeras. Om du har problem med kakor, prov att inaktivera dessa alternativ först! + <b>Varning:</b>Alternativen Matcha domännamn exakt och Filtrera spårningskakor kan leda till att vissa kakor från vissa sidor kan blockeras. Om du har problem med kakor, prov att inaktivera dessa alternativ först! - + Cookies Manager Kakhanterare - + + <b>SSL Certificates</b> + + + + SSL Manager SSL-hanterare - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>Notifikationer</b> - + Use OSD Notifications Använd OSD-notifikationer - + Use Native System Notifications (Linux only) Använd systemets egna notifikationssystem (endast Linux) - + Do not use Notifications Använd inte notifikationer - + Expiration timeout: Tiden löper ut: - + seconds sekunder - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Observera:</b>Du kan ändra notifikationernas placering genom att dra runt dem på skärmen. - + <b>Language</b> <b>Språk</b> - + Available translations: Tillgängliga översätningar: - + In order to change language, you must restart browser. För att byta språk måste du starta om webbläsaren. - + <b>User CSS StyleSheet</b> <b>Användarens CSS-stilblad - + StyleSheet automatically loaded with all websites: Stilblad som automatiskt laddas med alla webbsidor: - + Languages Språk - + <b>Preferred language for web sites</b> <b>Föredraget språk för hemsidor</b> @@ -2786,58 +2814,58 @@ Annat - + OSD Notification OSD-notifikationer - + Drag it on the screen to place it where you want. Flytta runt den på skämen för att placera den där du vill ha den. - + Choose download location... Välj nedladdningsdestination... - + Choose stylesheet location... Välj stilbladets plats... - + New Profile Ny profil - + Enter the new profile's name: Välj namn på den nya profilen: - - + + Error! Fel! - + This profile already exists! Denna profil finns redan! - + Cannot create profile directory! Kan inte skapa profilensökväg! - + Confirmation Bekräftelse - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Är du säker på att du permanent vill ta bort profilen"%1"? Detta kan ej göras ogjort! @@ -2900,147 +2928,147 @@ Ny flik - + Private Browsing Enabled Privat surfning aktiverat - + IP Address of current page Nuvarande sidans IP-adress - + &Tools &Verktyg - + &Help &Hjälp - + &Bookmarks &Bokmärken - + Hi&story Hi&storik - + &File &Fil - + &New Window &Nytt fönster - + New Tab Ny flik - + Open Location Öppna plats - + Open &File Öppna &fil - + Close Tab Stäng flik - + Close Window Stäng fönster - + &Save Page As... &Spara sida som... - + Save Page Screen Spara skärmbild - + Send Link... Skicka länk... - + &Print &Skriv ut - + Import bookmarks... Importera bokmärken... - + Quit Avsluta - + &Edit &Redigera - + &Undo &Ångra - + &Redo &Gör om - + &Cut &Klipp ut - + C&opy K&opiera - + &Paste K&listra in - + &Delete &Ta bort - + Select &All Markera &allt - + &Find &Hitta - + Pr&eferences &Inställningar @@ -3050,87 +3078,87 @@ QupZilla - + &View &Vy - + &Navigation Toolbar &Navigeringsverktygsrad - + &Bookmarks Toolbar &Bokmärkesverktygsrad - + Sta&tus Bar &Statusrad - + &Menu Bar &Menyrad - + &Fullscreen &Fullskärm - + &Stop &Stopp - + &Reload &Hämta om - + Character &Encoding &Teckenkodning - + Bookmarks Bokmärken - + History Historik - + Toolbars Verktygsrader - + Sidebars Sidorader - + Zoom &In Zooma &in - + Zoom &Out Zooma &ut - + Reset Återställ - + &Page Source &Källkod @@ -3150,81 +3178,81 @@ Mest besökta - + Restore &Closed Tab Återställ &stängd flik - + (Private Browsing) (Privat surfning) - + Bookmark &This Page Bokmärk &denna sida - + Bookmark &All Tabs Bokmärk &alla flikar - + Organize &Bookmarks Organisera &bokmärken - - - - - + + + + + Empty Tom - + &Back &Bakåt - + &Forward &Framåt - + &Home &Hem - + Show &All History Visa &all historik - + Restore All Closed Tabs Återställ alla stängda flikar - + Clear list Rensa lista - + About &Qt Om &Qt - + Information about application Information om programmet - + &About QupZilla &Om QupZilla @@ -3233,107 +3261,107 @@ Information om programmet - + Report &Issue Rapportera &problem - + &Web Search &Webbsökning - + Page &Info Sid&information - + &Download Manager &Nedladdningshanterare - + &Cookies Manager &Kakhanterare - + &AdBlock &Reklamblockering - + RSS &Reader RSS-&läsare - + Clear Recent &History Rensa senaste &historik - + &Private Browsing &Privat surfning - + Other Annat - + Default Standard - + %1 - QupZilla %1 - QupZilla - + Open file... Öppna fil... - + Are you sure you want to turn on private browsing? Är du säker på att du vill aktivera privat surfning? - + When private browsing is turned on, some actions concerning your privacy will be disabled: När privat surfning aktiveras stängs vissa integritetsrelaterade funktioner av: - + Webpages are not added to the history. Hemsidor sparas inte i historiken. - + Current cookies cannot be accessed. Nuvarande kakor kan inte kommas åt. - + Your session is not stored. Din session sparas inte. - + Until you close the window, you can still click the Back and Forward buttons to return to the webpages you have opened. Fram till att du stänger fönstret kan du använda Bakåt/Framåt-knapparna för att återvända till sidor du besökt. - + Start Private Browsing Aktivera privat surfning - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Det finns fortfarande %1 öppna flikar och din session kommer inte att sparas. Är du säker på att du vill avsluta QupZilla? @@ -3346,60 +3374,60 @@ QupZillaSchemeReply - + No Error Inga fel - + Not Found Inte hittad - - + + Report Issue Rapportera problem - + Your E-mail Din e-post - + Issue type Problemets art - + Issue description Problembeskrivning - + Send Skicka - + Start Page Hemsida - + Google Search Googlesökning - + Search results provided by Google Sökresultat från Google - - - + + + About QupZilla Om QupZilla @@ -3408,217 +3436,217 @@ Information om version - + Browser Identification Webbläsaridentifiering - + Paths Sökvägar - + Copyright Upphovsrätt - + Version Version - + WebKit version WebKit-version - + Build time Byggdatum - + Platform Plattform - + Profile Profil - + Settings Inställningar - + Saved session Sparad session - + Pinned tabs Nålade flikar - + Data Data - + Themes Teman - + Plugins Insticksmoduler - + Translations Översättningar - + Main developer Huvudutvecklare - + Contributors Bidragare - + Translators Översättare - + Speed Dial Speed Dial - + Add New Page Lägg till ny sida - + Apply Verkställ - + Speed Dial settings Speed Dial-inställningar - + Placement: Placering: - + Auto Automatisk - + Cover Omslag - + Fit Passa in - + Fit Width Passa in bredd - + Fit Height Passa in höjd - + Use background image Använd bakgrundsbild - + Select image Välj bild - + Maximum pages in a row: Maximalt antal sidor på en rad: - + Change size of pages: Ändra storlek på sidor: - + Load title from page Hämta titel från sidan - + Edit Redigera - + Remove Ta bort - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-post är valfritt<br/><b>Observera:</b>Använd endast Engelska. - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: Om du upplever problem med QupZilla, prova att inaktivera alla insticksmoduler först. <br/>Om det inte löser problemet, fyll i denna blankett: - + Please fill out all required fields! Var god och fyll i alla obligatoriska fält! - + Information about version Information om version - + Reload Hämta om - + Url Url - + Title Titel - + New Page Ny sida @@ -4460,38 +4488,38 @@ Efter att ha lagt till eller tagit bort certifikats sökvägar måste QupZilla s Ny flik - + Loading... Hämtar... - + No Named Page Namnlös sida - + Actually you have %1 opened tabs För tillfället har du %1 öppna flikar - + New tab Ny flik - + Empty Tom - + Restore All Closed Tabs Återställ alla stängda flikar - + Clear list Rensa lista diff --git a/translations/zh_CN.ts b/translations/zh_CN.ts index 8bf2e6e44..af2a0cc5c 100644 --- a/translations/zh_CN.ts +++ b/translations/zh_CN.ts @@ -1189,13 +1189,13 @@ DownloadFileHelper - - + + Save file as... 另存为... - + NoNameDownload 无命名下载 @@ -1722,7 +1722,7 @@ - + .co.uk Append domain name on ALT + Enter = Should be different for every country .co.uk @@ -1736,12 +1736,12 @@ MainApplication - + Last session crashed 会话崩溃 - + <b>QupZilla crashed :-(</b><br/>Oops, the last session of QupZilla was interrupted unexpectedly. We apologize for this. Would you like to try restoring the last saved state? QupZilla上次结束时崩溃,我们非常遗憾。您要还原保存的状态吗? @@ -2204,7 +2204,7 @@ - + Note: You cannot delete active profile. 注意:您不能删除活动配置文件。 @@ -2489,85 +2489,105 @@ 删除近来的历史记录 - + + Allow HTML5 local storage + + + + + Delete local storage on close + + + + Proxy Configuration 代理配置 - + HTTP - + SOCKS5 - + Port: 端口: - + Username: 用户名: - + Password: 密码: - + Don't use on: 不要使用: - + Manual configuration 手动配置 - + System proxy configuration 系统代理配置 - + Do not use proxy 不使用代理 - + <b>Font Families</b> <b>字体系列</b> - + Standard 标准字体 - + Fixed 等宽字体 - + Serif 衬线字体 - + Sans Serif 无衬线字体 - + Cursive 手写字体 + + + Filter tracking cookies + + + + + <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! + + Default Font 默认字体 @@ -2577,190 +2597,198 @@ 等宽字体 - + Fantasy 幻想字体 - + <b>Font Sizes</b> - + Fixed Font Size - + Default Font Size - + Minimum Font Size - + Minimum Logical Font Size - + <b>Download Location</b> <b>下载位置</ b> - + Ask everytime for download location 每次询问下载位置 - + Use defined location: 使用定义的位置: - - + + ... ... - + <b>Download Options</b> <b>下载选项</ B> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) 使用本地系统文件对话框 (可能会导致下载SSL保护内容的问题) - + Close download manager when downloading finishes 下载完成后关闭下载管理器 - + <b>AutoFill options</b> <B>自动填充选项</ B> - + Allow saving passwords from sites 允许保存网站密码 - + <b>Cookies</b> <b>Cookies</b> - Filter Tracking Cookies - 追踪cookies + 追踪cookies - + Allow storing of cookies 允许存储cookie - + Delete cookies on close 关闭后删除cookies - + Match domain exactly 域完全匹配 - <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>警告:</ B>匹配域完全和过滤器跟踪Cookie选项可能会导致拒绝网站的一些cookies,如果您的cookie有问题,尝试禁用这个选项! + <b>警告:</ B>匹配域完全和过滤器跟踪Cookie选项可能会导致拒绝网站的一些cookies,如果您的cookie有问题,尝试禁用这个选项! - + Cookies Manager 管理Cookies - + + <b>SSL Certificates</b> + + + + SSL Manager 管理SSL - + + Edit CA certificates in SSL Manager + + + + <b>Notifications</b> <b>通知</b> - + Use OSD Notifications 使用OSD的通知 - + Use Native System Notifications (Linux only) 使用本机的系统通知(仅限Linux) - + Do not use Notifications 不要使用通知 - + Expiration timeout: 到期超时: - + seconds - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>注意:</ b>您可以在屏幕上拖动以改变OSD​​通知的位置。 - + <b>Language</b> <b>语言</ B> - + Available translations: 可用的翻译: - + In order to change language, you must restart browser. 要改变语言,你必须重新启动浏览器。 - + <b>User CSS StyleSheet</b> <b>用户CSS样式表</ B> - + StyleSheet automatically loaded with all websites: 所有的网站自动加载样式表: - + Languages 语言 - + <b>Preferred language for web sites</b> <b>网站首选的语言</ B> @@ -2770,58 +2798,58 @@ 外观 - + OSD Notification OSD的通知 - + Drag it on the screen to place it where you want. 在屏幕上拖动它到你想要的地方。 - + Choose download location... 选择下载位置... ... - + Choose stylesheet location... 选择样式表的位置... - + New Profile 新的配置文件 - + Enter the new profile's name: 输入新配置文件的名称: - - + + Error! 错误! - + This profile already exists! 此配置文件已经存在! - + Cannot create profile directory! 无法创建配置文件目录! - + Confirmation 确认 - + Are you sure to permanently delete "%1" profile? This action cannot be undone! 您确定要永久删除“%1”个人资料吗?这将无法复原! @@ -2880,127 +2908,127 @@ 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 @@ -3010,102 +3038,102 @@ - + &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 @@ -3125,76 +3153,76 @@ - + Restore &Closed Tab 还原关闭的标签&C - + (Private Browsing) (私人浏览) - + Bookmark &This Page 收藏本页&T - + Bookmark &All Tabs 收藏全部标签页&A - + Organize &Bookmarks 组织书签&B - - - - - + + + + + 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 @@ -3203,117 +3231,117 @@ 软件信息 - + Report &Issue 报告及发行&I - + &Web Search &W网页搜索 - + Page &Info 网页信息&I - + &Download Manager 下载管理&D - + &Cookies Manager 管理Cookies&C - + &AdBlock &AdBlock - + RSS &Reader RSS阅读器&R - + Clear Recent &History 清除最近的历史&H - + &Private Browsing 隐私浏览&P - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? 还有%1打开的标签和您的会话将不会被储存。你一定要退出吗? - + Pr&eferences 首选项&e - + Information about application - + Other 其他 - + Default 默认 - + %1 - QupZilla - + 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 开始隐私浏览 @@ -3330,12 +3358,12 @@ QupZillaSchemeReply - + No Error 没有错误 - + Not Found 未找到 @@ -3344,28 +3372,28 @@ 如果您的QupZilla遇到问题,请首先尝试禁用所有插件。 <br/>如果没有帮助,那么请填写此表格: - + Your E-mail 您的电子信箱 - + Issue type 问题类型 - - + + Report Issue 报告问题 - + Issue description 问题描述 - + Send 发送 @@ -3374,24 +3402,24 @@ 请填写所有必填字段! - + Start Page 起始页 - + Google Search 谷歌搜索 - + Search results provided by Google 由Google提供的搜索结果 - - - + + + About QupZilla 关于 QupZilla @@ -3400,217 +3428,217 @@ 版本信息 - + Browser Identification 浏览器标识 - + Paths 路径 - + Copyright 版权所有 - + Version 版本 - + WebKit version Webkit版本 - + Build time 构建时间 - + Platform 平台 - + Profile 配置文件 - + Settings 设置 - + Saved session 保存的会话 - + Pinned tabs 固定选项卡 - + Data 数据 - + Themes 主题 - + Plugins 插件 - + Translations 翻译 - + Main developer 主要开发者 - + Contributors 贡献者 - + Translators 翻译 - + Speed Dial 快速拨号 - + Add New Page 添加新网页 - + Apply 应用 - + Speed Dial settings - + Placement: - + Auto - + Cover - + Fit - + Fit Width - + Fit Height - + Use background image - + Select image - + Maximum pages in a row: - + Change size of pages: - + Load title from page 从网页载入标题 - + Edit 编辑 - + Remove 删除 - + E-mail is optional<br/><b>Note: </b>Please use English language only. E-mail是可选的<br/><b>注意:</b>请只使用英语。 - + If you are experiencing problems with QupZilla, please try to disable all plugins first. <br/>If this does not fix it, then please fill out this form: - + Please fill out all required fields! - + Information about version - + Reload 刷新 - + Url 地址 - + Title 标题 - + New Page 新网页 @@ -4450,38 +4478,38 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 新标签 - + Loading... 载入中... - + No Named Page 无命名页面 - + Actually you have %1 opened tabs 你已有%1打开的标签 - + New tab 新标签 - + Empty 空页面 - + Restore All Closed Tabs 还原关闭的标签 - + Clear list 清除列表