diff --git a/.gitignore b/.gitignore index d70a4e91e..6865161d7 100644 --- a/.gitignore +++ b/.gitignore @@ -26,3 +26,5 @@ Thumbs.db tests/modeltest *.pdb *.ilk +*.kdev4 +*.swp diff --git a/linux/applications/qupzilla.desktop b/linux/applications/qupzilla.desktop index a8f0b8684..be8fafcd0 100644 --- a/linux/applications/qupzilla.desktop +++ b/linux/applications/qupzilla.desktop @@ -8,6 +8,7 @@ Type=Application Icon=qupzilla Categories=Network;WebBrowser; Comment=A fast and secure web browser +Comment [ca]=Un navegador ràpid i segur Comment[cs]=Rychlý a bezpečný webový prohlížeč Comment[de]=Ein schneller und sicherer Web Browser Comment[el]=Ένας γρήγορος και ασφαλής περιηγητής ιστού @@ -33,6 +34,7 @@ Comment[zh_CN]=安全又快速的浏览器 Comment[ja]=高速で安全なブラウザ Comment[fa]=مرورگر سبک و ایمن وب GenericName=Web Browser +GenericName[ca]=Navegador web GenericName[cs]=Webový prohlížeč GenericName[de]=Web Browser GenericName[el]=Περιηγητής ιστού @@ -65,6 +67,7 @@ X-Ayatana-Desktop-Shortcuts=NewTab;NewWindow;PrivateBrowsing; [X-NewTab Shortcut Group] Name=Open new tab +Name[ca]=Obre una nova pestanya Name[cs]=Otevřít nový panel Name[de]=Neuen Tab öffnen Name[el]=Άνοιγμα νέας καρτέλας @@ -94,6 +97,7 @@ TargetEnvironment=Unity [X-NewWindow Shortcut Group] Name=Open new window +Name[ca]=Obre una nova finestra Name[cs]=Otevřít nové okno Name[de]=Neues Fenster öffnen Name[el]=Άνοιγμα νέου παράθυρου @@ -123,6 +127,7 @@ TargetEnvironment=Unity [X-PrivateBrowsing Shortcut Group] Name=Start private browsing +Name[ca]=Inicia la navegació privada Name[cs]=Spustit soukromé prohlížení Name[de]=Privaten Modus starten Name[el]=Έναρξη ιδιωτικής περιήγησης diff --git a/src/lib/app/mainapplication.cpp b/src/lib/app/mainapplication.cpp index 375ba4054..af6bbbe72 100644 --- a/src/lib/app/mainapplication.cpp +++ b/src/lib/app/mainapplication.cpp @@ -50,6 +50,7 @@ #include "useragentmanager.h" #include "restoremanager.h" #include "proxystyle.h" +#include "registerqappassociation.h" #ifdef Q_OS_MAC #include @@ -93,6 +94,7 @@ MainApplication::MainApplication(int &argc, char** argv) , m_isRestoring(false) , m_startingAfterCrash(false) , m_databaseConnected(false) + , m_registerQAppAssociation(0) { #if defined(Q_WS_X11) && !defined(NO_SYSTEM_DATAPATH) DATADIR = USE_DATADIR; @@ -254,10 +256,17 @@ MainApplication::MainApplication(int &argc, char** argv) int afterLaunch = settings.value("Web-URL-Settings/afterLaunch", 1).toInt(); settings.setValue("SessionRestore/isRunning", true); +#ifndef PORTABLE_BUILD + bool alwaysCheckDefaultBrowser = settings.value("Web-Browser-Settings/CheckDefaultBrowser", DEFAULT_CHECK_DEFAULTBROWSER).toBool(); + if (alwaysCheckDefaultBrowser) { + alwaysCheckDefaultBrowser = checkDefaultWebBrowser(); + settings.setValue("Web-Browser-Settings/CheckDefaultBrowser", alwaysCheckDefaultBrowser); + } +#endif + if (checkUpdates) { new Updater(qupzilla); } - if (m_startingAfterCrash || afterLaunch == 3) { m_restoreManager = new RestoreManager(m_activeProfil + "session.dat"); } @@ -665,6 +674,7 @@ void MainApplication::saveSettings() m_networkmanager->saveCertificates(); m_plugins->shutdown(); qIconProvider->saveIconsToDatabase(); + clearTempPath(); AdBlockManager::instance()->save(); QFile::remove(currentProfilePath() + "WebpageIcons.db"); @@ -807,12 +817,46 @@ void MainApplication::reloadUserStyleSheet() settings.endGroup(); } +bool MainApplication::checkDefaultWebBrowser() +{ + bool showAgain = true; + if (!associationManager()->isDefaultForAllCapabilities()) { + CheckMessageBox notDefaultDialog(&showAgain, getWindow()); + notDefaultDialog.setWindowTitle(tr("Default Browser")); + notDefaultDialog.setMessage(tr("QupZilla is not currently your default browser. Would you like to make it your default browser?")); + notDefaultDialog.setPixmap(style()->standardIcon(QStyle::SP_MessageBoxWarning).pixmap(32, 32)); + notDefaultDialog.setShowAgainText(tr("Always perform this check when starting QupZilla.")); + + if (notDefaultDialog.exec() == QDialog::Accepted) { + associationManager()->registerAllAssociation(); + } + } + + return showAgain; +} + +RegisterQAppAssociation* MainApplication::associationManager() +{ + if (!m_registerQAppAssociation) { + QString desc = tr("QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework."); + QString fileIconPath = QApplication::applicationFilePath() + ",1"; + QString appIconPath = QApplication::applicationFilePath() + ",0"; + m_registerQAppAssociation = new RegisterQAppAssociation("QupZilla", QApplication::applicationFilePath(), appIconPath, desc, this); + m_registerQAppAssociation->addCapability(".html", "QupZilla.HTML", "HTML File", fileIconPath, RegisterQAppAssociation::FileAssociation); + m_registerQAppAssociation->addCapability(".htm", "QupZilla.HTM", "HTM File", fileIconPath, RegisterQAppAssociation::FileAssociation); + m_registerQAppAssociation->addCapability("http", "QupZilla.HTTP", "URL:HyperText Transfer Protocol", appIconPath, RegisterQAppAssociation::UrlAssociation); + m_registerQAppAssociation->addCapability("https", "QupZilla.HTTPS", "URL:HyperText Transfer Protocol with Privacy", appIconPath, RegisterQAppAssociation::UrlAssociation); + } + return m_registerQAppAssociation; +} + QUrl MainApplication::userStyleSheet(const QString &filePath) const { // Set default white background for all sites // Fixes issue with dark themes when sites don't set background - QString userStyle = AdBlockManager::instance()->elementHidingRules() + "{ display:none !important;}"; + QString userStyle /*= "body{background-color:white;}"*/; + userStyle += AdBlockManager::instance()->elementHidingRules() + "{ display:none !important;}"; QFile file(filePath); if (!filePath.isEmpty() && file.open(QFile::ReadOnly)) { @@ -992,6 +1036,27 @@ QString MainApplication::currentStyle() const return m_proxyStyle->baseStyle()->objectName(); } +void MainApplication::clearTempPath() +{ + QString path = PROFILEDIR + "tmp/"; + QDir dir(path); + + if (dir.exists()) { + qz_removeDir(path); + } +} + +QString MainApplication::tempPath() const +{ + QString path = PROFILEDIR + "tmp/"; + QDir dir(path); + if (!dir.exists()) { + dir.mkdir(path); + } + + return path; +} + MainApplication::~MainApplication() { delete m_uaManager; diff --git a/src/lib/app/mainapplication.h b/src/lib/app/mainapplication.h index 39782351a..61e3c988c 100644 --- a/src/lib/app/mainapplication.h +++ b/src/lib/app/mainapplication.h @@ -49,6 +49,7 @@ class SearchEnginesManager; class DatabaseWriter; class UserAgentManager; class ProxyStyle; +class RegisterQAppAssociation; class QT_QUPZILLA_EXPORT MainApplication : public QtSingleApplication { @@ -83,9 +84,11 @@ public: bool checkSettingsDir(); void destroyRestoreManager(); + void clearTempPath(); void setProxyStyle(ProxyStyle* style); QString currentStyle() const; + QString tempPath() const; QupZilla* getWindow(); CookieManager* cookieManager(); @@ -106,6 +109,7 @@ public: DatabaseWriter* dbWriter() { return m_dbWriter; } UserAgentManager* uaManager() { return m_uaManager; } RestoreManager* restoreManager() { return m_restoreManager; } + RegisterQAppAssociation* associationManager(); #ifdef Q_OS_MAC bool event(QEvent* e); @@ -121,6 +125,7 @@ public slots: void startPrivateBrowsing(); void reloadUserStyleSheet(); + bool checkDefaultWebBrowser(); signals: void message(Qz::AppMessageType mes, bool state); @@ -173,6 +178,8 @@ private: bool m_databaseConnected; QList m_postLaunchActions; + + RegisterQAppAssociation* m_registerQAppAssociation; }; #endif // MAINAPPLICATION_H diff --git a/src/lib/app/qupzilla.cpp b/src/lib/app/qupzilla.cpp index 38c1e8fa5..fbda28124 100644 --- a/src/lib/app/qupzilla.cpp +++ b/src/lib/app/qupzilla.cpp @@ -309,7 +309,14 @@ void QupZilla::setupMenu() m_actionQuit = new QAction(QIcon::fromTheme("application-exit"), tr("Quit"), 0); m_actionQuit->setMenuRole(QAction::QuitRole); - m_actionQuit->setShortcut(QKeySequence(QKeySequence::Quit)); + QKeySequence quitSequence = QKeySequence(QKeySequence::Quit); +#ifdef Q_WS_X11 + // QKeySequence::Quit returns a non-empty sequence on X11 only when running Gnome or Kde + if (quitSequence.isEmpty()) { + quitSequence = QKeySequence(Qt::CTRL + Qt::Key_Q); + } +#endif + m_actionQuit->setShortcut(quitSequence); connect(m_actionQuit, SIGNAL(triggered()), this, SLOT(quitApp())); /************* @@ -317,7 +324,7 @@ void QupZilla::setupMenu() *************/ m_menuFile = new QMenu(tr("&File")); m_menuFile->addAction(QIcon::fromTheme("window-new"), tr("&New Window"), this, SLOT(newWindow()))->setShortcut(QKeySequence("Ctrl+N")); - m_menuFile->addAction(QIcon(":/icons/menu/popup.png"), tr("New Tab"), this, SLOT(addTab()))->setShortcut(QKeySequence("Ctrl+T")); + m_menuFile->addAction(QIcon(":/icons/menu/new-tab.png"), tr("New Tab"), this, SLOT(addTab()))->setShortcut(QKeySequence("Ctrl+T")); m_menuFile->addAction(QIcon::fromTheme("document-open-remote"), tr("Open Location"), this, SLOT(openLocation()))->setShortcut(QKeySequence("Ctrl+L")); m_menuFile->addAction(QIcon::fromTheme("document-open"), tr("Open &File"), this, SLOT(openFile()))->setShortcut(QKeySequence("Ctrl+O")); m_menuFile->addAction(tr("Close Tab"), m_tabWidget, SLOT(closeTab()))->setShortcut(QKeySequence("Ctrl+W")); @@ -582,9 +589,13 @@ void QupZilla::loadSettings() m_webViewWidth = settings.value("WebViewWidth", 2000).toInt(); const QString &activeSideBar = settings.value("SideBar", "None").toString(); settings.endGroup(); - bool adBlockEnabled = settings.value("AdBlock/enabled", true).toBool(); - m_adblockIcon->setEnabled(adBlockEnabled); + settings.beginGroup("Shortcuts"); + m_useTabNumberShortcuts = settings.value("useTabNumberShortcuts", true).toBool(); + m_useSpeedDialNumberShortcuts = settings.value("useSpeedDialNumberShortcuts", true).toBool(); + settings.endGroup(); + + m_adblockIcon->setEnabled(settings.value("AdBlock/enabled", true).toBool()); statusBar()->setVisible(showStatusBar); m_bookmarksToolbar->setVisible(showBookmarksToolbar); @@ -1727,14 +1738,14 @@ void QupZilla::keyPressEvent(QKeyEvent* event) } if (number != -1) { - if (event->modifiers() & Qt::AltModifier) { + if (event->modifiers() & Qt::AltModifier && m_useTabNumberShortcuts) { if (number == 9) { number = m_tabWidget->count(); } m_tabWidget->setCurrentIndex(number - 1); return; } - if (event->modifiers() & Qt::ControlModifier) { + if (event->modifiers() & Qt::ControlModifier && m_useSpeedDialNumberShortcuts) { const QUrl &url = mApp->plugins()->speedDial()->urlForShortcut(number - 1); if (url.isValid()) { loadAddress(url); diff --git a/src/lib/app/qupzilla.h b/src/lib/app/qupzilla.h index 9d27d73cb..908a3a585 100644 --- a/src/lib/app/qupzilla.h +++ b/src/lib/app/qupzilla.h @@ -283,8 +283,12 @@ private: int m_webViewWidth; bool m_usingTransparentBackground; - //Used for F11 FullScreen remember visibility - //of menubar and statusbar + // Shortcuts + bool m_useTabNumberShortcuts; + bool m_useSpeedDialNumberShortcuts; + + // Used for F11 FullScreen remember visibility + // of menubar and statusbar bool m_menuBarVisible; bool m_statusBarVisible; bool m_navigationVisible; diff --git a/src/lib/app/qz_namespace.h b/src/lib/app/qz_namespace.h index 08c15f8d5..8355361ae 100644 --- a/src/lib/app/qz_namespace.h +++ b/src/lib/app/qz_namespace.h @@ -96,8 +96,10 @@ Q_DECLARE_OPERATORS_FOR_FLAGS(Qz::NewTabPositionFlags) #ifdef Q_OS_WIN #define DEFAULT_CHECK_UPDATES true +#define DEFAULT_CHECK_DEFAULTBROWSER true #else #define DEFAULT_CHECK_UPDATES false +#define DEFAULT_CHECK_DEFAULTBROWSER false #endif #ifdef Q_OS_WIN diff --git a/src/lib/data/icons.qrc b/src/lib/data/icons.qrc index bf432a452..38f376f65 100644 --- a/src/lib/data/icons.qrc +++ b/src/lib/data/icons.qrc @@ -19,7 +19,7 @@ icons/locationbar/unknownpage.png icons/menu/history.png icons/menu/history_entry.png - icons/menu/popup.png + icons/menu/new-tab.png icons/menu/qt.png icons/menu/rss.png icons/other/about.png @@ -68,5 +68,7 @@ icons/sites/wikipedia.png icons/sites/yahoo.png icons/sites/youtube.png + icons/preferences/preferences-desktop-keyboard-shortcuts.png + icons/menu/tab.png diff --git a/src/lib/data/icons/menu/new-tab.png b/src/lib/data/icons/menu/new-tab.png new file mode 100644 index 000000000..d6c5f64e4 Binary files /dev/null and b/src/lib/data/icons/menu/new-tab.png differ diff --git a/src/lib/data/icons/menu/popup.png b/src/lib/data/icons/menu/popup.png deleted file mode 100644 index 8e103fc76..000000000 Binary files a/src/lib/data/icons/menu/popup.png and /dev/null differ diff --git a/src/lib/data/icons/menu/tab.png b/src/lib/data/icons/menu/tab.png new file mode 100644 index 000000000..d49627c9e Binary files /dev/null and b/src/lib/data/icons/menu/tab.png differ diff --git a/src/lib/data/icons/preferences/preferences-desktop-keyboard-shortcuts.png b/src/lib/data/icons/preferences/preferences-desktop-keyboard-shortcuts.png new file mode 100644 index 000000000..5b51639a3 Binary files /dev/null and b/src/lib/data/icons/preferences/preferences-desktop-keyboard-shortcuts.png differ diff --git a/src/lib/desktopnotifications/desktopnotificationsfactory.cpp b/src/lib/desktopnotifications/desktopnotificationsfactory.cpp index 00bce5f51..9cff4a01e 100644 --- a/src/lib/desktopnotifications/desktopnotificationsfactory.cpp +++ b/src/lib/desktopnotifications/desktopnotificationsfactory.cpp @@ -78,7 +78,7 @@ void DesktopNotificationsFactory::showNotification(const QPixmap &icon, const QS break; case DesktopNative: #if defined(Q_WS_X11) && !defined(DISABLE_DBUS) - QFile tmp(QDir::tempPath() + "/qupzilla_notif.png"); + QFile tmp(mApp->tempPath() + "/qupzilla_notif.png"); tmp.open(QFile::WriteOnly); icon.save(tmp.fileName()); @@ -105,7 +105,7 @@ void DesktopNotificationsFactory::showNotification(const QPixmap &icon, const QS void DesktopNotificationsFactory::nativeNotificationPreview() { #if defined(Q_WS_X11) && !defined(DISABLE_DBUS) - QFile tmp(QDir::tempPath() + "/qupzilla_notif.png"); + QFile tmp(mApp->tempPath() + "/qupzilla_notif.png"); tmp.open(QFile::WriteOnly); QPixmap(":icons/preferences/dialog-question.png").save(tmp.fileName()); diff --git a/src/lib/downloads/downloadfilehelper.cpp b/src/lib/downloads/downloadfilehelper.cpp index e871c5d1e..e805b3c98 100644 --- a/src/lib/downloads/downloadfilehelper.cpp +++ b/src/lib/downloads/downloadfilehelper.cpp @@ -182,7 +182,7 @@ void DownloadFileHelper::optionsDialogAccepted(int finish) } } else { - fileNameChoosed(QDir::tempPath() + "/" + m_h_fileName, true); + fileNameChoosed(mApp->tempPath() + "/" + m_h_fileName, true); } } @@ -210,7 +210,7 @@ void DownloadFileHelper::fileNameChoosed(const QString &name, bool fileNameAutoG m_fileName = qz_ensureUniqueFilename(m_fileName); } - if (!m_path.contains(QDir::tempPath())) { + if (!m_path.contains(mApp->tempPath())) { m_lastDownloadPath = m_path; } diff --git a/src/lib/history/historymodel.cpp b/src/lib/history/historymodel.cpp index 0a18e1a80..aff160bd5 100644 --- a/src/lib/history/historymodel.cpp +++ b/src/lib/history/historymodel.cpp @@ -450,11 +450,14 @@ void HistoryModel::init() return; } + const qint64 &minTimestamp = query.value(0).toLongLong(); + if (minTimestamp <= 0) { + return; + } + const QDate &today = QDate::currentDate(); const QDate &week = today.addDays(1 - today.dayOfWeek()); const QDate &month = QDate(today.year(), today.month(), 1); - - const qint64 &minTimestamp = query.value(0).toLongLong(); const qint64 ¤tTimestamp = QDateTime::currentMSecsSinceEpoch(); qint64 timestamp = currentTimestamp; diff --git a/src/lib/lib.pro b/src/lib/lib.pro index 28d3b18dc..6ac168f8e 100644 --- a/src/lib/lib.pro +++ b/src/lib/lib.pro @@ -188,7 +188,8 @@ SOURCES += \ session/restoremanager.cpp \ network/schemehandlers/qupzillaschemehandler.cpp \ network/schemehandlers/adblockschemehandler.cpp \ - network/schemehandlers/fileschemehandler.cpp + network/schemehandlers/fileschemehandler.cpp \ + other/registerqappassociation.cpp HEADERS += \ webview/tabpreview.h \ @@ -324,7 +325,6 @@ HEADERS += \ tools/focusselectlineedit.h \ navigation/completer/locationcompleterdelegate.h \ navigation/completer/locationcompleter.h \ - navigation/completer/locationcompletermodel.h \ navigation/completer/locationcompleterview.h \ history/history.h \ history/historymodel.h \ @@ -345,7 +345,8 @@ HEADERS += \ network/schemehandlers/schemehandler.h \ network/schemehandlers/qupzillaschemehandler.h \ network/schemehandlers/adblockschemehandler.h \ - network/schemehandlers/fileschemehandler.h + network/schemehandlers/fileschemehandler.h \ + other/registerqappassociation.h FORMS += \ preferences/autofillmanager.ui \ diff --git a/src/lib/navigation/completer/locationcompleter.cpp b/src/lib/navigation/completer/locationcompleter.cpp index d758c5aa4..d7849e422 100644 --- a/src/lib/navigation/completer/locationcompleter.cpp +++ b/src/lib/navigation/completer/locationcompleter.cpp @@ -27,6 +27,7 @@ LocationCompleterModel* LocationCompleter::s_model = 0; LocationCompleter::LocationCompleter(QObject* parent) : QObject(parent) , m_locationBar(0) + , m_ignoreCurrentChangedSignal(false) { if (!s_view) { s_model = new LocationCompleterModel; @@ -63,6 +64,10 @@ void LocationCompleter::showMostVisited() void LocationCompleter::currentChanged(const QModelIndex &index) { + if (m_ignoreCurrentChangedSignal) { + return; + } + QString completion = index.data().toString(); if (completion.isEmpty()) { @@ -77,6 +82,7 @@ void LocationCompleter::popupClosed() disconnect(s_view->selectionModel(), SIGNAL(currentChanged(QModelIndex, QModelIndex)), this, SLOT(currentChanged(QModelIndex))); disconnect(s_view, SIGNAL(clicked(QModelIndex)), this, SIGNAL(completionActivated())); disconnect(s_view, SIGNAL(closed()), this, SLOT(popupClosed())); + disconnect(s_view, SIGNAL(aboutToActivateTab(TabPosition)), m_locationBar, SLOT(clear())); } void LocationCompleter::showPopup() @@ -102,6 +108,7 @@ void LocationCompleter::showPopup() connect(s_view->selectionModel(), SIGNAL(currentChanged(QModelIndex, QModelIndex)), this, SLOT(currentChanged(QModelIndex))); connect(s_view, SIGNAL(clicked(QModelIndex)), this, SIGNAL(completionActivated())); connect(s_view, SIGNAL(closed()), this, SLOT(popupClosed())); + connect(s_view, SIGNAL(aboutToActivateTab(TabPosition)), m_locationBar, SLOT(clear())); adjustPopupSize(); } @@ -114,7 +121,9 @@ void LocationCompleter::adjustPopupSize() popupHeight += 2 * s_view->frameWidth(); s_view->resize(s_view->width(), popupHeight); + m_ignoreCurrentChangedSignal = true; s_view->setCurrentIndex(QModelIndex()); + m_ignoreCurrentChangedSignal = false; s_view->show(); m_originalText = m_locationBar->text(); diff --git a/src/lib/navigation/completer/locationcompleter.h b/src/lib/navigation/completer/locationcompleter.h index 635d7ad65..1c54fd2ff 100644 --- a/src/lib/navigation/completer/locationcompleter.h +++ b/src/lib/navigation/completer/locationcompleter.h @@ -55,6 +55,7 @@ private: LocationBar* m_locationBar; QString m_originalText; + bool m_ignoreCurrentChangedSignal; static LocationCompleterView* s_view; static LocationCompleterModel* s_model; diff --git a/src/lib/navigation/completer/locationcompleterdelegate.cpp b/src/lib/navigation/completer/locationcompleterdelegate.cpp index 09e0f9d20..b566b806a 100644 --- a/src/lib/navigation/completer/locationcompleterdelegate.cpp +++ b/src/lib/navigation/completer/locationcompleterdelegate.cpp @@ -28,6 +28,7 @@ LocationCompleterDelegate::LocationCompleterDelegate(LocationCompleterView* pare : QStyledItemDelegate(parent) , m_rowHeight(0) , m_padding(0) + , m_drawSwitchToTab(true) , m_view(parent) { } @@ -109,8 +110,20 @@ void LocationCompleterDelegate::paint(QPainter* painter, const QStyleOptionViewI QRect linkRect(titleRect.x(), infoYPos, titleRect.width(), opt.fontMetrics.height()); QString link(opt.fontMetrics.elidedText(index.data(Qt::DisplayRole).toString(), Qt::ElideRight, linkRect.width())); painter->setFont(opt.font); + TabPosition pos = index.data(LocationCompleterModel::TabPositionRole).value(); + if (m_drawSwitchToTab && pos.windowIndex != -1) { + const QIcon tabIcon = QIcon(":icons/menu/tab.png"); + QRect iconRect(linkRect); + iconRect.setWidth(m_padding + 16 + m_padding); + tabIcon.paint(painter, iconRect); - drawHighlightedTextLine(linkRect, link, searchText, painter, style, opt, colorLinkRole); + QRect textRect(linkRect); + textRect.setX(textRect.x() + m_padding + 16 + m_padding); + drawTextLine(textRect, tr("Switch to tab"), painter, style, opt, colorLinkRole); + } + else { + drawHighlightedTextLine(linkRect, link, searchText, painter, style, opt, colorLinkRole); + } // Draw line at the very bottom of item if the item is not highlighted if (!(opt.state & QStyle::State_Selected)) { @@ -288,3 +301,9 @@ QSize LocationCompleterDelegate::sizeHint(const QStyleOptionViewItem &option, co return QSize(200, m_rowHeight); } + +void LocationCompleterDelegate::drawSwitchToTab(bool enable) +{ + m_drawSwitchToTab = enable; +} + diff --git a/src/lib/navigation/completer/locationcompleterdelegate.h b/src/lib/navigation/completer/locationcompleterdelegate.h index f1585557e..bd448c676 100644 --- a/src/lib/navigation/completer/locationcompleterdelegate.h +++ b/src/lib/navigation/completer/locationcompleterdelegate.h @@ -32,6 +32,8 @@ public: void paint(QPainter* painter, const QStyleOptionViewItem &option, const QModelIndex &index) const; QSize sizeHint(const QStyleOptionViewItem &option, const QModelIndex &index) const; + void drawSwitchToTab(bool enable); + private: void drawHighlightedTextLine(const QRect &rect, QString text, const QString &searchText, QPainter* painter, const QStyle* style, const QStyleOptionViewItemV4 &option, @@ -45,6 +47,7 @@ private: mutable int m_rowHeight; mutable int m_padding; + bool m_drawSwitchToTab; LocationCompleterView* m_view; }; diff --git a/src/lib/navigation/completer/locationcompletermodel.cpp b/src/lib/navigation/completer/locationcompletermodel.cpp index 8629f50a6..56c9810ba 100644 --- a/src/lib/navigation/completer/locationcompletermodel.cpp +++ b/src/lib/navigation/completer/locationcompletermodel.cpp @@ -19,6 +19,8 @@ #include "iconprovider.h" #include "qzsettings.h" #include "mainapplication.h" +#include "qupzilla.h" +#include "tabwidget.h" #include @@ -37,6 +39,7 @@ bool countBiggerThan(const QStandardItem* i1, const QStandardItem* i2) void LocationCompleterModel::refreshCompletions(const QString &string) { if (m_lastCompletion == string) { + refreshTabPositions(); return; } @@ -70,6 +73,9 @@ void LocationCompleterModel::refreshCompletions(const QString &string) item->setData(query.value(3), CountRole); item->setData(QVariant(true), BookmarkRole); item->setData(string, SearchStringRole); + if (qzSettings->showSwitchTab) { + item->setData(QVariant::fromValue(tabPositionForUrl(url)), TabPositionRole); + } urlList.append(url); itemList.append(item); @@ -93,6 +99,9 @@ void LocationCompleterModel::refreshCompletions(const QString &string) item->setData(query.value(3), CountRole); item->setData(QVariant(false), BookmarkRole); item->setData(string, SearchStringRole); + if (qzSettings->showSwitchTab) { + item->setData(QVariant::fromValue(tabPositionForUrl(url)), TabPositionRole); + } itemList.append(item); } @@ -120,6 +129,9 @@ void LocationCompleterModel::showMostVisited() item->setData(query.value(0), IdRole); item->setData(query.value(2), TitleRole); item->setData(QVariant(false), BookmarkRole); + if (qzSettings->showSwitchTab) { + item->setData(QVariant::fromValue(tabPositionForUrl(url)), TabPositionRole); + } appendRow(item); } @@ -186,3 +198,43 @@ QSqlQuery LocationCompleterModel::createQuery(const QString &searchString, const return sqlQuery; } + +TabPosition LocationCompleterModel::tabPositionForUrl(const QUrl &url) const +{ + return tabPositionForEncodedUrl(url.toEncoded()); +} + +TabPosition LocationCompleterModel::tabPositionForEncodedUrl(const QString &encodedUrl) const +{ + QList windows = mApp->mainWindows(); + int currentWindowIdx = windows.indexOf(mApp->getWindow()); + windows.prepend(mApp->getWindow()); + for (int win = 0; win < windows.count(); ++win) { + QupZilla* mainWin = windows.at(win); + QList tabs = mainWin->tabWidget()->allTabs(); + for (int tab = 0; tab < tabs.count(); ++tab) { + if (tabs[tab]->url().toEncoded() == encodedUrl) { + TabPosition pos; + pos.windowIndex = win == 0 ? currentWindowIdx : win - 1; + pos.tabIndex = tab; + return pos; + } + } + } + return TabPosition(); +} + +void LocationCompleterModel::refreshTabPositions() +{ + if (!qzSettings->showSwitchTab) { + return; + } + + for (int row = 0; row < rowCount(); ++row) { + QStandardItem* aItem = item(row); + if (!aItem) { + continue; + } + aItem->setData(QVariant::fromValue(tabPositionForEncodedUrl(aItem->text())), TabPositionRole); + } +} diff --git a/src/lib/navigation/completer/locationcompletermodel.h b/src/lib/navigation/completer/locationcompletermodel.h index a91b05797..587514867 100644 --- a/src/lib/navigation/completer/locationcompletermodel.h +++ b/src/lib/navigation/completer/locationcompletermodel.h @@ -20,9 +20,21 @@ #include +#include "qz_namespace.h" + class QSqlQuery; class QUrl; +struct TabPosition { + int windowIndex; + int tabIndex; + TabPosition() + : windowIndex(-1) + , tabIndex(-1) + {} +}; +Q_DECLARE_METATYPE(TabPosition) + class LocationCompleterModel : public QStandardItemModel { public: @@ -31,17 +43,14 @@ public: BookmarkRole = Qt::UserRole + 2, IdRole = Qt::UserRole + 3, SearchStringRole = Qt::UserRole + 4, - CountRole = Qt::UserRole + 5 + CountRole = Qt::UserRole + 5, + TabPositionRole = Qt::UserRole + 6 }; explicit LocationCompleterModel(QObject* parent = 0); void refreshCompletions(const QString &string); void showMostVisited(); -signals: - -public slots: - private: enum Type { HistoryAndBookmarks = 0, @@ -52,9 +61,11 @@ private: QSqlQuery createQuery(const QString &searchString, const QString &orderBy, const QList &alreadyFound, int limit, bool bookmarks = false, bool exactMatch = false); + TabPosition tabPositionForUrl(const QUrl &url) const; + TabPosition tabPositionForEncodedUrl(const QString &encodedUrl) const; + void refreshTabPositions(); QString m_lastCompletion; - }; #endif // LOCATIONCOMPLETERMODEL_H diff --git a/src/lib/navigation/completer/locationcompleterview.cpp b/src/lib/navigation/completer/locationcompleterview.cpp index 173e64d60..9ed805fed 100644 --- a/src/lib/navigation/completer/locationcompleterview.cpp +++ b/src/lib/navigation/completer/locationcompleterview.cpp @@ -17,8 +17,13 @@ * ============================================================ */ #include "locationcompleterview.h" #include "locationcompletermodel.h" +#include "locationcompleterdelegate.h" #include "mainapplication.h" +#include "qupzilla.h" #include "history.h" +#include "tabwidget.h" +#include "qzsettings.h" +#include "tabbedwebview.h" #include #include @@ -63,6 +68,20 @@ bool LocationCompleterView::eventFilter(QObject* object, QEvent* event) } switch (keyEvent->key()) { + case Qt::Key_Return: + case Qt::Key_Enter: + if (qzSettings->showSwitchTab && !(keyEvent->modifiers() & Qt::ShiftModifier)) { + QModelIndex idx = selectionModel()->currentIndex(); + if (idx.isValid()) { + TabPosition pos = idx.data(LocationCompleterModel::TabPositionRole).value(); + if (pos.windowIndex != -1) { + activateTab(pos); + return true; + } + } + } + break; + case Qt::Key_End: case Qt::Key_Home: if (keyEvent->modifiers() & Qt::ControlModifier) { @@ -134,12 +153,35 @@ bool LocationCompleterView::eventFilter(QObject* object, QEvent* event) case Qt::Key_PageUp: case Qt::Key_PageDown: return false; + + case Qt::Key_Shift: + // don't switch if there is no hovered or selected index to not disturb typing + if (qzSettings->showSwitchTab && (selectionModel()->currentIndex().isValid() || m_hoveredIndex.isValid())) { + static_cast(itemDelegate())->drawSwitchToTab(false); + viewport()->update(); + return true; + } + break; } // switch (keyEvent->key()) (static_cast(focusProxy()))->event(keyEvent); return true; } + case QEvent::KeyRelease: { + QKeyEvent* keyEvent = static_cast(event); + + switch (keyEvent->key()) { + case Qt::Key_Shift: + if (qzSettings->showSwitchTab) { + static_cast(itemDelegate())->drawSwitchToTab(true); + viewport()->update(); + return true; + } + } + } + + case QEvent::Show: m_ignoreNextMouseMove = true; break; @@ -170,6 +212,9 @@ void LocationCompleterView::close() QListView::hide(); verticalScrollBar()->setValue(0); + if (qzSettings->showSwitchTab) { + static_cast(itemDelegate())->drawSwitchToTab(true); + } } void LocationCompleterView::currentChanged(const QModelIndex ¤t, const QModelIndex &previous) @@ -203,3 +248,37 @@ void LocationCompleterView::mouseMoveEvent(QMouseEvent* event) QListView::mouseMoveEvent(event); } + +void LocationCompleterView::mouseReleaseEvent(QMouseEvent* event) +{ + if (qzSettings->showSwitchTab && !(event->modifiers() & Qt::ShiftModifier) && m_hoveredIndex.isValid()) { + TabPosition pos = m_hoveredIndex.data(LocationCompleterModel::TabPositionRole).value(); + if (pos.windowIndex != -1) { + event->accept(); + activateTab(pos); + } + else { + QListView::mouseReleaseEvent(event); + } + } + else { + QListView::mouseReleaseEvent(event); + } +} + +void LocationCompleterView::activateTab(TabPosition pos) +{ + QupZilla* win = mApp->mainWindows().at(pos.windowIndex); + if (mApp->getWindow() != win || mApp->getWindow()->tabWidget()->currentIndex() != pos.tabIndex) { + emit aboutToActivateTab(pos); + close(); + win->tabWidget()->setCurrentIndex(pos.tabIndex); + win->show(); + win->activateWindow(); + win->raise(); + } + else { + close(); + win->weView()->setFocus(); + } +} diff --git a/src/lib/navigation/completer/locationcompleterview.h b/src/lib/navigation/completer/locationcompleterview.h index b6a8545fd..f1ab04088 100644 --- a/src/lib/navigation/completer/locationcompleterview.h +++ b/src/lib/navigation/completer/locationcompleterview.h @@ -21,6 +21,7 @@ #include #include "qz_namespace.h" +#include "locationcompletermodel.h" class QT_QUPZILLA_EXPORT LocationCompleterView : public QListView { @@ -34,15 +35,18 @@ public: signals: void closed(); + void aboutToActivateTab(TabPosition pos); public slots: void close(); private slots: void currentChanged(const QModelIndex ¤t, const QModelIndex &previous); + void activateTab(TabPosition pos); protected: void mouseMoveEvent(QMouseEvent* event); + void mouseReleaseEvent(QMouseEvent* event); private: bool m_ignoreNextMouseMove; diff --git a/src/lib/navigation/websearchbar.cpp b/src/lib/navigation/websearchbar.cpp index 1361f9472..42a759ac3 100644 --- a/src/lib/navigation/websearchbar.cpp +++ b/src/lib/navigation/websearchbar.cpp @@ -174,6 +174,8 @@ void WebSearchBar::setupEngines() void WebSearchBar::searchChanged(const ButtonWithMenu::Item &item) { + selectAll(); + setFocus(); setPlaceholderText(item.text); m_completerModel->setStringList(QStringList()); diff --git a/src/lib/other/qzsettings.cpp b/src/lib/other/qzsettings.cpp index d0aae3d10..6fce57f39 100644 --- a/src/lib/other/qzsettings.cpp +++ b/src/lib/other/qzsettings.cpp @@ -32,6 +32,7 @@ void QzSettings::loadSettings() addCountryWithAlt = settings.value("AddCountryDomainWithAltKey", true).toBool(); showLoadingProgress = settings.value("ShowLoadingProgress", false).toBool(); showLocationSuggestions = settings.value("showSuggestions", 0).toInt(); + showSwitchTab = settings.value("showSwitchTab", true).toBool(); settings.endGroup(); settings.beginGroup("SearchEngines"); diff --git a/src/lib/other/qzsettings.h b/src/lib/other/qzsettings.h index f341e6ba2..b5a452606 100644 --- a/src/lib/other/qzsettings.h +++ b/src/lib/other/qzsettings.h @@ -37,6 +37,7 @@ public: bool addCountryWithAlt; bool showLoadingProgress; int showLocationSuggestions; + bool showSwitchTab; // SearchEngines bool showSearchSuggestions; diff --git a/src/lib/other/registerqappassociation.cpp b/src/lib/other/registerqappassociation.cpp new file mode 100644 index 000000000..43269427b --- /dev/null +++ b/src/lib/other/registerqappassociation.cpp @@ -0,0 +1,499 @@ +/* ============================================================ +* Copyright (C) 2012 S. Razi Alavizadeh +* This file is part of QupZilla - WebKit based browser 2010-2012 +* by David Rosca +* +* This program is free software: you can redistribute it and/or modify +* it under the terms of the GNU General Public License as published by +* the Free Software Foundation, either version 3 of the License, or +* (at your option) any later version. +* +* This program is distributed in the hope that it will be useful, +* but WITHOUT ANY WARRANTY; without even the implied warranty of +* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +* GNU General Public License for more details. +* +* You should have received a copy of the GNU General Public License +* along with this program. If not, see . +* ============================================================ */ + +#include "registerqappassociation.h" + +#ifdef Q_OS_WIN +#include "ShlObj.h" +#include +#endif + +#include +#include +#include + +RegisterQAppAssociation::RegisterQAppAssociation(QObject* parent) : + QObject(parent) +{ + setPerMachineRegisteration(false); +} + +RegisterQAppAssociation::RegisterQAppAssociation(const QString &appRegisteredName, const QString &appPath, const QString &appIcon, + const QString &appDesc, QObject* parent) + : QObject(parent) +{ + setPerMachineRegisteration(false); + setAppInfo(appRegisteredName, appPath, appIcon, appDesc); +} + +RegisterQAppAssociation::~RegisterQAppAssociation() +{ +} + +void RegisterQAppAssociation::addCapability(const QString &assocName, const QString &progId, + const QString &desc, const QString &iconPath, AssociationType type) +{ + _assocDescHash.insert(progId, QPair(desc, QDir::toNativeSeparators(iconPath))); + switch (type) { + case FileAssociation: + _fileAssocHash.insert(assocName, progId); + break; + case UrlAssociation: + _urlAssocHash.insert(assocName, progId); + break; + + default: + break; + } +} + +void RegisterQAppAssociation::removeCapability(const QString &assocName) +{ + _fileAssocHash.remove(assocName); + _urlAssocHash.remove(assocName); +} + +void RegisterQAppAssociation::setAppInfo(const QString &appRegisteredName, const QString &appPath, + const QString &appIcon, const QString &appDesc) +{ + _appRegisteredName = appRegisteredName; + _appPath = QDir::toNativeSeparators(appPath); + _appIcon = QDir::toNativeSeparators(appIcon); + _appDesc = appDesc; +} + +bool RegisterQAppAssociation::isPerMachineRegisteration() +{ +#ifdef Q_OS_WIN + return (_UserRootKey == "HKEY_LOCAL_MACHINE"); +#else + return false; +#endif +} + +void RegisterQAppAssociation::setPerMachineRegisteration(bool enable) +{ +#ifdef Q_OS_WIN + if (enable) { + _UserRootKey = "HKEY_LOCAL_MACHINE"; + } + else { + _UserRootKey = "HKEY_CURRENT_USER"; + } +#else + Q_UNUSED(enable) +#endif +} + +#ifdef Q_OS_WIN +bool RegisterQAppAssociation::registerAppCapabilities() +{ + if (!isVistaOrNewer()) { + return true; + } + // Vista and newer + QSettings regLocalMachine("HKEY_LOCAL_MACHINE", QSettings::NativeFormat); + QString capabilitiesKey = regLocalMachine.value("Software/RegisteredApplications/" + _appRegisteredName).toString(); + + if (capabilitiesKey.isEmpty()) { + regLocalMachine.setValue("Software/RegisteredApplications/" + _appRegisteredName, + QString("Software\\" + _appRegisteredName + "\\Capabilities")); + capabilitiesKey = regLocalMachine.value("Software/RegisteredApplications/" + _appRegisteredName).toString(); + + if (capabilitiesKey.isEmpty()) { + QMessageBox::warning(0, tr("Warning!"), + tr("There are some problems. Please, reinstall QupZilla.\n" + "Maybe relaunch with administrator right do a magic for you! ;)")); + return false; + } + } + + capabilitiesKey.replace("\\", "/"); + + QHash >::const_iterator it = _assocDescHash.constBegin(); + while (it != _assocDescHash.constEnd()) { + createProgId(it.key()); + ++it; + } + + regLocalMachine.setValue(capabilitiesKey + "/ApplicationDescription", _appDesc); + regLocalMachine.setValue(capabilitiesKey + "/ApplicationIcon", _appIcon); + regLocalMachine.setValue(capabilitiesKey + "/ApplicationName", _appRegisteredName); + + QHash::const_iterator i = _fileAssocHash.constBegin(); + while (i != _fileAssocHash.constEnd()) { + regLocalMachine.setValue(capabilitiesKey + "/FileAssociations/" + i.key(), i.value()); + ++i; + } + + i = _urlAssocHash.constBegin(); + while (i != _urlAssocHash.constEnd()) { + regLocalMachine.setValue(capabilitiesKey + "/URLAssociations/" + i.key(), i.value()); + ++i; + } + regLocalMachine.setValue(capabilitiesKey + "/Startmenu/StartMenuInternet", _appPath); + + return true; +} + +bool RegisterQAppAssociation::isVistaOrNewer() +{ + return (QSysInfo::windowsVersion() >= QSysInfo::WV_VISTA && + QSysInfo::windowsVersion() <= QSysInfo::WV_NT_based); +} +#endif + +void RegisterQAppAssociation::registerAssociation(const QString &assocName, AssociationType type) +{ +#ifdef Q_OS_WIN + if (isVistaOrNewer()) { // Vista and newer + IApplicationAssociationRegistration* pAAR; + + HRESULT hr = CoCreateInstance(CLSID_ApplicationAssociationRegistration, + NULL, + CLSCTX_INPROC, + __uuidof(IApplicationAssociationRegistration), + (void**)&pAAR); + if (SUCCEEDED(hr)) { + switch (type) { + case FileAssociation: + hr = pAAR->SetAppAsDefault(_appRegisteredName.toStdWString().c_str(), + assocName.toStdWString().c_str(), + AT_FILEEXTENSION); + break; + case UrlAssociation: { + QSettings regCurrentUserRoot("HKEY_CURRENT_USER", QSettings::NativeFormat); + QString currentUrlDefault = + regCurrentUserRoot.value("Software/Microsoft/Windows/Shell/Associations/UrlAssociations/" + + assocName + "/UserChoice/Progid").toString(); + hr = pAAR->SetAppAsDefault(_appRegisteredName.toStdWString().c_str(), + assocName.toStdWString().c_str(), + AT_URLPROTOCOL); + if (SUCCEEDED(hr) + && !currentUrlDefault.isEmpty() + && currentUrlDefault != _urlAssocHash.value(assocName)) { + regCurrentUserRoot.setValue("Software/Classes" + + assocName + + "/shell/open/command/backup_progid", currentUrlDefault); + } + } + break; + + default: + break; + } + + pAAR->Release(); + } + } + else { // Older than Vista + QSettings regUserRoot(_UserRootKey, QSettings::NativeFormat); + regUserRoot.beginGroup("Software/Classes"); + QSettings regClassesRoot("HKEY_CLASSES_ROOT", QSettings::NativeFormat); + switch (type) { + case FileAssociation: { + QString progId = _fileAssocHash.value(assocName); + createProgId(progId); + QString currentDefault = regClassesRoot.value(assocName + "/Default").toString(); + if (!currentDefault.isEmpty() + && currentDefault != progId + && regUserRoot.value(assocName + "/backup_val").toString() != progId) { + regUserRoot.setValue(assocName + "/backup_val", currentDefault); + } + regUserRoot.setValue(assocName + "/.", progId); + } + break; + case UrlAssociation: { + QString progId = _urlAssocHash.value(assocName); + createProgId(progId); + QString currentDefault = regClassesRoot.value(assocName + "/shell/open/command/Default").toString(); + QString command = "\"" + _appPath + "\" \"%1\""; + if (!currentDefault.isEmpty() + && currentDefault != command + && regUserRoot.value(assocName + "/shell/open/command/backup_val").toString() != command) { + regUserRoot.setValue(assocName + "/shell/open/command/backup_val", currentDefault); + } + + regUserRoot.setValue(assocName + "/shell/open/command/.", command); + regUserRoot.setValue(assocName + "/URL Protocol", ""); + break; + } + default: + break; + } + regUserRoot.endGroup(); + } +#else + Q_UNUSED(assocName) + Q_UNUSED(type) +#endif +} + +void RegisterQAppAssociation::registerAllAssociation() +{ +#ifdef Q_OS_WIN + if (isVistaOrNewer() && !registerAppCapabilities()) { + return; + } +#endif + + QHash::const_iterator i = _fileAssocHash.constBegin(); + while (i != _fileAssocHash.constEnd()) { + registerAssociation(i.key(), FileAssociation); + ++i; + } + + i = _urlAssocHash.constBegin(); + while (i != _urlAssocHash.constEnd()) { + registerAssociation(i.key(), UrlAssociation); + ++i; + } + +#ifdef Q_OS_WIN + if (!isVistaOrNewer()) { + // On Windows Vista or newer for updating icons 'pAAR->SetAppAsDefault()' + // calls 'SHChangeNotify()'. Thus, we just need care about older Windows. + SHChangeNotify(SHCNE_ASSOCCHANGED, SHCNF_FLUSHNOWAIT, 0 , 0); + } +#endif +} + +void RegisterQAppAssociation::createProgId(const QString &progId) +{ +#ifdef Q_OS_WIN + QSettings regUserRoot(_UserRootKey, QSettings::NativeFormat); + regUserRoot.beginGroup("Software/Classes"); + QPair pair = _assocDescHash.value(progId); + regUserRoot.setValue(progId + "/.", pair.first); + regUserRoot.setValue(progId + "/shell/.", "open"); + regUserRoot.setValue(progId + "/DefaultIcon/.", pair.second); + regUserRoot.setValue(progId + "/shell/open/command/.", QString("\"" + _appPath + "\" \"%1\"")); + regUserRoot.endGroup(); +#else + Q_UNUSED(progId) +#endif +} + +bool RegisterQAppAssociation::isDefaultApp(const QString &assocName, AssociationType type) +{ +#ifdef Q_OS_WIN + if (isVistaOrNewer()) { + QSettings regCurrentUserRoot("HKEY_CURRENT_USER", QSettings::NativeFormat); + switch (type) { + case FileAssociation: { + regCurrentUserRoot.beginGroup("Software/Microsoft/Windows/CurrentVersion/Explorer/FileExts"); + if (regCurrentUserRoot.childGroups().contains(assocName, Qt::CaseInsensitive)) { + return (_fileAssocHash.value(assocName) + == regCurrentUserRoot.value(assocName + "/UserChoice/Progid")); + } + else { + regCurrentUserRoot.endGroup(); + return false; + } + break; + } + case UrlAssociation: { + regCurrentUserRoot.beginGroup("Software/Microsoft/Windows/Shell/Associations/UrlAssociations"); + if (regCurrentUserRoot.childGroups().contains(assocName, Qt::CaseInsensitive)) { + return (_urlAssocHash.value(assocName) + == regCurrentUserRoot.value(assocName + "/UserChoice/Progid")); + } + else { + regCurrentUserRoot.endGroup(); + return false; + } + } + break; + + default: + break; + } + } + else { + QSettings regClassesRoot("HKEY_CLASSES_ROOT", QSettings::NativeFormat); + { + if (!regClassesRoot.childGroups().contains(assocName, Qt::CaseInsensitive)) { + return false; + } + } + switch (type) { + case FileAssociation: { + return (_fileAssocHash.value(assocName) + == regClassesRoot.value(assocName + "/Default")); + } + break; + case UrlAssociation: { + QString currentDefault = regClassesRoot.value(assocName + "/shell/open/command/Default").toString(); + currentDefault.remove("\""); + currentDefault.remove("%1"); + currentDefault = currentDefault.trimmed(); + return (_appPath == currentDefault); + } + break; + + default: + break; + } + } +#else + Q_UNUSED(assocName) + Q_UNUSED(type) +#endif + return false; +} + +bool RegisterQAppAssociation::isDefaultForAllCapabilities() +{ + bool result = true; + QHash::const_iterator i = _fileAssocHash.constBegin(); + while (i != _fileAssocHash.constEnd()) { + bool res = isDefaultApp(i.key(), FileAssociation); + result &= res; + ++i; + } + + i = _urlAssocHash.constBegin(); + while (i != _urlAssocHash.constEnd()) { + bool res = isDefaultApp(i.key(), UrlAssociation); + result &= res; + ++i; + } + return result; +} + +/***************************************/ +/******** CheckMessageBox Class ********/ +/***************************************/ + +CheckMessageBox::CheckMessageBox(bool* defaultShowAgainState, QWidget* parent, Qt::WindowFlags f) + : QDialog(parent, f | Qt::MSWindowsFixedSizeDialogHint), + _showAgainState(defaultShowAgainState) +{ + setupUi(); + if (defaultShowAgainState) { + showAgainCheckBox->setChecked(*defaultShowAgainState); + } + else { + showAgainCheckBox->hide(); + disconnect(showAgainCheckBox, SIGNAL(toggled(bool)), this, SLOT(showAgainStateChanged(bool))); + } +} + +CheckMessageBox::CheckMessageBox(const QString &msg, const QPixmap &pixmap, + const QString &str, bool* defaultShowAgainState, + QWidget* parent, Qt::WindowFlags f) + : QDialog(parent, f | Qt::MSWindowsFixedSizeDialogHint), + _showAgainState(defaultShowAgainState) +{ + setupUi(); + setMessage(msg); + setPixmap(pixmap); + if (defaultShowAgainState) { + setShowAgainText(str); + } +} + +CheckMessageBox::~CheckMessageBox() +{ +} + +void CheckMessageBox::setMessage(const QString &msg) +{ + messageLabel->setText(msg); +} + +void CheckMessageBox::setShowAgainText(const QString &str) +{ + showAgainCheckBox->setText(str); +} + +void CheckMessageBox::setPixmap(const QPixmap &pixmap) +{ + pixmapLabel->setPixmap(pixmap); +} + +void CheckMessageBox::setupUi() +{ + setObjectName(QString::fromUtf8("CheckMessageBox")); + gridLayout = new QGridLayout(this); + gridLayout->setObjectName(QString::fromUtf8("gridLayout")); + horizontalLayout = new QHBoxLayout(); + horizontalLayout->setObjectName(QString::fromUtf8("horizontalLayout")); + verticalLayout_2 = new QVBoxLayout(); + verticalLayout_2->setObjectName(QString::fromUtf8("verticalLayout_2")); + pixmapLabel = new QLabel(this); + pixmapLabel->setObjectName(QString::fromUtf8("pixmapLabel")); + + verticalLayout_2->addWidget(pixmapLabel); + + verticalSpacer = new QSpacerItem(20, 40, QSizePolicy::Minimum, QSizePolicy::Expanding); + + verticalLayout_2->addItem(verticalSpacer); + + + horizontalLayout->addLayout(verticalLayout_2); + + verticalLayout = new QVBoxLayout(); + verticalLayout->setObjectName(QString::fromUtf8("verticalLayout")); + messageLabel = new QLabel(this); + messageLabel->setObjectName(QString::fromUtf8("messageLabel")); + messageLabel->setWordWrap(true); + + verticalLayout->addWidget(messageLabel); + + horizontalSpacer = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); + + verticalLayout->addItem(horizontalSpacer); + + showAgainCheckBox = new QCheckBox(this); + showAgainCheckBox->setObjectName(QString::fromUtf8("showAgainCheckBox")); + + verticalLayout->addWidget(showAgainCheckBox); + + + horizontalLayout->addLayout(verticalLayout); + + + gridLayout->addLayout(horizontalLayout, 0, 0, 1, 1); + + buttonBox = new QDialogButtonBox(this); + buttonBox->setObjectName(QString::fromUtf8("buttonBox")); + buttonBox->setOrientation(Qt::Horizontal); + buttonBox->setStandardButtons(QDialogButtonBox::No | QDialogButtonBox::Yes); + + gridLayout->addWidget(buttonBox, 1, 0, 1, 1); + + connect(buttonBox, SIGNAL(accepted()), this, SLOT(accept())); + connect(buttonBox, SIGNAL(rejected()), this, SLOT(reject())); + + if (_showAgainState) { + showAgainCheckBox->setChecked(*_showAgainState); + connect(showAgainCheckBox, SIGNAL(toggled(bool)), this, SLOT(showAgainStateChanged(bool))); + } + else { + showAgainCheckBox->hide(); + } +} + +void CheckMessageBox::showAgainStateChanged(bool checked) +{ + if (_showAgainState) { + *_showAgainState = checked; + } +} diff --git a/src/lib/other/registerqappassociation.h b/src/lib/other/registerqappassociation.h new file mode 100644 index 000000000..3b83785a9 --- /dev/null +++ b/src/lib/other/registerqappassociation.h @@ -0,0 +1,115 @@ +/* ============================================================ +* Copyright (C) 2012 S. Razi Alavizadeh +* This file is part of QupZilla - WebKit based browser 2010-2012 +* by David Rosca +* +* This program is free software: you can redistribute it and/or modify +* it under the terms of the GNU General Public License as published by +* the Free Software Foundation, either version 3 of the License, or +* (at your option) any later version. +* +* This program is distributed in the hope that it will be useful, +* but WITHOUT ANY WARRANTY; without even the implied warranty of +* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +* GNU General Public License for more details. +* +* You should have received a copy of the GNU General Public License +* along with this program. If not, see . +* ============================================================ */ +#ifndef REGISTERQAPPASSOCIATION_H +#define REGISTERQAPPASSOCIATION_H + +#include +#include + +#include "qz_namespace.h" + +class QT_QUPZILLA_EXPORT RegisterQAppAssociation : public QObject +{ + Q_OBJECT +public: + explicit RegisterQAppAssociation(QObject* parent = 0); + explicit RegisterQAppAssociation(const QString &appRegisteredName, const QString &appPath, + const QString &appIcon = "", const QString &appDesc = "", QObject* parent = 0); + ~RegisterQAppAssociation(); + + enum AssociationType { + FileAssociation, + UrlAssociation + }; + + void addCapability(const QString &assocName, const QString &progId, + const QString &desc, const QString &iconPath, AssociationType type); + void removeCapability(const QString &assocName); + + void setAppInfo(const QString &appRegisteredName, const QString &appPath, + const QString &appIcon = "", const QString &appDesc = ""); + + bool isPerMachineRegisteration(); + void setPerMachineRegisteration(bool enable); +#ifdef Q_OS_WIN + bool registerAppCapabilities(); + bool isVistaOrNewer(); +#endif + void registerAssociation(const QString &assocName, AssociationType type); + void createProgId(const QString &progId); + + bool isDefaultApp(const QString &assocName, AssociationType type); + bool isDefaultForAllCapabilities(); + void registerAllAssociation(); + + +private: + QString _appRegisteredName; + QString _appPath; + QString _appIcon; + QString _appDesc; +#ifdef Q_OS_WIN + QString _UserRootKey; +#endif + + QHash _fileAssocHash; // (extention, progId) + QHash _urlAssocHash; // (protocol, progId) + QHash > _assocDescHash; // (progId, (desc, icon)) +}; + +#include +#include +#include +#include +#include + +class QT_QUPZILLA_EXPORT CheckMessageBox : public QDialog +{ + Q_OBJECT + +public: + CheckMessageBox(bool* defaultShowAgainState = 0, QWidget* parent = 0, Qt::WindowFlags f = 0); + CheckMessageBox(const QString &msg, const QPixmap &pixmap, + const QString &str, bool* defaultShowAgainState, + QWidget* parent = 0, Qt::WindowFlags f = 0); + ~CheckMessageBox(); + + void setMessage(const QString &msg); + void setShowAgainText(const QString &str); + void setPixmap(const QPixmap &pixmap); + +private: + void setupUi(); + + bool* _showAgainState; + QGridLayout* gridLayout; + QHBoxLayout* horizontalLayout; + QVBoxLayout* verticalLayout_2; + QLabel* pixmapLabel; + QSpacerItem* verticalSpacer; + QVBoxLayout* verticalLayout; + QLabel* messageLabel; + QSpacerItem* horizontalSpacer; + QCheckBox* showAgainCheckBox; + QDialogButtonBox* buttonBox; + +private slots: + void showAgainStateChanged(bool checked); +}; +#endif // REGISTERQAPPASSOCIATION_H diff --git a/src/lib/preferences/preferences.cpp b/src/lib/preferences/preferences.cpp index 70fd400d0..9fe1aefba 100644 --- a/src/lib/preferences/preferences.cpp +++ b/src/lib/preferences/preferences.cpp @@ -43,6 +43,7 @@ #include "tabbedwebview.h" #include "clearprivatedata.h" #include "useragentdialog.h" +#include "registerqappassociation.h" #include #include @@ -66,12 +67,13 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) ui->listWidget->item(2)->setIcon(QIcon::fromTheme("tab-new-background", QIcon(":/icons/preferences/applications-internet.png"))); ui->listWidget->item(3)->setIcon(QIcon::fromTheme("preferences-system-network", QIcon(":/icons/preferences/applications-webbrowsers.png"))); ui->listWidget->item(4)->setIcon(QIcon::fromTheme("preferences-desktop-font", QIcon(":/icons/preferences/applications-fonts.png"))); - ui->listWidget->item(5)->setIcon(QIcon::fromTheme("download", QIcon(":/icons/preferences/mail-inbox.png"))); - ui->listWidget->item(6)->setIcon(QIcon::fromTheme("user-identity", QIcon(":/icons/preferences/dialog-password.png"))); - ui->listWidget->item(7)->setIcon(QIcon::fromTheme("preferences-system-firewall", QIcon(":/icons/preferences/preferences-system-firewall.png"))); - ui->listWidget->item(8)->setIcon(QIcon::fromTheme("preferences-desktop-notification", QIcon(":/icons/preferences/dialog-question.png"))); - ui->listWidget->item(9)->setIcon(QIcon::fromTheme("preferences-plugin", QIcon(":/icons/preferences/extension.png"))); - ui->listWidget->item(10)->setIcon(QIcon::fromTheme("applications-system", QIcon(":/icons/preferences/applications-system.png"))); + ui->listWidget->item(5)->setIcon(QIcon::fromTheme("preferences-desktop-keyboard-shortcuts", QIcon(":/icons/preferences/preferences-desktop-keyboard-shortcuts.png"))); + ui->listWidget->item(6)->setIcon(QIcon::fromTheme("download", QIcon(":/icons/preferences/mail-inbox.png"))); + ui->listWidget->item(7)->setIcon(QIcon::fromTheme("user-identity", QIcon(":/icons/preferences/dialog-password.png"))); + ui->listWidget->item(8)->setIcon(QIcon::fromTheme("preferences-system-firewall", QIcon(":/icons/preferences/preferences-system-firewall.png"))); + ui->listWidget->item(9)->setIcon(QIcon::fromTheme("preferences-desktop-notification", QIcon(":/icons/preferences/dialog-question.png"))); + ui->listWidget->item(10)->setIcon(QIcon::fromTheme("preferences-plugin", QIcon(":/icons/preferences/extension.png"))); + ui->listWidget->item(11)->setIcon(QIcon::fromTheme("applications-system", QIcon(":/icons/preferences/applications-system.png"))); } else { ui->listWidget->item(0)->setIcon(QIcon::fromTheme("preferences-desktop", QIcon(":/icons/preferences/preferences-desktop.png"))); @@ -79,12 +81,13 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) ui->listWidget->item(2)->setIcon(QIcon::fromTheme("applications-internet", QIcon(":/icons/preferences/applications-internet.png"))); ui->listWidget->item(3)->setIcon(QIcon::fromTheme("applications-webbrowsers", QIcon(":/icons/preferences/applications-webbrowsers.png"))); ui->listWidget->item(4)->setIcon(QIcon::fromTheme("applications-fonts", QIcon(":/icons/preferences/applications-fonts.png"))); - ui->listWidget->item(5)->setIcon(QIcon::fromTheme("mail-inbox", QIcon(":/icons/preferences/mail-inbox.png"))); - ui->listWidget->item(6)->setIcon(QIcon::fromTheme("dialog-password", QIcon(":/icons/preferences/dialog-password.png"))); - ui->listWidget->item(7)->setIcon(QIcon::fromTheme("preferences-system-firewall", QIcon(":/icons/preferences/preferences-system-firewall.png"))); - ui->listWidget->item(8)->setIcon(QIcon::fromTheme("dialog-question", QIcon(":/icons/preferences/dialog-question.png"))); - ui->listWidget->item(9)->setIcon(QIcon::fromTheme("extension", QIcon(":/icons/preferences/extension.png"))); - ui->listWidget->item(10)->setIcon(QIcon::fromTheme("applications-system", QIcon(":/icons/preferences/applications-system.png"))); + ui->listWidget->item(5)->setIcon(QIcon::fromTheme("preferences-desktop-keyboard-shortcuts", QIcon(":/icons/preferences/preferences-desktop-keyboard-shortcuts.png"))); + ui->listWidget->item(6)->setIcon(QIcon::fromTheme("mail-inbox", QIcon(":/icons/preferences/mail-inbox.png"))); + ui->listWidget->item(7)->setIcon(QIcon::fromTheme("dialog-password", QIcon(":/icons/preferences/dialog-password.png"))); + ui->listWidget->item(8)->setIcon(QIcon::fromTheme("preferences-system-firewall", QIcon(":/icons/preferences/preferences-system-firewall.png"))); + ui->listWidget->item(9)->setIcon(QIcon::fromTheme("dialog-question", QIcon(":/icons/preferences/dialog-question.png"))); + ui->listWidget->item(10)->setIcon(QIcon::fromTheme("extension", QIcon(":/icons/preferences/extension.png"))); + ui->listWidget->item(11)->setIcon(QIcon::fromTheme("applications-system", QIcon(":/icons/preferences/applications-system.png"))); } Settings settings; @@ -99,7 +102,24 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) ui->afterLaunch->setCurrentIndex(afterLaunch); ui->checkUpdates->setChecked(settings.value("Web-Browser-Settings/CheckUpdates", DEFAULT_CHECK_UPDATES).toBool()); ui->dontLoadTabsUntilSelected->setChecked(settings.value("Web-Browser-Settings/LoadTabsOnActivation", false).toBool()); - +#ifdef Q_OS_WIN + ui->checkDefaultBrowser->setChecked(settings.value("Web-Browser-Settings/CheckDefaultBrowser", DEFAULT_CHECK_DEFAULTBROWSER).toBool()); + if (mApp->associationManager()->isDefaultForAllCapabilities()) { + ui->checkNowDefaultBrowser->setText(tr("QupZilla is default")); + ui->checkNowDefaultBrowser->setEnabled(false); + } + else { + ui->checkNowDefaultBrowser->setText(tr("Make QupZilla default")); + ui->checkNowDefaultBrowser->setEnabled(true); + connect(ui->checkNowDefaultBrowser, SIGNAL(clicked()), this, SLOT(makeQupZillaDefault())); + } +#else // just Windows + ui->hSpacerDefaultBrowser->changeSize(0, 0, QSizePolicy::Fixed, QSizePolicy::Fixed); + ui->hLayoutDefaultBrowser->invalidate(); + delete ui->hLayoutDefaultBrowser; + delete ui->checkDefaultBrowser; + delete ui->checkNowDefaultBrowser; +#endif ui->newTabFrame->setVisible(false); if (m_newTabUrl.isEmpty()) { ui->newTab->setCurrentIndex(0); @@ -195,6 +215,7 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) //AddressBar settings.beginGroup("AddressBar"); ui->addressbarCompletion->setCurrentIndex(settings.value("showSuggestions", 0).toInt()); + ui->completionShowSwitchTab->setChecked(settings.value("showSwitchTab", true).toBool()); ui->selectAllOnFocus->setChecked(settings.value("SelectAllTextOnDoubleClick", true).toBool()); ui->selectAllOnClick->setChecked(settings.value("SelectAllTextOnClick", false).toBool()); ui->addCountryWithAlt->setChecked(settings.value("AddCountryDomainWithAltKey", true).toBool()); @@ -326,6 +347,12 @@ Preferences::Preferences(QupZilla* mainClass, QWidget* parent) ui->sizeMinimumLogical->setValue(settings.value("MinimumLogicalFontSize", mApp->webSettings()->fontSize(QWebSettings::MinimumLogicalFontSize)).toInt()); settings.endGroup(); + //KEYBOARD SHORTCUTS + settings.beginGroup("Shortcuts"); + ui->switchTabsAlt->setChecked(settings.value("useTabNumberShortcuts", true).toBool()); + ui->loadSpeedDialsCtrl->setChecked(settings.value("useSpeedDialNumberShortcuts", true).toBool()); + settings.endGroup(); + //PLUGINS m_pluginsList = new PluginsManager(this); ui->pluginsFrame->addWidget(m_pluginsList); @@ -448,8 +475,8 @@ void Preferences::showStackedPage(QListWidgetItem* item) ui->caption->setText("" + item->text() + ""); ui->stackedWidget->setCurrentIndex(index); - setNotificationPreviewVisible(index == 8); - if (index == 9) { + setNotificationPreviewVisible(index == 9); + if (index == 10) { m_pluginsList->load(); } } @@ -481,6 +508,16 @@ void Preferences::setNotificationPreviewVisible(bool state) } } +void Preferences::makeQupZillaDefault() +{ +#ifdef Q_OS_WIN + disconnect(ui->checkNowDefaultBrowser, SIGNAL(clicked()), this, SLOT(makeQupZillaDefault())); + mApp->associationManager()->registerAllAssociation(); + ui->checkNowDefaultBrowser->setText(tr("QupZilla is default")); + ui->checkNowDefaultBrowser->setEnabled(false); +#endif +} + void Preferences::allowCacheChanged(bool state) { ui->cacheFrame->setEnabled(state); @@ -837,6 +874,12 @@ void Preferences::saveSettings() settings.setValue("MinimumLogicalFontSize", ui->sizeMinimumLogical->value()); settings.endGroup(); + //KEYBOARD SHORTCUTS + settings.beginGroup("Shortcuts"); + settings.setValue("useTabNumberShortcuts", ui->switchTabsAlt->isChecked()); + settings.setValue("useSpeedDialNumberShortcuts", ui->loadSpeedDialsCtrl->isChecked()); + settings.endGroup(); + //BROWSING settings.beginGroup("Web-Browser-Settings"); settings.setValue("allowFlash", ui->allowPlugins->isChecked()); @@ -854,7 +897,9 @@ void Preferences::saveSettings() settings.setValue("LoadTabsOnActivation", ui->dontLoadTabsUntilSelected->isChecked()); settings.setValue("DefaultZoom", ui->defaultZoom->value()); settings.setValue("XSSAuditing", ui->xssAuditing->isChecked()); - +#ifdef Q_OS_WIN + settings.setValue("CheckDefaultBrowser", ui->checkDefaultBrowser->isChecked()); +#endif //Cache settings.setValue("maximumCachedPages", ui->pagesInCache->value()); settings.setValue("AllowLocalCache", ui->allowCache->isChecked()); @@ -894,6 +939,7 @@ void Preferences::saveSettings() //AddressBar settings.beginGroup("AddressBar"); settings.setValue("showSuggestions", ui->addressbarCompletion->currentIndex()); + settings.setValue("showSwitchTab", ui->completionShowSwitchTab->isChecked()); settings.setValue("SelectAllTextOnDoubleClick", ui->selectAllOnFocus->isChecked()); settings.setValue("SelectAllTextOnClick", ui->selectAllOnClick->isChecked()); settings.setValue("AddCountryDomainWithAltKey", ui->addCountryWithAlt->isChecked()); diff --git a/src/lib/preferences/preferences.h b/src/lib/preferences/preferences.h index 63c567936..0655b1002 100644 --- a/src/lib/preferences/preferences.h +++ b/src/lib/preferences/preferences.h @@ -88,6 +88,8 @@ private slots: void setNotificationPreviewVisible(bool state); + void makeQupZillaDefault(); + private: void closeEvent(QCloseEvent* event); diff --git a/src/lib/preferences/preferences.ui b/src/lib/preferences/preferences.ui index aef718ec0..3d37a15ba 100644 --- a/src/lib/preferences/preferences.ui +++ b/src/lib/preferences/preferences.ui @@ -117,6 +117,11 @@ Fonts + + + Keyboard Shortcuts + + Downloads @@ -157,13 +162,88 @@ 0 - + - - - - <b>Launching</b> + + + + + 0 + + + + + + + + Use current + + + + + + + + + + QFrame::NoFrame + + QFrame::Raised + + + + 0 + + + 0 + + + 20 + + + 0 + + + + + Note: You cannot delete active profile. + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + + + + + + 0 + 0 + + + + Create New + + + + + + + false + + + + 0 + 0 + + + + Delete + + + + @@ -182,6 +262,16 @@ + + + + <b>Launching</b> + + + + + + @@ -265,105 +355,20 @@ - + <b>Profiles</b> - + Startup profile: - - - - - - - QFrame::NoFrame - - - QFrame::Raised - - - - 0 - - - 0 - - - 20 - - - 0 - - - - - Note: You cannot delete active profile. - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - - 0 - 0 - - - - Create New - - - - - - - false - - - - 0 - 0 - - - - Delete - - - - - - - - - - - 0 - - - - - - - - Use current - - - - - - @@ -371,35 +376,35 @@ - + Active profile: - + - + In order to change language, you must restart browser. - + <b>Language</b> - + @@ -422,7 +427,7 @@ - + @@ -432,7 +437,7 @@ - + Qt::Vertical @@ -445,9 +450,43 @@ + + + + + + Check to see if QupZilla is the default browser on startup + + + false + + + + + + + Check Now + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + + + - + @@ -608,14 +647,14 @@ - + 0 - + Tabs behavior @@ -731,7 +770,7 @@ - + Address Bar behavior @@ -793,6 +832,16 @@ + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + Propose to switch tab if completed url is already loaded. + + + @@ -924,7 +973,7 @@ - + @@ -1513,7 +1562,7 @@ - + @@ -1705,7 +1754,45 @@ - + + + + + + <b>Shortcuts</b> + + + + + + + Qt::Vertical + + + + 20 + 40 + + + + + + + + Switch to tabs with Alt + number of tab + + + + + + + Load speed dials with Ctrl + number of speed dial + + + + + + @@ -1864,7 +1951,7 @@ - + @@ -1926,7 +2013,7 @@ - + @@ -2111,7 +2198,7 @@ - + @@ -2238,7 +2325,7 @@ - + @@ -2257,7 +2344,7 @@ - + diff --git a/src/lib/webview/tabbar.cpp b/src/lib/webview/tabbar.cpp index 0f383e59a..e4a1b264f 100644 --- a/src/lib/webview/tabbar.cpp +++ b/src/lib/webview/tabbar.cpp @@ -46,7 +46,7 @@ TabBar::TabBar(QupZilla* mainClass, TabWidget* tabWidget) , m_clickedTab(0) , m_pinnedTabsCount(0) , m_normalTabWidth(0) - , m_lastTabWidth(0) + , m_activeTabWidth(0) { setObjectName("tabbar"); setContextMenuPolicy(Qt::CustomContextMenu); @@ -120,7 +120,7 @@ void TabBar::contextMenuRequested(const QPoint &position) m_clickedTab = index; QMenu menu; - menu.addAction(QIcon(":/icons/menu/popup.png"), tr("&New tab"), p_QupZilla, SLOT(addTab())); + menu.addAction(QIcon(":/icons/menu/new-tab.png"), tr("&New tab"), p_QupZilla, SLOT(addTab())); menu.addSeparator(); if (index != -1) { WebTab* webTab = qobject_cast(m_tabWidget->widget(m_clickedTab)); @@ -174,15 +174,19 @@ QSize TabBar::tabSizeHint(int index) const } static int PINNED_TAB_WIDTH = -1; + static int MINIMUM_ACTIVE_TAB_WIDTH = -1; if (PINNED_TAB_WIDTH == -1) { PINNED_TAB_WIDTH = 16 + style()->pixelMetric(QStyle::PM_TabBarTabHSpace, 0, this); + MINIMUM_ACTIVE_TAB_WIDTH = PINNED_TAB_WIDTH + style()->pixelMetric(QStyle::PM_TabCloseIndicatorWidth, 0, this); + // just a hack: we want to be sure buttonAddTab and buttonListTabs can't cover the active tab + MINIMUM_ACTIVE_TAB_WIDTH = qMax(MINIMUM_ACTIVE_TAB_WIDTH, 6 + m_tabWidget->buttonListTabs()->width() + m_tabWidget->buttonAddTab()->width()); } QSize size = QTabBar::tabSizeHint(index); WebTab* webTab = qobject_cast(m_tabWidget->widget(index)); TabBar* tabBar = const_cast (this); - bool adjustingLastTab = false; + bool adjustingActiveTab = false; if (webTab && webTab->isPinned()) { size.setWidth(PINNED_TAB_WIDTH); @@ -200,24 +204,41 @@ QSize TabBar::tabSizeHint(int index) const // to try avoid overflowing tabs into tabbar buttons int maxWidthForTab = availableWidth / normalTabsCount; + m_activeTabWidth = maxWidthForTab; + if (m_activeTabWidth < MINIMUM_ACTIVE_TAB_WIDTH) { + maxWidthForTab = (availableWidth - MINIMUM_ACTIVE_TAB_WIDTH) / (normalTabsCount - 1); + m_activeTabWidth = MINIMUM_ACTIVE_TAB_WIDTH; + adjustingActiveTab = true; + } + if (maxWidthForTab < PINNED_TAB_WIDTH) { // FIXME: It overflows now m_normalTabWidth = PINNED_TAB_WIDTH; - size.setWidth(m_normalTabWidth); + if (index == currentIndex()) { + size.setWidth(m_activeTabWidth); + } + else { + size.setWidth(m_normalTabWidth); + } } else { m_normalTabWidth = maxWidthForTab; - // Fill any empty space (we've got from rounding) with last tab - if (index == count() - 1) { - m_lastTabWidth = (availableWidth - maxWidthForTab * normalTabsCount) + maxWidthForTab; - adjustingLastTab = true; - size.setWidth(m_lastTabWidth); + // Fill any empty space (we've got from rounding) with active tab + if (index == currentIndex()) { + if (adjustingActiveTab) { + m_activeTabWidth = (availableWidth - MINIMUM_ACTIVE_TAB_WIDTH + - maxWidthForTab * (normalTabsCount - 1)) + m_activeTabWidth; + } + else { + m_activeTabWidth = (availableWidth - maxWidthForTab * normalTabsCount) + maxWidthForTab; + } + adjustingActiveTab = true; + size.setWidth(m_activeTabWidth); } else { - m_lastTabWidth = maxWidthForTab; - size.setWidth(m_lastTabWidth); + size.setWidth(m_normalTabWidth); } if (tabsClosable()) { @@ -230,17 +251,28 @@ QSize TabBar::tabSizeHint(int index) const } else { int maxWidthForTab = availableWidth / normalTabsCount; + m_activeTabWidth = maxWidthForTab; + if (m_activeTabWidth < MINIMUM_ACTIVE_TAB_WIDTH) { + maxWidthForTab = (availableWidth - MINIMUM_ACTIVE_TAB_WIDTH) / (normalTabsCount - 1); + m_activeTabWidth = MINIMUM_ACTIVE_TAB_WIDTH; + adjustingActiveTab = true; + } m_normalTabWidth = maxWidthForTab; - // Fill any empty space (we've got from rounding) with last tab - if (index == count() - 1) { - m_lastTabWidth = (availableWidth - maxWidthForTab * normalTabsCount) + maxWidthForTab; - adjustingLastTab = true; - size.setWidth(m_lastTabWidth); + // Fill any empty space (we've got from rounding) with active tab + if (index == currentIndex()) { + if (adjustingActiveTab) { + m_activeTabWidth = (availableWidth - MINIMUM_ACTIVE_TAB_WIDTH + - maxWidthForTab * (normalTabsCount - 1)) + m_activeTabWidth; + } + else { + m_activeTabWidth = (availableWidth - maxWidthForTab * normalTabsCount) + maxWidthForTab; + } + adjustingActiveTab = true; + size.setWidth(m_activeTabWidth); } else { - m_lastTabWidth = maxWidthForTab; - size.setWidth(m_lastTabWidth); + size.setWidth(m_normalTabWidth); } // Restore close buttons according to preferences @@ -255,10 +287,10 @@ QSize TabBar::tabSizeHint(int index) const } } - if (index == count() - 1) { + if (index == currentIndex()) { int xForAddTabButton = (PINNED_TAB_WIDTH * m_pinnedTabsCount) + (count() - m_pinnedTabsCount) * (m_normalTabWidth); - if (adjustingLastTab) { - xForAddTabButton += m_lastTabWidth - m_normalTabWidth; + if (adjustingActiveTab) { + xForAddTabButton += m_activeTabWidth - m_normalTabWidth; } // RTL Support diff --git a/src/lib/webview/tabbar.h b/src/lib/webview/tabbar.h index 48f240535..bce6e8015 100644 --- a/src/lib/webview/tabbar.h +++ b/src/lib/webview/tabbar.h @@ -109,7 +109,7 @@ private: int m_pinnedTabsCount; mutable int m_normalTabWidth; - mutable int m_lastTabWidth; + mutable int m_activeTabWidth; QPoint m_dragStartPosition; }; diff --git a/src/lib/webview/webview.cpp b/src/lib/webview/webview.cpp index 9a39d1dd1..8c7168658 100644 --- a/src/lib/webview/webview.cpp +++ b/src/lib/webview/webview.cpp @@ -54,6 +54,7 @@ WebView::WebView(QWidget* parent) , m_actionStop(0) , m_actionsInitialized(false) , m_disableTouchMocking(false) + , m_isReloading(false) { connect(this, SIGNAL(loadStarted()), this, SLOT(slotLoadStarted())); connect(this, SIGNAL(loadProgress(int)), this, SLOT(slotLoadProgress(int))); @@ -137,6 +138,16 @@ void WebView::setPage(QWebPage* page) connect(m_page, SIGNAL(privacyChanged(bool)), this, SIGNAL(privacyChanged(bool))); mApp->plugins()->emitWebPageCreated(m_page); + + /* Set white background by default. + Fixes issue with dark themes. + + See #602 + */ + QPalette pal = palette(); + pal.setBrush(QPalette::Base, Qt::white); + page->setPalette(pal); + } void WebView::load(const QUrl &url) @@ -284,6 +295,7 @@ void WebView::zoomReset() void WebView::reload() { + m_isReloading = true; if (QWebView::url().isEmpty() && !m_aboutToLoadUrl.isEmpty()) { load(m_aboutToLoadUrl); return; @@ -347,12 +359,13 @@ void WebView::slotLoadFinished() m_actionReload->setEnabled(true); } - if (m_lastUrl != url()) { + if (!m_isReloading) { mApp->history()->addHistoryEntry(this); } mApp->autoFill()->completePage(page()); + m_isReloading = false; m_lastUrl = url(); } @@ -379,12 +392,19 @@ void WebView::slotIconChanged() void WebView::slotUrlChanged(const QUrl &url) { - // Disable touch mocking on all google pages as it just makes it buggy - if (url.host().contains(QLatin1String("google"))) { - m_disableTouchMocking = true; + static QStringList exceptions; + if (exceptions.isEmpty()) { + exceptions << "google." << "twitter."; } - else { - m_disableTouchMocking = false; + + // Disable touch mocking on pages known not to work properly + const QString &host = url.host(); + m_disableTouchMocking = false; + + foreach(const QString & site, exceptions) { + if (host.contains(site)) { + m_disableTouchMocking = true; + } } } @@ -786,7 +806,7 @@ void WebView::createPageContextMenu(QMenu* menu, const QPoint &pos) m_clickedFrame = frameAtPos; QMenu* frameMenu = new QMenu(tr("This frame")); frameMenu->addAction(tr("Show &only this frame"), this, SLOT(loadClickedFrame())); - frameMenu->addAction(QIcon(":/icons/menu/popup.png"), tr("Show this frame in new &tab"), this, SLOT(loadClickedFrameInNewTab())); + frameMenu->addAction(QIcon(":/icons/menu/new-tab.png"), tr("Show this frame in new &tab"), this, SLOT(loadClickedFrameInNewTab())); frameMenu->addSeparator(); frameMenu->addAction(qIconProvider->standardIcon(QStyle::SP_BrowserReload), tr("&Reload"), this, SLOT(reloadClickedFrame())); frameMenu->addAction(QIcon::fromTheme("document-print"), tr("Print frame"), this, SLOT(printClickedFrame())); @@ -827,7 +847,7 @@ void WebView::createLinkContextMenu(QMenu* menu, const QWebHitTestResult &hitTes } menu->addSeparator(); - menu->addAction(QIcon(":/icons/menu/popup.png"), tr("Open link in new &tab"), this, SLOT(userDefinedOpenUrlInNewTab()))->setData(hitTest.linkUrl()); + menu->addAction(QIcon(":/icons/menu/new-tab.png"), tr("Open link in new &tab"), this, SLOT(userDefinedOpenUrlInNewTab()))->setData(hitTest.linkUrl()); menu->addAction(QIcon::fromTheme("window-new"), tr("Open link in new &window"), this, SLOT(openUrlInNewWindow()))->setData(hitTest.linkUrl()); menu->addSeparator(); menu->addAction(qIconProvider->fromTheme("user-bookmarks"), tr("B&ookmark link"), this, SLOT(bookmarkLink()))->setData(hitTest.linkUrl()); diff --git a/src/lib/webview/webview.h b/src/lib/webview/webview.h index 058dd5c4f..2a4044afd 100644 --- a/src/lib/webview/webview.h +++ b/src/lib/webview/webview.h @@ -169,6 +169,7 @@ private: bool m_actionsInitialized; bool m_disableTouchMocking; + bool m_isReloading; }; #endif // WEBVIEW_H diff --git a/src/plugins/GreaseMonkey/gm_addscriptdialog.cpp b/src/plugins/GreaseMonkey/gm_addscriptdialog.cpp index e8609d9d1..1d7d8a620 100644 --- a/src/plugins/GreaseMonkey/gm_addscriptdialog.cpp +++ b/src/plugins/GreaseMonkey/gm_addscriptdialog.cpp @@ -66,7 +66,7 @@ void GM_AddScriptDialog::showSource() return; } - const QString &tmpFileName = qz_ensureUniqueFilename(QDir::tempPath() + "/tmp-userscript.js"); + const QString &tmpFileName = qz_ensureUniqueFilename(mApp->tempPath() + "/tmp-userscript.js"); if (QFile::copy(m_script->fileName(), tmpFileName)) { int index = qz->tabWidget()->addView(QUrl::fromLocalFile(tmpFileName), Qz::NT_SelectedTabAtTheEnd); diff --git a/translations/cs_CZ.ts b/translations/cs_CZ.ts index 9951fd6fe..3e257900c 100644 --- a/translations/cs_CZ.ts +++ b/translations/cs_CZ.ts @@ -1817,18 +1817,18 @@ nebyl nalezen! Počet návštěv - - + + Today Dnes - + This Week Tento týden - + This Month Tento měsíc @@ -1950,6 +1950,37 @@ nebyl nalezen! Zobrazit informace o stránce + + LocationCompleterDelegate + + + Switch to tab + Přepnout na panel + + + + MainApplication + + + Default Browser + Výchozí prohlížeč + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + QupZilla není výchozím prohlížečem. Chcete nastavit QupZillu jak výchozí prohlížeč? + + + + Always perform this check when starting QupZilla. + Kontrolovat při každém startu aplikace. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2181,73 +2212,73 @@ nebyl nalezen! Obecné - + 1 1 - + Downloads Stahování - + Open blank page Otevřít prázdnou stránku - - + + Open homepage Otevřít domovskou stránku - + Restore session Obnovit relaci - + Homepage: Domovská stránka: - + On new tab: Při otevření nového panelu: - + Open blank tab Otevřít prázdný panel - + Open other page... Otevřít jinou stránku... - + <b>Navigation ToolBar</b> <b>Navigační panel</b> - + <b>Background<b/> <b>Pozadí</b> - + Use transparent background Použít průhledné pozadí - + Maximum Maximálně - + 50 MB 50 MB @@ -2257,12 +2288,12 @@ nebyl nalezen! QupZilla - + Allow storing network cache on disk Povolit ukládání cache na disk - + <b>Cookies</b> <b>Cookies</b> @@ -2271,57 +2302,57 @@ nebyl nalezen! <b>Chování adresního řádku</b> - + <b>Language</b> <b>Jazyk</b> - + Startup profile: Startovní profil: - + Create New Nový profil - + Delete Odstranit - + Show StatusBar on start Zobrazit StatusBar při startu - + <b>Profiles</b> <b>Profily</b> - + Show Bookmarks ToolBar on start Zobrazit panel záložek při startu - + Show Navigation ToolBar on start Zobrazit navigační panel při startu - + Show Home button Zobrazit tlačítko Domů - + Show Back / Forward buttons Zobrazit tlačítka Zpět / Vpřed - + <b>Browser Window</b> <b>Okno prohlížeče</b> @@ -2336,23 +2367,23 @@ nebyl nalezen! Písma - + <b>Launching</b> <b>Spouštění</b> - - + + Note: You cannot delete active profile. Poznámka: Nemůžete smazat aktivní profil. - + Notifications Oznámení - + Show Add Tab button Zobrazit 'Přidat panel' tlačítko @@ -2361,162 +2392,162 @@ nebyl nalezen! <b>Chování panelů</b> - + Activate last tab when closing active tab Aktivovat poslední panel při zavírání aktuálního - + Allow DNS Prefetch Povolit DNS Prefetch - + JavaScript can access clipboard Povolit JavaScriptu přístup do schránky - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Označovat odkazy tabulátorem - + Zoom text only Přibližovat pouze text - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Tisknout pozadí objektů - + Send Do Not Track header to servers Zasílat serverům Do Not Track hlavičku - + After launch: Po spuštění: - - + + Open speed dial Otevřít rychlou volbu - - + + Use current Použít aktuální - + Check for updates on start Kontrolovat aktualizace při startu - + Active profile: Aktivní profil: - + Themes Témata - + Advanced options Rozšířené možnosti - + Hide tabs when there is only one tab Skrýt seznam panelů při jediném panelu - + Ask when closing multiple tabs Ptát se při zavírání více panelů - + Select all text by clicking in address bar Označit vše při kliknutí do adresního řádku - + Don't quit upon closing last tab Nekončit při zavírání posledního panelu - + Closed tabs list instead of opened in tab bar Zobrazit seznam zavřených (místo otevřených) panelů v seznamu panelů - + Open new tabs after active tab Otevřít nový panel hned za aktuálním - + Allow JavaScript Povolit JavaScript - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Povolit kontrolu XSS - + Mouse wheel scrolls Kolečko myši posune - + lines on page řádků na stránce - + Default zoom on pages: Základní přiblížení stránek: - + Extensions Doplňky - + Don't load tabs until selected Nenačítat panely dokud nejsou vybrány - + Show tab previews Zobrazit náhledy panelů - + Make tab previews animated Animovat náhledy panelů - + Show web search bar Zobrazit vyhledávací řádek - + Tabs behavior Chování panelů @@ -2525,343 +2556,383 @@ nebyl nalezen! Zobrazit zavírací tlačítka na panelech - + Automatically switch to newly opened tab Automaticky přepnout na nově otevřený panel - + Address Bar behavior Chování adresního řádku - + Suggest when typing into address bar: Našeptávat při psaní v adresním řádku: - + History and Bookmarks Historii a záložky - + History Historii - + Bookmarks Záložky - + Nothing Nic - - Show loading progress in address bar - Zobrazit průběh načítání v adresním řádku - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Zobrazit průběh načítání v adresním řádku + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine Vyhledávat pomocí výchozího vyhledávače - + Allow Netscape Plugins (Flash plugin) Povolit Netscape pluginy (Flash plugin) - + Local Storage Lokální úložiště - + Delete now Vymazat nyní - + Proxy Configuration Konfigurace Proxy - + <b>Exceptions</b> <b>Výjimky</b> - + Server: Server: - + Use different proxy for https connection Použít jinou proxy pro https připojení - + <b>Font Families</b> <b>Typy písem</b> - + Standard Standardní - + Fixed Proporcionální - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kurzíva - + 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>Shortcuts</b> + < + + + + Switch to tabs with Alt + number of tab + Přepínat na panely pomocí Alt + pořadí panelu + + + + Load speed dials with Ctrl + number of speed dial + Načítat stránky z rychlé volby pomocí Ctrl + pořadí volby + + + <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: - - - - + + + + ... ... - + + Keyboard Shortcuts + Klávesové zkratky + + + + Check to see if QupZilla is the default browser on startup + Kontrolovat zda je QupZilla výchozím prohlížečem při startu + + + + Check Now + Zkontrolovat nyní + + + Show Reload / Stop buttons Zobrazit tlačítka Obnovit / Zastavit - + <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í - + <b>External download manager</b> <b>Externí správce stahování</b> - + Use external download manager Používat externí správce stahování - + Executable: Program: - + Arguments: Argumenty: - + Leave blank if unsure Pokud si nejste jisti, nechte prázdné - + Filter tracking cookies Filtrovat sledovací cookies - + Certificate Manager Správce certifikátů - + <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>Change browser identification</b> <b>Změnit identifikaci prohlížeče</b> - + User Agent Manager User Agent Správce - + <b>SSL Certificates</b> <b>SSL Certifikáty</b> - - + + <b>Other</b> <b>Ostatní</b> - + Send Referer header to servers Zasílat serverům Referer hlavičku - + Block popup windows Blokovat vyskakovací okna - + Manage CA certificates Spravovat CA certifikáty - + <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. @@ -2870,80 +2941,80 @@ nebyl nalezen! Změnit identifikaci prohlížeče: - + 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í - + Web Configuration Nastavení webu - + Allow local storage of HTML5 web content Povolit HTML5 lokální úložiště - + Delete locally stored HTML5 web content on close Smazat lokální úložiště při zavření prohlížeče - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: Port: - - + + Username: Jméno: - - + + Password: Heslo: - + Don't use on: Nepužívat na: @@ -2958,159 +3029,170 @@ nebyl nalezen! Prohlížení - + Allow JAVA Povolit JAVA - + Maximum pages in cache: Maximum stránek v cache: - + Password Manager 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 - + Privacy Soukromí - + 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 - + Cookies Manager Správce cookies - + Allow saving history Povolit ukládání historie - + Delete history on close Vymazat historii při zavření prohlížeče - + Other Ostatní - + Select all text by double clicking in address bar Select all text by clicking at address bar Označit vše při dvojitém kliknutí do adresního řádku - + Add .co.uk domain by pressing ALT key Přidat .cz doménu stísknutím ALT klávesy - + Available translations: Dostupné překlady: - + In order to change language, you must restart browser. Ke změně jazyka je nutný restart prohlížeče. - + + + QupZilla is default + QupZilla je výchozí + + + + Make QupZilla default + Nastavit QupZillu jako výchozí + + + 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... - + Deleted Smazáno - + Choose executable location... Vyberte cestu k programu... - + 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! - + Select Color @@ -3184,12 +3266,12 @@ nebyl nalezen! Konec - + New Tab Nový panel - + Close Tab Zavřít panel @@ -3205,27 +3287,27 @@ nebyl nalezen! QupZilla - + &Tools &Nástroje - + &Help Nápo&věda - + &Bookmarks Zál&ožky - + Hi&story &Historie - + &File &Soubor @@ -3238,229 +3320,229 @@ nebyl nalezen! <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? - + &New Window &Nové okno - + Open &File Otevřít &soubor - + &Save Page As... &Uložit stránku jako... - + 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 - + 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 - + Recently Visited Nedávno navštívené - + Most Visited Nejnavštěvovanější - + Web In&spector Web In&spektor - + Information about application Informace o aplikaci - + Configuration Information Informace o konfiguraci - + HTML files HTML soubory - + Image files Obrázky - + Text files Textové soubory - + All files Všechny soubory - + 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? - + Don't ask again Příště se již nedotazovat - + There are still open tabs Stále jsou otevřeny panely - + &Menu Bar &Hlavní nabídka - + &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... - + &Print... &Tisk... - + Other Ostatní - + %1 - QupZilla %1 - QupZilla @@ -3470,81 +3552,81 @@ Opravdu chcete skončit? Soukromé prohlížení zapnuto - + Restore &Closed Tab Obnovit zavř&ený panel - - - - - + + + + + Empty Prázdný - + Bookmark &This Page Přidat &stránku do záložek - + Bookmark &All Tabs Přidat &všechny panely do záložek - + Organize &Bookmarks Organizovat &záložky - + &Back &Zpět - + &Forward &Vpřed - + &Home &Domů - + Show &All History Zobrazit celou &historii - + Closed Tabs Zavřené panely - + Save Page Screen Uložit snímek stránky - + (Private Browsing) (Soukromé prohlížení) - + Restore All Closed Tabs Obnovit všechny zavřené panely - + Clear list Vyčistit seznam - + About &Qt O &Qt @@ -3554,47 +3636,47 @@ Opravdu chcete skončit? &O QupZille - + 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í @@ -3604,7 +3686,7 @@ Opravdu chcete skončit? Předvo&lby - + Open file... Otevřít soubor... @@ -4258,6 +4340,21 @@ Prosím přidejte si nějaký kliknutím na RSS ikonku v navigačním řádku.Okno %1 + + RegisterQAppAssociation + + + Warning! + Upozornění! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + Vyskytl se problém. Zkuste přeinstalovat QupZillu. +Je také možné že spuštění QupZilly s právy administrátora tento problém vyřeší ;) + + SSLManager @@ -5358,27 +5455,27 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ Spravovat vyhledáváče - + Add %1 ... Přidat %1 ... - + Paste And &Search Vložit a &hledat - + Clear All Vymazat vše - + Show suggestions Zobrazit našeptávač - + Search when engine changed Vyhledávat při změně vyhledávače @@ -5386,238 +5483,238 @@ Po přidání či odstranění cest k certifikátům je nutné k projevení změ WebView - + Open link in new &tab Otevřít odkaz v novém &panelu - + Open link in new &window Otevřít odkaz v novém &okně - + B&ookmark link Přidat odkaz do zá&ložek - + &Save link as... &Uložit odkaz jako... - + &Copy link address &Kopírovat adresu odkazu - + Show i&mage Zobrazit &obrázek - + Copy im&age &Kopírovat obrázek - + Copy image ad&dress Kopírovat adr&esu obrázku - + S&top &Zastavit - + Create Search Engine Vytvořit vyhledávač - + This frame Tento rám - + Show &only this frame Zobrazit &pouze tento rám - + Show this frame in new &tab Zobrazit tento rám v &novém panelu - + Print frame Tisknout rám - + Zoom &in Zoo&m + - + &Zoom out Z&oom - - + Reset Původní - + Show so&urce of frame Zobrazit &zdrojový kód rámu - + &Copy page link Kopírovat &adresu stránky - + Send page link... Odeslat adresu stránky... - + &Print page Ti&sknout stránku - + Validate page Zkontrolovat stránku - + Show info ab&out site Zobrazit &informace o stránce - + Search with... Hledat pomocí... - + &Play &Přehrát - + &Pause &Pozastavit - + Un&mute &Zrušit ztlumení - + &Mute &Ztlumit - + &Copy Media Address &Kopírovat adresu média - + &Send Media Address &Odeslat adresu média - + Save Media To &Disk &Uložit médium na disk - + &Save image as... &Uložit obrázek jako... - + &Back &Zpět - + &Forward &Vpřed - - + + &Reload &Obnovit - + Book&mark page Přidat stránku do zá&ložek - + &Save page as... &Uložit stránku jako... - + Select &all Vyb&rat vše - + Show so&urce code Zobrazit zdrojový kó&d - + Send text... Odeslat text... - + Google Translate Google Translate - + Dictionary Slovník - + Go to &web address Přejít na web&ovou adresu - + Search "%1 .." with %2 Hledat "%1 .." s %2 - + No Named Page Bezejmenná stránka - + Send link... Odeslat odkaz... - + Send image... Odeslat obrázek... diff --git a/translations/de_DE.ts b/translations/de_DE.ts index 59bed84c7..ea0bf93f0 100644 --- a/translations/de_DE.ts +++ b/translations/de_DE.ts @@ -1817,18 +1817,18 @@ Zähler - - + + Today Heute - + This Week Diese Woche - + This Month Dieser Monat @@ -1950,6 +1950,37 @@ Seiteninformationen anzeigen + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2181,73 +2212,73 @@ Allgemein - + 1 1 - + Downloads Downloads - + Open blank page Leere Seite öffnen - - + + Open homepage Startseite öffnen - + Restore session Sitzung wiederherstellen - + Homepage: Startseite: - + On new tab: Bei neuem Tab: - + Open blank tab Leeren Tab öffnen - + Open other page... Andere Seite öffnen... - + <b>Profiles</b> <b>Profile</b> - + Startup profile: Beim Start: - + Create New Neues Profil erstellen - + Delete Löschen - + <b>Launching</b> <b>Start</b> @@ -2257,32 +2288,32 @@ QupZilla - + Show StatusBar on start Status-Leiste nach Programmstart anzeigen - + Show Bookmarks ToolBar on start Lesezeichen Werkzeug-Leiste nach Programmstart anzeigen - + Show Navigation ToolBar on start Navigations-Leiste nach Programmstart anzeigen - + <b>Navigation ToolBar</b> <b>Navigations-Leiste</b> - + Allow storing network cache on disk Cache-Speicherung auf lokaler Festplatte erlauben - + <b>Cookies</b> <b>Cookies</b> @@ -2291,22 +2322,22 @@ <b>Adress-Leisten Verhalten</b> - + <b>Language</b> <b>Sprache</b> - + Show Home button Startseiten-Schaltfläche anzeigen - + Show Back / Forward buttons Zurück- / Vorwärts-Schaltflächen anzeigen - + <b>Browser Window</b> <b>Browser-Fenster</b> @@ -2316,12 +2347,12 @@ Tabs - + <b>Background<b/> <b>Hintergrund<b/> - + Use transparent background Transparenten Hintergrund benutzen @@ -2330,35 +2361,35 @@ <b>Tab-Verhalten</b> - + Web Configuration Web Konfiguration - + Maximum Maximum - + 50 MB 50 MB - + Ask everytime for download location Jedes Mal nach Speicherort fragen - + Use defined location: Definierten Speicherort benutzen: - - - - + + + + ... ... @@ -2373,32 +2404,32 @@ Im Internet surfen - + Allow JAVA Java zulassen - + Maximum pages in cache: Maximale Seitenanzahl im Cache: - + Password Manager Passwort Manager - + <b>AutoFill options</b> <b>Autovervollständigen</b> - + Allow saving passwords from sites Speichern von Passwörtern von Seiten erlauben - + Privacy Privatsphäre @@ -2408,149 +2439,149 @@ Schriftarten - - + + Note: You cannot delete active profile. Hinweis: Ein aktives Profil kann nicht gelöscht werden. - + Notifications Benachrichtigungen - + Show Add Tab button Tab hinzufügen Schaltfläche anzeigen - + Activate last tab when closing active tab Zuletzt besuchten Tab aktivieren, wenn aktiver Tab geschlossen wird - + Allow DNS Prefetch DNS Prefetch erlauben - + JavaScript can access clipboard JavaScript darf auf die Zwischenablage zugreifen - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Links in Focus Chain berücksichtigen - + Zoom text only Nur Text vergrößern - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Hintergrund drucken - + Send Do Not Track header to servers Do Not Track Kopfzeile zum Server senden - + After launch: Nach dem Start: - - + + Open speed dial Schnellwahl öffnen - - + + Use current Aktuelle benutzen - + Check for updates on start Beim Start auf Aktualisierungen überprüfen - + Active profile: Aktives Profil: - + Themes Themen - + Advanced options Erweiterte Optionen - + Hide tabs when there is only one tab Tabs verstecken, wenn nur ein Tab geöffnet ist - + Ask when closing multiple tabs Fragen, wenn mehrere Tabs geschlossen werden - + Select all text by clicking in address bar Gesamten Text durch Klick in die Adressleiste auswählen - + Don't quit upon closing last tab Beim Schließen des letzten Tab QupZilla nicht beenden - + Closed tabs list instead of opened in tab bar Liste der geschlossen anstatt der geöffneten Tabs anzeigen - + Open new tabs after active tab Neue Tabs hinter dem aktiven Tab öffnen - + Allow JavaScript JavaScript erlauben - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Prevents cross-site scripting Aktiviere XSS Prüfung - + Mouse wheel scrolls Mit dem Mausrad blättern - + lines on page Zeilen auf einer Seite - + Default zoom on pages: Standardvergrößerung: @@ -2559,32 +2590,32 @@ Browser Identifizierung ändern: - + Extensions Erweiterungen - + Don't load tabs until selected Tabs erst laden, wenn sie ausgewählt wurden - + Show tab previews Tab-Vorschau anzeigen - + Make tab previews animated Tab-Vorschau animieren - + Show web search bar Suchleiste anzeigen - + Tabs behavior Tab-Verhalten @@ -2593,525 +2624,576 @@ Schließen-Schaltfläche auf Tabs anzeigen - + Automatically switch to newly opened tab Automatisch zu neu geöffnetem Tab wechseln - + Address Bar behavior Adress-Leisten Verhalten - + Suggest when typing into address bar: Vorschläge bei Eingabe in Adress-Leiste: - + History and Bookmarks Verlauf und Lesezeichen - + History Verlauf - + Bookmarks Lesezeichen - + Nothing Keine - + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + + Propose to switch tab if completed url is already loaded. + + + + Show loading progress in address bar Fortschrittsanzeige in der Adress-Leiste anzeigen - + Fill Füllen - + Bottom Unten - + Top Oben - + If unchecked the bar will adapt to the background color. Wenn deaktivert, übernimmt der Fortschrittsbalken die Hintergrundfarbe. - + custom color: Benutzerdefinierte Farbe: - + Select color Farbe auswählen - + Many styles use Highlight color for the progressbar. Viele Themen stellen den Fortschrittsbalken hervorgehoben dar. - + set to "Highlight" color Aktivieren, um die Farbe hervor zu heben - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body><p>Ist diese Option aktiviert, wird die Standard-Suchmaschine ohne Shortcut in der Adressleiste genutzt anstatt der, die aktuell in der Suchleiste eingestellt ist.</p></body></html> - + Search with Default Engine Mit Standard-Suchmaschine suchen - + Allow Netscape Plugins (Flash plugin) Netscape Plugins (Flash Plugin) erlauben - + Local Storage Lokaler Speicherplatz - + Delete now Jetzt löschen - + Proxy Configuration Proxy Konfiguration - + <b>Exceptions</b> <b>Ausnahmen</b> - + Server: Server: - + Use different proxy for https connection Einen anderen Proxy für https Verbindungen nutzen - + <b>Font Families</b> <b>Schriftarten</b> - + Standard Standard - + Fixed Feste Breite - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kursiv - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Schriftgrößen</b> - + Fixed Font Size Feste Schriftgröße - + Default Font Size Standard Schriftgröße - + Minimum Font Size Kleinste Schriftgröße - + Minimum Logical Font Size Kleinste logische Schriftgröße - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <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 - + Leave blank if unsure Im Zweifelsfall leer lassen - + Allow storing of cookies Das Speichern von Cookies erlauben - + Certificate Manager Zertifikat-Manager - + Delete cookies on close Cookies beim Beenden löschen - + <b>Change browser identification</b> <b>Browser Identifizierung ändern</b> - + User Agent Manager User Agent Manager - + Match domain exactly Genaue Übereinstimmung der Domain - + Cookies Manager Cookie Manager - + <b>SSL Certificates</b> <b>SSL Zertifikate</b> - - + + <b>Other</b> <b>Andere</b> - + Send Referer header to servers Den Referrer übermitteln - + Block popup windows PopUp Fenster blockieren - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons Neu Laden-/ Stopp-Schaltflächen anzeigen - + Manage CA certificates CA Zertifikate verwalten - + <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. - + StyleSheet automatically loaded with all websites: StyleSheet automatisch mit allen Webseiten laden: - + Languages Sprachen - + <b>Preferred language for web sites</b> <b>Bevorzugte Sprache für Webseiten</b> - + System proxy configuration Proxy-Einstellungen des Systems verwenden - + Do not use proxy Keinen Proxy benutzen - + Manual configuration Manuelle Konfiguration - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: Port: - - + + Username: Nutzername: - - + + Password: Passwort: - + Don't use on: Ausnahme: - + Allow saving history Speichern des Verlaufs erlauben - + Delete history on close Verlauf beim Beenden löschen - + Other Andere - + Select all text by double clicking in address bar Select all text by clicking at address bar Ganzen Text mit einem Doppelklick in der Adress-Leiste auswählen - + Add .co.uk domain by pressing ALT key Zum Hinzufügen der .co.uk Domäne drücken Sie bitte die ALT-Taste - + Allow local storage of HTML5 web content Das lokale Speichern von HTML5 Inhalten erlauben - + Delete locally stored HTML5 web content on close Lokale HTML5 Speicherinhalte beim Verlassen löschen - + <b>External download manager</b> <b>Externer Download Manager</b> - + Use external download manager Externen Download Manager benutzen - + Executable: Ausführbare Datei: - + Arguments: Parameter: - + Filter tracking cookies Seitenfremde Cookies verbieten - + <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! - + Available translations: Verfügbare Übersetzungen: - + In order to change language, you must restart browser. Um die Sprache zu ändern, starten Sie bitte QupZilla neu. - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Gelöscht - + Choose executable location... Ausführbare Datei auswä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! - + Select Color Farbe auswählen @@ -3185,12 +3267,12 @@ Beenden - + New Tab Neuer Tab - + Close Tab Tab schließen @@ -3206,27 +3288,27 @@ QupZilla - + &Tools &Werkzeuge - + &Help &Hilfe - + &Bookmarks &Lesezeichen - + Hi&story &Verlauf - + &File &Datei @@ -3239,228 +3321,228 @@ <b>QupZilla ist abgestürzt :-(</b><br/>Hoppla,die letzte Sitzung wurde unerwartet beendet. Verzeihung. Möchten Sie den letzten Status wiederherstellen? - + &New Window Neues &Fenster - + Open &File Datei ö&ffnen - + &Save Page As... Seite speichern &unter... - + Import bookmarks... Lesezeichen importieren... - + &Edit &Bearbeiten - + &Undo &Rückgängig - + &Redo &Wiederherstellen - + &Cut &Ausschneiden - + C&opy &Kopieren - + &Paste E&infügen - + 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 - + Recently Visited Neulich besucht - + Most Visited Meistbesuchte - + Web In&spector Web In&spector - + Information about application Mehr über QupZilla - + Configuration Information Informationen zur Konfiguration - + HTML files HTML Dateien - + Image files Bild-Dateien - + Text files Text-Dateien - + All files Alle Dateien - + 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? - + Don't ask again Nicht mehr fragen - + There are still open tabs Es sind noch Tabs geöffnet - + &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... - + &Print... &Drucken... - + Other Andere - + %1 - QupZilla %1 - QupZilla @@ -3470,81 +3552,81 @@ Are you sure to quit QupZilla? Privater Modus aktiv - + Restore &Closed Tab Geschlossenen Tab &wiederherstellen - - - - - + + + + + Empty Leer - + Bookmark &This Page &Lesezeichen für diese Seite hinzufügen - + Bookmark &All Tabs Lesezeichen für alle &geöffneten Tabs hinzufügen - + Organize &Bookmarks Bookmarks &bearbeiten - + &Back &Zurück - + &Forward &Vor - + &Home &Startseite - + Show &All History &Vollständigen Verlauf anzeigen - + Closed Tabs Geschlossene Tabs - + Save Page Screen Bildschirmseite speichern - + (Private Browsing) (Privater Modus) - + Restore All Closed Tabs Alle geschlossenen Tabs wiederherstellen - + Clear list Liste leeren - + About &Qt Üb&er Qt @@ -3554,47 +3636,47 @@ Are you sure to quit QupZilla? Über Qup&Zilla - + 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 @@ -3604,7 +3686,7 @@ Are you sure to quit QupZilla? &Einstellungen - + Open file... Datei öffnen... @@ -4258,6 +4340,20 @@ Bitte fügen Sie welche über das RSS Symbol in der Navigationsleiste hinzu.Fenster %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5355,27 +5451,27 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest Suchmaschinen verwalten - + Add %1 ... Hinzufügen von %1 ... - + Paste And &Search Einfügen und &Suchen - + Clear All Alle leeren - + Show suggestions Vorschläge anzeigen - + Search when engine changed Suche nach Änderung der Suchmaschine starten @@ -5383,238 +5479,238 @@ Nachdem Speicherpfade hinzugefügt oder gelöscht wurden, muss QupZilla neu gest WebView - + Open link in new &tab Link in neuem &Tab öffnen - + Open link in new &window Link in neuem &Fenster öffnen - + B&ookmark link &Lesezeichen für diesen Link hinzufügen - + &Save link as... &Ziel speichern unter... - + &Copy link address Lin&k-Adresse kopieren - + Show i&mage G&rafik anzeigen - + Copy im&age Grafik k&opieren - + Copy image ad&dress Grafika&dresse kopieren - + S&top S&topp - + Create Search Engine Suchmaschine erstellen - + This frame Dieser Rahmen - + Show &only this frame Nur diesen Rahmen anzei&gen - + Show this frame in new &tab Diesen Rahmen in einem neuen &Tab anzeigen - + Print frame Rahmen drucken - + Zoom &in Ver&größern - + &Zoom out Ver&kleinern - + Reset Zurücksetzen - + Show so&urce of frame Q&uelltext dieses Rahmens anzeigen - + &Copy page link Link zur Seite &kopieren - + Send page link... Link der Seite versenden... - + &Print page Seite &drucken - + Validate page Seite überprüfen - + Show info ab&out site S&eiteninformationen anzeigen - + Search with... Suche mit... - + &Play &Wiedergabe - + &Pause &Pause - + Un&mute &Ton einschalten - + &Mute &Stumm schalten - + &Copy Media Address Medienadresse &kopieren - + &Send Media Address Medienadresse &versenden - + Save Media To &Disk Multimedia-Datei &speichern - + &Save image as... Grafik speichern &unter... - + &Back &Zurück - + &Forward &Vor - - + + &Reload &Neu laden - + Book&mark page &Lesezeichen für diese Seite hinzufügen - + &Save page as... Seite speichern &unter... - + Select &all Alles au&swählen - + Show so&urce code Seitenquelltext &anzeigen - + Send text... Text senden... - + Google Translate Google Übersetzer - + Dictionary Wörterbuch - + Go to &web address Gehe zu &Web-Adresse - + Search "%1 .." with %2 Suche "%1 .." mit %2 - + No Named Page Leere Seite - + Send link... Link senden... - + Send image... Grafik senden... diff --git a/translations/el_GR.ts b/translations/el_GR.ts index bbddc6b08..833874709 100644 --- a/translations/el_GR.ts +++ b/translations/el_GR.ts @@ -1817,18 +1817,18 @@ Μετριτής επισκέψεων - - + + Today Σήμερα - + This Week Αυτή τη βδομάδα - + This Month Αυτό το μήνα @@ -1950,6 +1950,37 @@ Εμφάνιση πληροφοριών για αυτή τη σελίδα + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2181,145 +2212,160 @@ QupZilla - + + Keyboard Shortcuts + + + + <b>Launching</b> <b>Εκκίνηση</b> - + After launch: Μετά την εκκίνηση: - + Open blank page Άνοιγμα μιας κενής σελίδας - - + + Open homepage Άνοιγμα της αρχικής μου σελίδας - - + + Open speed dial Άνοιγμα γρήγορης κλήσης - + Restore session Επαναφορά συνεδρίας - + Homepage: Αρχική σελίδα: - + On new tab: Σε νέα καρτέλα: - + Open blank tab Άνοιγμα μιας κενής σελίδας - + Open other page... Άνοιγμα άλλης σελίδας... - + <b>Profiles</b> <b>Προφίλ</b> - + Startup profile: Προφίλ εκκίνησης: - + Create New Δημιουργία νέου - + Delete Διαγραφή - - + + Note: You cannot delete active profile. Σημείωση: Δεν μπορείτε να διαγράψετε το ενεργό προφίλ. - + Check for updates on start Έλεγχος για ενημερώσεις στην εκκίνηση - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes Θέματα - + Advanced options Προχωρημένες επιλογές - + <b>Browser Window</b> <b>Παράθυρο περιηγητή</b> - + Show StatusBar on start Εμφάνιση μπάρας κατάστασης στην εκκίνηση - + Show Bookmarks ToolBar on start Εμφάνιση εργαλειοθήκης σελιδοδεικτών στην εκκίνηση - + Show Navigation ToolBar on start Εμφάνιση εργαλειοθήκης πλοήγησης στην εκκίνηση - + <b>Navigation ToolBar</b> <b>Εργαλειοθήκη πλοήγησης</b> - + Show Home button Εμφάνιση κουμπιού Αρχικής σελίδας - + Show Back / Forward buttons Εμφάνιση κουμπιών Πίσω / Μπροστά - + Show Add Tab button Εμφάνιση κουμπιού Προσθήκης καρτέλας - + <b>Background<b/> <b>Φόντο<b/> - + Use transparent background Χρησιμοποίηση διάφανου φόντου @@ -2328,7 +2374,7 @@ <b>Συμπεριφορά καρτελών</b> - + Hide tabs when there is only one tab Απόκρυψη καρτελών όταν υπάρχει μόνο μία καρτέλα @@ -2337,17 +2383,17 @@ <b>Συμπεριφορά μπάρας διευθύνσεων</b> - + Select all text by double clicking in address bar Επιλογή ολόκληρου του κειμένου κάνοντας διπλό κλικ στην μπάρα διευθύνσεων - + Add .co.uk domain by pressing ALT key Προσθήκη του domain .gr πατώντας το πλήκτρο ALT - + Activate last tab when closing active tab Ενεργοποίηση τελευταίας καρτέλας στο κλείσιμο ενεργής καρτέλας @@ -2356,146 +2402,146 @@ Αλλαγή αναγνωριστικού περιηγητή: - + Ask when closing multiple tabs Ερώτηση στο κλείσιμο πολλαπλών καρτελών - + Select all text by clicking in address bar Επιλογή ολόκληρου του κειμένου κάνοντας κλικ στην μπάρα διευθύνσεων - + Web Configuration Ρυθμίσεις διαδικτύου - + Allow JAVA Να επιτρέπεται το JAVA - + Allow JavaScript Να επιτρέπεται το JavaScript - - + + Use current Χρήση τρέχουσας - + Active profile: Ενεργό προφίλ: - + Don't quit upon closing last tab Να μην γίνεται έξοδος κατά το κλείσιμο της τελευταίας καρτέλας - + Closed tabs list instead of opened in tab bar Λίστα κλεισμένων καρτελών αντί για ανοιχτών στην μπάρα καρτελών - + Open new tabs after active tab Άνοιγμα νέων καρτελών μετά την τρέχουσα καρτέλα - + Allow DNS Prefetch Να επιτρέπεται η προανάκτηση DNS - + Allow local storage of HTML5 web content Να επιτρέπεται η τοπική αποθήκευση περιεχομένου HTML5 - + Delete locally stored HTML5 web content on close Διαγραφή τοπικά αποθηκευμένου περιεχομένου HTML5 κατά το κλείσιμο - + JavaScript can access clipboard Να έχει πρόσβαση στο πρόχειρο το JavaScript - + Send Do Not Track header to servers Αποστολή κεφαλίδας Do Not Track (Μην εντοπίζεις) στους διακομηστές - + Zoom text only Ζουμ μόνο στο κείμενο - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Εκτύπωση στοιχείου φόντου - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Συμπερίληψη συνδέσμων στην αλυσίδα εστίασης - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Ενεργοποίηση ελεγκτικών XSS - + Mouse wheel scrolls Κύλιση ροδέλας ποντικιού - + lines on page γραμμές στην σελίδα - + Default zoom on pages: Προκαθορισμένο ζουμ στις σελίδες: - + Extensions Επεκτάσεις - + Don't load tabs until selected Να μην φορτώνονται καρτέλες μέχρι να γίνει επιλογή τους - + Show tab previews Εμφάνιση προεπισκόπησης καρτέλων - + Make tab previews animated Η προεπισκόπηση καρτέλων να ειναι με εφέ κίνησης - + Show web search bar Εμφάνιση μπάρας αναζήτησης - + Tabs behavior Συμπεριφορά καρτελών @@ -2504,491 +2550,516 @@ Εμφάνιση κουμπιού κλεισίματος στις καρτέλες - + Automatically switch to newly opened tab Αυτόματη μετάβαση στη νεα ανοιγμένη καρτέλα - + Address Bar behavior Συμπεριφορά μπάρας διευθύνσεων - + Suggest when typing into address bar: Προτάσεις όταν πληκτρολογείτε στην μπάρα διευθύνσεων: - + History and Bookmarks Ιστορικό και Σελιδοδεικτες - + History Ιστορικό - + Bookmarks Σελιδοδείκτες - + Nothing Τίποτα - - Show loading progress in address bar - Εμφάνιση προόδου φόρτωσης στην μπάρα διευθύνσεων - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Εμφάνιση προόδου φόρτωσης στην μπάρα διευθύνσεων + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Να επιτρέπονται τα πρόσθετα Netscape (πρόσθετο Flash) - + Local Storage Τοπική αποθήκευση - + Maximum pages in cache: Μέγιστες σελίδες στην μνήμη cache: - + 1 1 - + Allow storing network cache on disk Να επιτρέπεται η αποθήκευση της μνήμης cache του δικτύου στον δίσκο - + Maximum Μέγιστη - + 50 MB 50 MB - + Allow saving history Να επιτρέπεται η αποθήκευση ιστορικού - + Delete history on close Διαγραφή ιστορικού στο κλείσιμο - + Delete now Διαγραφή τώρα - + 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>Exceptions</b> <b>Εξαιρέσεις</b> - + Server: Διακομιστής: - + Use different proxy for https connection Χρήση διαφορετικού μεσολαβητή για σύνδεση https - + <b>Font Families</b> <b>Οικογένειες γραμματοσειρών</b> - + Standard Standard - + Fixed Σταθερό - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursive - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Εξωτερικός διαχειριστής λήψεων</b> - + Use external download manager Χρήση εξωτερικού διαχειριστή λήψεων - + Executable: Εκτελέσιμο: - + Arguments: Παράμετροι: - + Leave blank if unsure Αφήστε κενό αν δεν είστε σίγουροι - + Filter tracking cookies Φιλτράρισμα των cookies παρακολούθησης - + Certificate Manager Διαχειριστής Πιστοποιητικών - + <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>Change browser identification</b> <b>Αλλαγή αναγνωριστικού περιηγητή</b> - + User Agent Manager Διαχειριστής πράκτορα χρήστη - + 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: Χρήση καθορισμένης τοποθεσίας: - - - - + + + + ... ... - + Show Reload / Stop buttons - + <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> - + Allow storing of cookies Να επιτρέπεται η αποθήκευση των cookies - + Manage CA certificates Διαχείριση πιστοποιητικών CA - + Delete cookies on close Διαγραφή των cookies στο κλείσιμο - + Match domain exactly Ακριβές ταίριασμα του τομέα διεύθυνσης (domain) - + Cookies Manager Διαχειριστής Cookies - + <b>SSL Certificates</b> <b>Πιστοποιητικά SSL</b> - - + + <b>Other</b> <b>Άλλο</b> - + Send Referer header to servers Αποστολή κεφαλίδας αναφοράς (referer header) στους διακομιστές - + Block popup windows Φραγή αναδυόμενων παράθυρων - + <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. Για να αλλάξετε γλώσσα, πρέπει να επανεκκινήσετε τον περιηγητή. - + StyleSheet automatically loaded with all websites: StyleSheet που φορτώνεται αυτόματα με όλες τις σελίδες: - + Languages Γλώσσες - + <b>Preferred language for web sites</b> <b>Προτιμώμενη γλώσσα για ιστοσελίδες</b> @@ -3018,98 +3089,109 @@ Γραμματοσειρές - + Downloads Λήψεις - + Password Manager Διαχειριστής κωδικών - + Privacy Ιδιωτικό απόρρητο - + Notifications Ειδοποιήσεις - + Other Άλλα - + + + QupZilla is default + + + + + Make QupZilla default + + + + OSD Notification Ειδοποίηση OSD - + Drag it on the screen to place it where you want. Μετακινήστε το στην οθόνη για να το τοποθετήσετε όπου θέλετε. - + Choose download location... Επιλογή τοποθεσίας λήψεων... - + Choose stylesheet location... Επιλογή τοποθεσίας stylesheet... - + Deleted Διαγράφηκε - + Choose executable 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"; Η ενέργεια αυτή δεν μπορεί να αναιρεθεί! - + Select Color @@ -3188,78 +3270,78 @@ Διεύθυνση 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... Αποστολή συνδέσμου... - + Import bookmarks... Εισαγωγή σελιδοδεικτών... @@ -3269,42 +3351,42 @@ Έξοδος - + &Edit &Επεξεργασία - + &Undo Αναί&ρεση - + &Redo Ακύρωση α&ναίρεσης - + &Cut Απο&κοπή - + C&opy Αντι&γραφή - + &Paste Ε&πικόλληση - + Select &All Επι&λογή όλων - + &Find Εύ&ρεση @@ -3327,203 +3409,203 @@ Το <b>QupZilla κατέρρευσε :-(</b><br/>Ούπς, η τελευταία συνεδρία του QupZilla διακόπηκε απροσδόκητα. Ζητάμε συγνώμη για αυτό. Θα θέλατε να δοκιμάσετε την επαναφορά στην ποιο πρόσφατα αποθηκευμένη κατάσταση; - + &Print... Ε&κτύπωση... - + &View Π&ροβολή - + &Navigation Toolbar Ερ&γαλειοθήκη πλοήγησης - + &Bookmarks Toolbar Ερ&γαλειοθήκη σελιδοδεικτών - + Sta&tus Bar Μπάρα κα&τάστασης - + &Menu Bar Μπάρα &μενού - + &Fullscreen &Πλήρης Οθόνη - + &Stop &Διακοπή - + &Reload &Ανανέωση - + Character &Encoding &Κωδικοποίηση χαρακτήρων - + Toolbars Εργαλειοθήκες - + Sidebars Πλευρικές στήλες - + Zoom &In Ε&στίαση - + Zoom &Out Σμίκρ&υνση - + Reset Επαναφορά - + &Page Source Κώδ&ικας σελίδας - + Closed Tabs Κλεισμένες καρτέλες - + Recently Visited Επισκεφτήκατε πρόσφατα - + Most Visited Επισκεφτήκατε περισσότερο - + Web In&spector Επι&θεωρητής διαδικτύου - + Configuration Information Πληροφορίες διαμόρφωσης - + Restore &Closed Tab Επαναφορά κλει&σμένης καρτέλας - + (Private Browsing) (Ιδιωτική περιήγηση) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Υπάρχουν ακόμα %1 ανοιχτές καρτέλες και η συνεδρία σας δεν θα αποθηκευτεί. Είστε σίγουρος ότι θέλετε να κλείσετε το QupZilla; - + Don't ask again Μην ρωτήσεις ξανά - + There are still open tabs Υπάρχουν ανοιχτές καρτέλες - + 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 %1 QupZilla @@ -3533,77 +3615,77 @@ Are you sure to quit QupZilla? Πε&ρί QupZilla - + Report &Issue Αναφορά προ&βλήματος - + &Web Search &Αναζήτηση διαδικτύου - + Page &Info &Πληροφορίες σελίδας - + &Download Manager Διαχειριστής &Λήψεων - + &Cookies Manager Δια&χειριστής Cookies - + &AdBlock Ad&Block - + RSS &Reader Α&ναγνώστης RSS - + Clear Recent &History Εκκαθάρ&ιση πρόσφατου ιστορικού - + &Private Browsing Ιδιωτική Περιήγ&ηση - + Other Άλλα - + HTML files Αρχεία HTML - + Image files Αρχεία εικόνων - + Text files Αρχεία κειμένου - + All files Όλα τα αρχεία - + Open file... Άνοιγμα αρχείου... @@ -4257,6 +4339,20 @@ Please add some with RSS icon in navigation bar on site which offers feeds.Παράθυρο %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5352,27 +5448,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Διαχείριση μηχανών αναζήτησης - + Add %1 ... Προσθηκη %1... - + Paste And &Search Επικόλληση και &αναζήτηση - + Clear All Εκκαθάριση όλων - + Show suggestions Εμφάνιση προτάσεων - + Search when engine changed @@ -5380,238 +5476,238 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + Open link in new &tab Άνοιγμα συνδέσμου σε νέα καρ&τέλα - + Open link in new &window Άνοιγμα συνδέσμου σε νέο &παράθυρο - + B&ookmark link Ο σύνδεσμος ως σελιδο&δείκτης - + &Save link as... Απο&θήκευση συνδέσμου ως... - + Send link... Αποστολή συνδέσμου... - + &Copy link address Α&ντιγραφή διεύθυνσης συνδέσμου - + Show i&mage Εμφάνιση &εικόνας - + Copy im&age Αντιγραφή ει&κόνας - + Copy image ad&dress Αντιγραφή διεύ&θυνσης εικόνας - + &Save image as... Απο&θήκευση εικόνας ως... - + Send image... Αποστολή εικόνας... - + &Back &Πίσω - + Create Search Engine Δημιουργία μηχανής αναζήτησης - + &Forward &Μπροστά - - + + &Reload &Ανανέωση - + S&top &Διακοπή - + This frame Αυτό το πλαίσιο - + Show &only this frame Εμφάνιση &μόνο αυτού του πλαισίου - + Show this frame in new &tab Εμφάνιση αυτού του πλαισίου σε νέα &καρτέλα - + Print frame Εκτύπωση πλαισίου - + Zoom &in Ε&στίαση - + &Zoom out Σμίκρ&υνση - + Reset Επαναφορά - + Show so&urce of frame Εμφάνιση πη&γαίου του πλαισίου - + Book&mark page Η σελίδα ως &σελιδοδείκτης - + &Save page as... Αποθήκευση σε&λίδας ως... - + &Copy page link Α&ντιγραφή συνδέσμου σελίδας - + Send page link... Αποστολή συνδέσμου σελίδας... - + &Print page Ε&κτύπωση σελίδας - + Send text... Αποστολή κειμένου... - + Google Translate Μετάφραση Google - + Dictionary Λεξικό - + Go to &web address Μετάβαση στην διεύθυνση &διαδικτύου - + Search with... Αναζήτηση με... - + &Play &Αναπαραγωγή - + &Pause &Πάυση - + Un&mute Ά&ρση σίγασης - + &Mute &Σίγαση - + &Copy Media Address Α&ντιγραφή διεύθυνσης πολυμέσου - + &Send Media Address Α&ποστολή διεύθυνσης πολυμέσων - + Save Media To &Disk Αποθήκευση πολυμέσου στον &δίσκο - + Select &all Επι&λογή όλων - + Validate page Επικύρωση σελίδας - + Show so&urce code Εμφάνιση πη&γαίου κώδικα - + Show info ab&out site Εμφάνιση πληρο&φοριών για την σελίδα - + Search "%1 .." with %2 Αναζήτηση "%1" με %2 - + No Named Page Ανώνυμη σελίδα diff --git a/translations/empty.ts b/translations/empty.ts index 8f963cb0d..0a74cffdb 100644 --- a/translations/empty.ts +++ b/translations/empty.ts @@ -1521,6 +1521,32 @@ + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2429,6 +2455,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3324,6 +3390,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds. + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/es_ES.ts b/translations/es_ES.ts index a3a06e7ea..45d307080 100644 --- a/translations/es_ES.ts +++ b/translations/es_ES.ts @@ -1816,18 +1816,18 @@ Contador de visitas - - + + Today Hoy - + This Week Esta semana - + This Month Este mes @@ -1949,6 +1949,37 @@ Ver información de la página + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2195,27 +2226,27 @@ Fuentes - + Downloads Descargas - + Password Manager Gestor de contraseñas - + Privacy Privacidad - + Notifications Notificaciones - + Other Otros @@ -2225,139 +2256,154 @@ QupZilla - + + Keyboard Shortcuts + + + + <b>Launching</b> <b>Inicio</b> - + After launch: Cuando se inicie: - + Open blank page Abrir una página en blanco - - + + Open homepage Abrir página de inicio - + Restore session Restaurar sesión - + Homepage: Página de inicio: - + On new tab: Para nueva pestaña: - + Open blank tab Abrir una página en blanco - + Open other page... Abrir otra página... - + <b>Profiles</b> <b>Perfiles</b> - + Startup profile: Perfil al inicio: - + Create New Crear nuevo - + Delete Eliminar - - + + Note: You cannot delete active profile. Nota: no puede eliminar el perfil activo. - + Check for updates on start Comprobar actualizaciones al inicio - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes Temas - + Advanced options Opciones avanzadas - + <b>Browser Window</b> <b>Ventana del navegador</b> - + Show StatusBar on start Mostrar barra de estado al inicio - + Show Bookmarks ToolBar on start Mostrar barra de herramientas de marcadores al inicio - + Show Navigation ToolBar on start Mostrar barra de herramientas de navegación al inicio - + <b>Navigation ToolBar</b> <b>Barra de herramientas de navigación</b> - + Show Home button Mostrar botón de página de inicio - + Show Back / Forward buttons Mostrar botones Anterior / Siguiente - + Show Add Tab button Mostrar botón de añadir pestaña - + <b>Background<b/> <b>Fondo<b/> - + Use transparent background Usar fondo transparente @@ -2370,172 +2416,172 @@ <b>Comportamiento de la barra de direcciones</b> - + Select all text by double clicking in address bar Seleccionar todo el texto haciendo doble click en la barra de direcciones - + Add .co.uk domain by pressing ALT key Añadir dominio .co.uk pulsando la tecla ALT - + Activate last tab when closing active tab Activar la última pestaña al cerrar la pestaña activa - + Ask when closing multiple tabs Preguntar al cerrar múltiples pestañas - + Web Configuration Configuración web - + Allow JAVA Permitir JAVA - + Allow JavaScript Permitir JavaScript - + Allow DNS Prefetch Permitir DNS Prefetch - + Allow local storage of HTML5 web content Permitir el almacenamiento local de contenido de red HTML5 - + Delete locally stored HTML5 web content on close Borrar el contenido de red HTML5 almacenado localmente al cerrar - + JavaScript can access clipboard JavaScript puede acceder al portapapeles - + Send Do Not Track header to servers Decir a los sitios web que no quiero ser rastreado - + Zoom text only Ampliar sólo el texto - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Incluir enlaces en la cadena de foco - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Imprimir fondo del elemento - - + + Open speed dial Abrir marcación rápida - - + + Use current Usar actual - + Active profile: Perfil activo: - + Hide tabs when there is only one tab Ocultar pestañas cuando sólo haya una pestaña - + Select all text by clicking in address bar Seleccionar todo el texto al hacer click en la barra de direcciones - + Don't quit upon closing last tab No salir al cerrar la última pestaña - + Closed tabs list instead of opened in tab bar Lista de pestañas cerradas en lugar de las abiertas en la barra de pestañas - + Open new tabs after active tab Abrir pestañas nuevas junto a la pestaña activa - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Habilitar Auditoría XSS - + Mouse wheel scrolls La rueda del ratón desplaza - + lines on page líneas en la página - + Default zoom on pages: Ampliación predeterminada en las páginas: - + Extensions Extensiones - + Don't load tabs until selected No cargar las pestañas hasta seleccionarlas - + Show tab previews Mostrar previsualización de pestañas - + Make tab previews animated Previsualización de pestañas animada - + Show web search bar Mostrar buscador rapido web - + Tabs behavior Manejo de pestañas @@ -2544,290 +2590,315 @@ Mostrar boton cerrar en pestañas - + Automatically switch to newly opened tab Cambiar automáticamente a la nueva pestaña abierta - + Address Bar behavior Manejo de direcciones - + Suggest when typing into address bar: Sugerir mientras escribe en la barra de direcciones web: - + History and Bookmarks Historial y favoritos - + History Historial - + Bookmarks Marcadores - + Nothing Nada - - Show loading progress in address bar - Mostrar progreso de carga en la barra de direccion - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Mostrar progreso de carga en la barra de direccion + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Permitir plugins Netscape (Flash plugin) - + Local Storage Almacenamiento local - + Maximum pages in cache: Número máximo de páginas en caché: - + 1 1 - + Allow storing network cache on disk Almacenar caché de la red en el disco - + Maximum Máximo - + 50 MB 50 MB - + Allow saving history Guardar el historial - + Delete history on close Eliminar el historial al cerrar - + Delete now Eliminar ahora - + 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>Exceptions</b> <b>Excepciones</b> - + Server: Servidor: - + Use different proxy for https connection Usar un proxy diferente para la conexión https - + <b>Font Families</b> <b>Familias de fuentes</b> - + Standard Standard - + Fixed Fijo - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursiva - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Gestor de descargas externo</b> - + Use external download manager Utilizar un gestor de descargas externo - + Executable: Ejecutable: - + Arguments: Argumentos: - + Leave blank if unsure Dejar en blanco si no esta seguro - + Filter tracking cookies Filtrar cookies de rastreo - + Certificate Manager Gestor de certificados - + <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>Change browser identification</b> <b>Cambiar identificacion del navegador</b> - + User Agent Manager Agente de usuario @@ -2836,203 +2907,203 @@ Cambiar la identificación del navegador: - + 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: - - - - + + + + ... ... - + Show Reload / Stop buttons - + <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> - + Allow storing of cookies Permitir almacenar cookies - + Manage CA certificates Gestionar certificados CA - + Delete cookies on close Eliminar cookies al cerrar - + Match domain exactly Coincidir con el dominio exacto - + Cookies Manager Gestor de cookies - + <b>SSL Certificates</b> <b>Certificados SSL</b> - - + + <b>Other</b> <b>Otros</b> - + Send Referer header to servers Enviar el encabezado del referente a los servidores - + Block popup windows Bloquear ventanas emergentes - + <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. - + 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> @@ -3042,73 +3113,84 @@ Apariencia - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Eliminado - + Choose executable location... Seleccione la ubicación del ejecutable... - + 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! - + Select Color @@ -3187,78 +3269,78 @@ 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... - + Import bookmarks... Importar marcadores... @@ -3281,237 +3363,237 @@ <b>QupZilla se cerró inesperadamente :-(</b><br/>Lo sentimos, la última sesión de QupZilla terminó inesperadamente. ¿Le gustaría intentar restaurar el último estado guardado? - + &Print... &Imprimir... - + &Edit &Editar - + &Undo &Deshacer - + &Redo &Rehacer - + &Cut &Cortar - + C&opy C&opiar - + &Paste &Pegar - + 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 - + Toolbars Barras de herramientas - + Sidebars Panel lateral - + Zoom &In &Aumentar tamaño - + Zoom &Out &Reducir tamaño - + Reset Reiniciar tamaño - + &Page Source Código &fuente de la página - + Closed Tabs Pestañas cerradas recientemente - + Recently Visited Visitadas recientemente - + Most Visited Las más visitadas - + Web In&spector Inspect&or Web - + Configuration Information Información de la configuración - + Restore &Closed Tab &Restaurar pestaña cerrada - + (Private Browsing) (Navegación privada) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Hay %1 pestañas abiertas y su sesión no será guardada ¿Está seguro de salir de QupZilla? - + Don't ask again No volver a preguntar - + There are still open tabs Aún hay pestañas abiertas - + 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 @@ -3521,47 +3603,47 @@ Are you sure to quit QupZilla? &Acerca de QupZilla - + 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 @@ -3571,37 +3653,37 @@ Are you sure to quit QupZilla? &Preferencias - + Information about application Información acerca de la aplicación - + Other Otros - + HTML files Archivos HTML - + Image files Archivos de imágen - + Text files Archivos de texto - + All files Todos los archivos - + Open file... Abrir archivo... @@ -4255,6 +4337,20 @@ Por favor, añada alguno con el icono RSS de la barra de navegación en sitios q Ventana %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5350,27 +5446,27 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup Gestionar motores de búsqueda - + Add %1 ... Añadir %1 ... - + Paste And &Search Pegar y &buscar - + Clear All Limpiar todo - + Show suggestions Mostrar sugerencias - + Search when engine changed @@ -5378,238 +5474,238 @@ Después de añadir o eliminar rutas de certificados, es necesario reiniciar Qup WebView - + &Copy page link Cop&iar el enlace de la página - + Send page link... Enviar enlace de la página... - + &Print page &Imprimir página - + Validate page Validar página - + Send text... Enviar texto... - + Google Translate Traductor de Google - + Dictionary Diccionario - + Go to &web address Ir a &dirección web - + Open link in new &tab Abrir enlace en una nueva &pestaña - + Open link in new &window Abrir enlace en una nueva &ventana - + B&ookmark link Añadir enlace a &marcadores - + &Save link as... &Guardar enlace como... - + Send link... Enviar enlace... - + &Copy link address Copi&ar la ruta del enlace - + Show i&mage Mostrar &imágen - + Copy im&age Co&piar imágen - + Copy image ad&dress C&opiar la ruta de la imágen - + &Save image as... &Guardar imágen como... - + Send image... Enviar imágen... - + &Back &Anterior - + Create Search Engine Crear motor de búsqueda - + &Forward &Siguiente - - + + &Reload &Recargar - + S&top &Detener - + This frame Este marco - + Show &only this frame M&ostrar solamente este marco - + Show this frame in new &tab Mostrar este marco en una nueva &pestaña - + Print frame Imprimir marco - + Zoom &in &Aumentar tamaño - + &Zoom out &Reducir tamaño - + Reset Reiniciar tamaño - + Show so&urce of frame Mostrar código f&uente del marco - + Book&mark page Añadir esta página a &marcadores - + &Save page as... &Guardar como... - + Search with... Buscar con... - + &Play &Reproducir - + &Pause &Pausa - + Un&mute &Activar sonido - + &Mute &Desactivar sonido - + &Copy Media Address Copi&ar la ruta del contenido media - + &Send Media Address &Enviar la ruta del contenido media - + Save Media To &Disk Guardar el contenido media al &disco - + Select &all Seleccionar &todo - + Show so&urce code Ver código &fuente de la página - + Show info ab&out site Ver &información de la página - + Search "%1 .." with %2 Buscar "%1 .." con %2 - + No Named Page Página en blanco diff --git a/translations/es_VE.ts b/translations/es_VE.ts index aab8dc49a..3d5753717 100644 --- a/translations/es_VE.ts +++ b/translations/es_VE.ts @@ -1813,18 +1813,18 @@ Visitas - - + + Today Hoy - + This Week Esta semana - + This Month Este mes @@ -1946,6 +1946,37 @@ Ver información de la página + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2192,27 +2223,27 @@ Fuentes - + Downloads Descargas - + Password Manager Gestor de contraseñas - + Privacy Privacidad - + Notifications Notificaciones - + Other Otros @@ -2222,139 +2253,139 @@ QupZilla - + <b>Launching</b> <b>Inicio</b> - + After launch: Cuando se inicie: - + Open blank page Abrir una página en blanco - - + + Open homepage Abrir página de inicio - + Restore session Restaurar sesión - + Homepage: Página de inicio: - + On new tab: Para nueva pestaña: - + Open blank tab Abrir una página en blanco - + Open other page... Abrir otra página... - + <b>Profiles</b> <b>Perfiles</b> - + Startup profile: Perfil al inicio: - + Create New Crear nuevo - + Delete Eliminar - - + + Note: You cannot delete active profile. Nota: no puede eliminar el perfil activo. - + Check for updates on start Comprobar actualizaciones al inicio - + Themes Temas - + Advanced options Opciones avanzadas - + <b>Browser Window</b> <b>Ventana del navegador</b> - + Show StatusBar on start Mostrar barra de estado al inicio - + Show Bookmarks ToolBar on start Mostrar barra de herramientas de favoritos al inicio - + Show Navigation ToolBar on start Mostrar barra de herramientas de navegación al inicio - + <b>Navigation ToolBar</b> <b>Barra de herramientas de navigación</b> - + Show Home button Mostrar botón de página de inicio - + Show Back / Forward buttons Mostrar botones Anterior / Siguiente - + Show Add Tab button Mostrar botón de Agregar pestaña - + <b>Background<b/> <b>Fondo<b/> - + Use transparent background Usar fondo transparente @@ -2367,465 +2398,505 @@ <b>Comportamiento de la barra de direcciones</b> - + Select all text by double clicking in address bar Seleccionar todo el texto haciendo doble click en la barra de direcciones - + Add .co.uk domain by pressing ALT key Agregar dominio .co.uk pulsando la tecla ALT - + Activate last tab when closing active tab Activar la última pestaña al cerrar la pestaña activa - + Ask when closing multiple tabs Preguntar al cerrar múltiples pestañas - + Web Configuration Configuración web - + Allow JAVA Permitir JAVA - + Allow JavaScript Permitir JavaScript - + Allow DNS Prefetch Permitir DNS Prefetch - + Allow local storage of HTML5 web content Permitir el almacenamiento local de contenido de red HTML5 - + Delete locally stored HTML5 web content on close Borrar el contenido de red HTML5 almacenado localmente al cerrar - + JavaScript can access clipboard JavaScript puede acceder al portapapeles - + Send Do Not Track header to servers Decir a los sitios web que no quiero ser rastreado - + Zoom text only Ampliar sólo el texto - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Incluir enlaces en la cadena de foco - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Imprimir fondo del elemento - - + + Open speed dial Abrir marcación rápida - - + + Use current Usar actual - + Active profile: Perfil activo: - + Hide tabs when there is only one tab Ocultar pestañas cuando sólo haya una pestaña - + Select all text by clicking in address bar Seleccionar todo el texto al hacer click en la barra de direcciones - + Don't quit upon closing last tab No salir al cerrar la última pestaña - + Closed tabs list instead of opened in tab bar Lista de pestañas cerradas en lugar de las abiertas en la barra de pestañas - + Open new tabs after active tab Abrir pestañas nuevas junto a la pestaña activa - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Habilitar Auditoría XSS - + Mouse wheel scrolls La rueda del ratón desplaza - + lines on page líneas en la página - + Default zoom on pages: Ampliación predeterminada en las páginas: - + Extensions Extensiones - + Don't load tabs until selected No cambiar a pestana hasta seleccionarlas - + Show tab previews Mostrar previsualizaciones - + Make tab previews animated Previsualizaciones animadas - + Show web search bar Mostrar la barra de busqueda - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons - + Tabs behavior - + Automatically switch to newly opened tab Automaticamente cambiar a la pestaña nueva al abrirse - + Address Bar behavior - + Suggest when typing into address bar: - + History and Bookmarks - + History Historial - + Bookmarks Favoritos - + Nothing - - Show loading progress in address bar - - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Permitir agregados de netscape - + Local Storage Almacenamiento local - + Maximum pages in cache: Número máximo de páginas en caché: - + 1 1 - + Allow storing network cache on disk Almacenar caché de la red en el disco - + Maximum Máximo - + 50 MB 50 MB - + Allow saving history Guardar el historial - + Delete history on close Eliminar el historial al cerrar - + Delete now Eliminar ahora - + 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>Exceptions</b> <b>Exepciones</b> - + Server: Servidor: - + Use different proxy for https connection Usar un proxy distinto para protocolo tipo https - + <b>Font Families</b> <b>Familias de fuentes</b> - + Standard Standard - + Fixed Fijo - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursiva - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Gestor de descargas externo</b> - + Use external download manager Utilizar un gestor de descargas externo - + Executable: Ejecutable: - + Arguments: Argumentos: - + Leave blank if unsure - + Filter tracking cookies Filtrar cookies de rastreo - + Certificate Manager Manejador de certificados - + <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>Change browser identification</b> - + User Agent Manager @@ -2834,198 +2905,198 @@ Cambiar la identificación del navegador: - + 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> - + Allow storing of cookies Permitir almacenar cookies - + Manage CA certificates Manejar certificados CA - + Delete cookies on close Eliminar cookies al cerrar - + Match domain exactly Coincidir con el dominio exacto - + Cookies Manager Gestor de cookies - + <b>SSL Certificates</b> <b>Certificados SSL</b> - - + + <b>Other</b> <b>Otros</b> - + Send Referer header to servers Enviar el encabezado del referente a los servidores - + Block popup windows Bloquear ventanas emergentes - + <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. - + 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> @@ -3035,73 +3106,84 @@ Apariencia - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Eliminado - + Choose executable location... Seleccione la ubicación del ejecutable... - + 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! - + Select Color @@ -3180,78 +3262,78 @@ Dirección IP de la página actual - + &Tools He&rramientas - + &Help A&yuda - + &Bookmarks &Favoritos - + Hi&story &Historial - + &File &Archivo - + &New Window &Nueva ventana - + New Tab Nueva pestaña - + Open Location Abrir web URL - + Open &File &Abrir archivo - + Close Tab Cerrar pestaña - + Close Window Cerrar ventana - + &Save Page As... &Guardar como... - + Save Page Screen Guardar foto de la página - + Send Link... Enviar enlace... - + Import bookmarks... Importar favoritos... @@ -3274,238 +3356,238 @@ <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? - + &Print... &Imprimir... - + &Edit &Editar - + &Undo &Deshacer - + &Redo &Rehacer - + &Cut &Cortar - + C&opy C&opiar - + &Paste &Pegar - + Select &All &Seleccionar todo - + &Find &Buscar - + &View &Ver - + &Navigation Toolbar Barra de herramientas de &navegación - + &Bookmarks Toolbar Barra de &favoritos - + 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 - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Todavia estan %1 pestañas abiertas en tu sesion sin guardar. Estas seguro de quitar Qupzilla? - + Toolbars Barras de herramientas - + Sidebars Panel lateral - + Zoom &In &Aumentar tamaño - + Zoom &Out &Reducir tamaño - + Reset Reiniciar tamaño - + &Page Source Código &fuente de la página - + Closed Tabs Pestañas cerradas recientemente - + Recently Visited Visitadas recientemente - + Most Visited Las más visitadas - + Web In&spector Inspect&or Web - + Configuration Information Informacion de configuraciones - + Restore &Closed Tab &Restaurar pestaña cerrada - + (Private Browsing) (Navegación privada) - + Don't ask again No volver a preguntar - + There are still open tabs Confirmar cierre - + Bookmark &This Page &Agregar esta página a favoritos - + Bookmark &All Tabs Agregar &todas las pestañas a favoritos - + Organize &Bookmarks &Organizar favoritos - - - - - + + + + + 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 @@ -3515,47 +3597,47 @@ Estas seguro de quitar Qupzilla? &Acerca de QupZilla - + 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 @@ -3565,37 +3647,37 @@ Estas seguro de quitar Qupzilla? &Preferencias - + Information about application Información acerca de la aplicación - + Other Otros - + HTML files Archivos HTML - + Image files Archivos de imagenes - + Text files Archivos de texto - + All files Todos - + Open file... Abrir archivo... @@ -4249,6 +4331,20 @@ Por favor, añada alguno con el icono RSS de la barra de navegación en sitios q + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5343,27 +5439,27 @@ Después de Agregar o eliminar rutas de certificados, es necesario reiniciar Qup Administrar motores de búsqueda - + Add %1 ... Agregar %1 ... - + Paste And &Search Pegar y &buscar - + Clear All Limpiar todo - + Show suggestions - + Search when engine changed @@ -5371,238 +5467,238 @@ Después de Agregar o eliminar rutas de certificados, es necesario reiniciar Qup WebView - + &Copy page link Cop&iar el enlace de la página - + Send page link... Enviar enlace de la página... - + &Print page &Imprimir página - + Validate page Validar página - + Send text... Enviar texto... - + Google Translate Traductor de Google - + Dictionary Diccionario - + Go to &web address Ir a &dirección web - + Open link in new &tab Abrir enlace en una nueva &pestaña - + Open link in new &window Abrir enlace en una nueva &ventana - + B&ookmark link Agregar enlace a &favoritos - + &Save link as... &Guardar enlace como... - + Send link... Enviar enlace... - + &Copy link address Copi&ar la ruta del enlace - + Show i&mage Mostrar &imágen - + Copy im&age Co&piar imágen - + Copy image ad&dress C&opiar la ruta de la imágen - + &Save image as... &Guardar imágen como... - + Send image... Enviar imágen... - + &Back &Anterior - + Create Search Engine Crear manejador de busqueda - + &Forward &Siguiente - - + + &Reload &Recargar - + S&top &Detener - + This frame Este marco - + Show &only this frame M&ostrar solamente este marco - + Show this frame in new &tab Mostrar este marco en una nueva &pestaña - + Print frame Imprimir marco - + Zoom &in &Aumentar tamaño - + &Zoom out &Reducir tamaño - + Reset Reiniciar tamaño - + Show so&urce of frame Mostrar código f&uente del marco - + Book&mark page Agregar esta página a &favoritos - + &Save page as... &Guardar como... - + Search with... Buscar con... - + &Play &Reproducir - + &Pause &Pausa - + Un&mute &Activar sonido - + &Mute &Desactivar sonido - + &Copy Media Address Copi&ar la ruta del contenido media - + &Send Media Address &Enviar la ruta del contenido media - + Save Media To &Disk Guardar el contenido media al &disco - + Select &all Seleccionar &todo - + Show so&urce code Ver código &fuente de la página - + Show info ab&out site Ver &información de la página - + Search "%1 .." with %2 Buscar "%1 .." con %2 - + No Named Page Pagina sin nombre diff --git a/translations/fa_IR.ts b/translations/fa_IR.ts index 2864dc2b9..e30577480 100644 --- a/translations/fa_IR.ts +++ b/translations/fa_IR.ts @@ -1543,6 +1543,32 @@ نمایش اطلاعات درباره صفحه + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2468,6 +2494,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3373,6 +3439,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds.پنجره %1 + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/fr_FR.ts b/translations/fr_FR.ts index a4ee915f7..7e0765ad6 100644 --- a/translations/fr_FR.ts +++ b/translations/fr_FR.ts @@ -1950,18 +1950,18 @@ n'a pas été trouvé ! Nombre de visites - - + + Today Aujourd'hui - + This Week Cette semaine - + This Month Ce mois-ci @@ -2111,6 +2111,37 @@ n'a pas été trouvé ! Montrer plus d'informations sur cette page + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2358,146 +2389,161 @@ n'a pas été trouvé ! QupZilla - + + Keyboard Shortcuts + + + + <b>Launching</b> <b>Lancement</b> - + After launch: Après le lancement : - + Open blank page Ouvrir une page blanche - - + + Open homepage Ouvrir la page d'accueil - - + + Open speed dial Ouvrir sur Speed Dial - + Restore session Restaurer la session - + Homepage: Page d'accueil : - + On new tab: Dans un nouvel onglet : - + Open blank tab Ouvrir un onglet vide - + Open other page... Ouvrir une autre page... - + <b>Profiles</b> <b>Profils</b> - + Startup profile: Profil de démarrage : - + Create New Créer un nouveau - + Delete Supprimer - - + + Note: You cannot delete active profile. "Note : Vous ne pouvez pas effacer le profil actif." ne loge pas dans la fenètre réduite... Note : Vous ne pouvez effacer le profil actif. - + Check for updates on start Vérifier les mises à jour au démarrage - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes Thèmes - + Advanced options Options avancées - + <b>Browser Window</b> <b>Fenêtre de navigation</b> - + Show StatusBar on start Afficher la barre de statut au démarrage - + Show Bookmarks ToolBar on start Afficher la barre des signets au démarrage - + Show Navigation ToolBar on start Afficher la barre de navigation au démarrage - + <b>Navigation ToolBar</b> <b>Barre de navigation</b> - + Show Home button Afficher le bouton Home - + Show Back / Forward buttons Afficher Précédent/Suivant - + Show Add Tab button Afficher le bouton d'ajout d'onglet - + <b>Background<b/> <b>Arrière-plan<b/> - + Use transparent background Utiliser un arrière plan transparent @@ -2510,7 +2556,7 @@ n'a pas été trouvé ! Rendre les onglets déplaçables - + Hide tabs when there is only one tab Cacher la barre d'onglet lorsqu'il n'y en a qu'un seul @@ -2519,131 +2565,131 @@ n'a pas été trouvé ! <b>Comportement de la barre d'adresse</b> - + Select all text by double clicking in address bar Sélectionner tout le texte en double cliquant sur la barre d'adresse - + Add .co.uk domain by pressing ALT key Ajouter .fr en appuyant sur ALT - + Activate last tab when closing active tab Activer le dernier onglet en fermant celui actif - + Ask when closing multiple tabs Demander lors de la fermeture simultanée de plusieurs onglets - + Select all text by clicking in address bar Sélectionner tout le texte en cliquant sur la barre d'adresse - + Web Configuration Navigation web - + Allow JAVA Autoriser JAVA - + Allow JavaScript Autoriser JavaScript - - + + Use current Utiliser l'actuel - + Active profile: Profil utilisé : - + Don't quit upon closing last tab Ne pas quitter QupZilla en fermant le dernier onglet - + Closed tabs list instead of opened in tab bar Fermer la liste des onglets au lieu de l'ouvrir dans la barre d'onglets - + Open new tabs after active tab Ouvrir les nouveaux onglets après l'onglet actuel - + Allow DNS Prefetch Autoriser l'indexation de DNS - + Allow local storage of HTML5 web content Autoriser le stockage local du contenu HTML5 - + Delete locally stored HTML5 web content on close Supprimer à la fermeture le contenu HTML5 stocké - + JavaScript can access clipboard JavaScript peut accéder au presse-papier - + Send Do Not Track header to servers Envoyer les entêtes Do Not Track aux serveurs - + Zoom text only Zoomer sur le texte seulement - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Imprimer l'élément d'arrière plan - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Naviguer de lien en lien via la touche tabulation - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Activer l'audit XSS - + Mouse wheel scrolls La molette de la souris fait défiler - + lines on page lignes par page - + Default zoom on pages: Zoom par défaut de la page : @@ -2652,32 +2698,32 @@ n'a pas été trouvé ! Demander lors du passage en mode Navigation Privée - + Extensions Extensions - + Don't load tabs until selected Ne pas charger les onglets jusqu'à leur sélection - + Show tab previews Aperçu des onglets au survol de la souris - + Make tab previews animated Animer les aperçus des onglets - + Show web search bar Montrer la barre de recherche Web - + Tabs behavior Comportement de l'onglet @@ -2686,290 +2732,315 @@ n'a pas été trouvé ! Afficher le bouton de fermeture sur les onglets - + Automatically switch to newly opened tab Basculer automatiquement sur le nouvel onglet - + Address Bar behavior Comportement de la barre d'adresse - + Suggest when typing into address bar: Suggestion lors des saisies dans la barre d'adresse : - + History and Bookmarks Historique et Marques-pages - + History Historique - + Bookmarks Marque-pages - + Nothing Rien - - Show loading progress in address bar - Montrer la progression du chargement dans la barre d'adresse - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Montrer la progression du chargement dans la barre d'adresse + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Autoriser les Plugins Netscape (Flash plugin) - + Local Storage Stockage local - + Maximum pages in cache: Nombre maximum de pages dans le cache : - + 1 1 - + Allow storing network cache on disk Autoriser le stockage du cache réseau sur le disque dur - + Maximum Maximum - + 50 MB 50 MB - + Allow saving history Autoriser la sauvegarde de l'historique - + Delete history on close Effacer l'historique à la fermeture - + Delete now Effacer maintenant - + 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>Exceptions</b> <b>Exceptions</b> - + Server: Serveur : - + Use different proxy for https connection Utiliser un autre proxy pour les connexions HTTPS - + <b>Font Families</b> <b>Polices</b> - + Standard Standard - + Fixed Largeur fixe - + Serif Serif - + Sans Serif Sans serif - + Cursive Cursive - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Gestionnaire de téléchargement externe</b> - + Use external download manager Utiliser un gestionnaire de téléchargement externe - + Executable: Application : - + Arguments: Options : - + Leave blank if unsure Laisser vide si vous n'êtes pas sûr - + Filter tracking cookies Filtrer le traçage par cookies - + Certificate Manager Certificats - + <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>Change browser identification</b> <b> Changer l'identité du navigateur </b> - + User Agent Manager Gestionnaire d'User-Agent @@ -2978,122 +3049,122 @@ n'a pas été trouvé ! Changer l'identité du navigateur : - + Fantasy Fantasy - + <b>Font Sizes</b> <b>Taille des polices</b> - + Fixed Font Size Taille fixe - + Default Font Size Taille de police par défaut - + Minimum Font Size Taille de police minimum - + Minimum Logical Font Size Hauteur logique minimale de police - + <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 : - - - - + + + + ... ... - + Show Reload / Stop buttons - + <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> - + Allow storing of cookies Autoriser le stockage des cookies - + Manage CA certificates Gérer les certifications CA - + Delete cookies on close Supprimer les cookies à la fermeture - + Match domain exactly N'accepter les cookies que des domaines identifiés - + Cookies Manager Cookies - + <b>SSL Certificates</b> <b>Certificats SSL</b> @@ -3106,83 +3177,83 @@ n'a pas été trouvé ! Modifier les certificats CA dans le gestionnaire SSL - - + + <b>Other</b> <b>Autre</b> - + Send Referer header to servers Envoyer les entêtes referer aux serveurs - + Block popup windows Bloquer les popups - + <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. - + StyleSheet automatically loaded with all websites: Feuilles de styles 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> @@ -3212,98 +3283,109 @@ n'a pas été trouvé ! Polices - + Downloads Téléchargements - + Password Manager Mots de passe - + Privacy Vie Privée - + Notifications Notifications - + Other Autre - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Effacé - + Choose executable location... Choisir l'emplacement de l'application... - + 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 ! - + Select Color @@ -3382,78 +3464,78 @@ n'a pas été trouvé ! 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... - + Import bookmarks... Importer des marque-pages... @@ -3463,42 +3545,42 @@ n'a pas été trouvé ! Quitter - + &Edit &Editer - + &Undo &Annuler - + &Redo &Rétablir - + &Cut Co&uper - + C&opy C&opier - + &Paste Co&ller - + Select &All &Tout sélectionner - + &Find &Chercher @@ -3521,198 +3603,198 @@ n'a pas été trouvé ! <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 ? - + &Print... &Imprimer... - + &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 - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Il reste encore %1 onglets ouverts et votre session ne sera pas sauvegardée. Etes vous sûr de vouloir quitter QupZilla ? - + 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 - + Closed Tabs Onglets récemment fermés - + Recently Visited Sites récemment visités - + Most Visited Sites les plus visités - + Web In&spector Web In&spector - + Configuration Information Informations de configuration - + Restore &Closed Tab Restaurer l'onglet &fermé - + (Private Browsing) (Navigation Privée) - + Don't ask again Ne plus afficher ce message - + There are still open tabs Il y a encore des onglets ouverts - + Bookmark &This Page Marquer cette &page - + Bookmark &All Tabs M&arquer tous les onglets - + Organize &Bookmarks &Organiser les marque-pages - + Information about application Informations à propos de l'application - - - - - + + + + + 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 @@ -3722,82 +3804,82 @@ Etes vous sûr de vouloir quitter QupZilla ? A propos de Qup&Zilla - + 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 - + %1 - QupZilla %1 - QupZilla - + HTML files Fichiers HTML - + Image files Fichiers image - + Text files Fichiers texte - + All files Tous les fichiers - + Open file... Ouvrir un fichier... @@ -4496,6 +4578,20 @@ Vous pouvez en ajouter grâce à l'icône RSS dans la barre de navigation s Fenêtre %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5600,27 +5696,27 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer Gérer les moteurs de recherche - + Add %1 ... Ajouter %1... - + Paste And &Search Coller et &chercher - + Clear All Effacer tout - + Show suggestions Montrer les suggestions - + Search when engine changed @@ -5628,238 +5724,238 @@ Après avoir ajouté ou retiré un certificat, il est nécessaire de redémarrer WebView - + Open link in new &tab Ouvrir le lien dans un nouvel &onglet - + Open link in new &window Ouvrir le lien dans une nouvelle &fenêtre - + B&ookmark link Lien du marque-&page - + &Save link as... &Enregistrer le lien sous... - + Send link... Envoyer le lien... - + &Copy link address Copier l'&adresse du lien - + Show i&mage Montrer l'i&mage - + Copy im&age Copier l'ima&ge - + Copy image ad&dress Copier l'a&dresse de l'image - + &Save image as... &Enregistrer l'image sous... - + Send image... Envoyer l'image... - + &Back &Retour - + Create Search Engine Créer un moteur de recherche - + &Forward &Suivant - - + + &Reload &Actualiser - + S&top &Stop - + This frame Ce cadre - + Show &only this frame Montrer uniquement ce &cadre - + Show this frame in new &tab Montrer ce cadre dans un nouvel &onglet - + Print frame Imprimer le cadre - + Zoom &in Zoom &plus - + &Zoom out Zoom &moins - + Reset Réinitialiser - + Show so&urce of frame Montrer le code so&urce du cadre - + Book&mark page &Marquer cette page - + &Save page as... &Enregistrer la page sous... - + &Copy page link Copier le lien de la &page - + Send page link... Envoyer le lien de la page... - + &Print page &Imprimer la page - + Send text... Envoyer le texte... - + Google Translate Google traduction - + Dictionary Dictionnaire - + Go to &web address Suivre le &lien - + Search with... Chercher avec... - + &Play &Lecture - + &Pause &Pause - + Un&mute Non &muet - + &Mute &Muet - + &Copy Media Address Copier l'adresse du &média - + &Send Media Address &Envoyer l'adresse du média - + Save Media To &Disk Enregistrer le &média - + Select &all T&out Sélectionner - + Validate page Valider le code de la page - + Show so&urce code Montrer le &code source - + Show info ab&out site Informations à prop&os du site - + Search "%1 .." with %2 Recherche de %1.."avec %2 - + No Named Page Page non nommée diff --git a/translations/hu_HU.ts b/translations/hu_HU.ts index 94249b4a1..085b746b1 100644 --- a/translations/hu_HU.ts +++ b/translations/hu_HU.ts @@ -1539,6 +1539,32 @@ Információk megjelenítése erről az oldalról + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2460,6 +2486,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3365,6 +3431,18 @@ RSS ikonnal jelölt oldalcímekről hozzá lehet adni híroldalakat. + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/id_ID.ts b/translations/id_ID.ts index 3553e0bcd..1472e73ce 100644 --- a/translations/id_ID.ts +++ b/translations/id_ID.ts @@ -1817,18 +1817,18 @@ Jumlah Kunjungan - - + + Today Hari Ini - + This Week Minggu Ini - + This Month Bulan Ini @@ -1950,6 +1950,37 @@ Tampilkan informasi tentang halaman ini + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2181,145 +2212,145 @@ QupZilla - + <b>Launching</b> <b>Pembukaan</b> - + After launch: Purna Pembukaan: - + Open blank page Buka halaman kosong - - + + Open homepage Buka halaman rumah - - + + Open speed dial Buka panggilan cepat - + Restore session Kembalikan sesi - + Homepage: Halaman Rumah: - + On new tab: Di tab baru: - + Open blank tab Buka tab kosong - + Open other page... Buka halaman lain... - + <b>Profiles</b> <b>Profil</b> - + Startup profile: Profil Awal: - + Create New Buat Baru - + Delete Hapus - - + + Note: You cannot delete active profile. Catatan: Anda tidak dapat menghapus profil aktif. - + Check for updates on start Cek perbaruan saat mulai - + Themes Tema - + Advanced options Opsi Lanjutan - + <b>Browser Window</b> <b>Jendela Peramban</b> - + Show StatusBar on start Tampilkan StatusBar saat mulai - + Show Bookmarks ToolBar on start Tampilkan ToolBar Bookmark saat mulai - + Show Navigation ToolBar on start Tampilkan ToolBar Navigasi saat mulai - + <b>Navigation ToolBar</b> <b>ToolBar Navigasi</b> - + Show Home button Tampilkan tombol Rumah - + Show Back / Forward buttons Tampilkan tombol Mundur / Maju - + Show Add Tab button Tampilkan tombol Tambah Tab - + <b>Background<b/> <b>Latar</b> - + Use transparent background Gunakan latar transparan @@ -2328,7 +2359,7 @@ <b>Perilaku Tab</b> - + Hide tabs when there is only one tab Sembunyikan tab jika hanya ada satu tab @@ -2337,154 +2368,154 @@ <b>Perilaku Bilah Alamat</b> - + Select all text by double clicking in address bar Pilih seluruh teks dengan mengklik dua kali pada bilah alamat - + Add .co.uk domain by pressing ALT key Tambahkan domain .co.id dengan menekan tombol ALT - + Activate last tab when closing active tab Pindah ke tab terakhir saat menutup tab aktif - + Ask when closing multiple tabs Konfirmasi saat menutup beberapa tab - + Select all text by clicking in address bar Pilih seluruh teks dengan mengklik pada bilah alamat - + Web Configuration Konfigurasi Web - + Allow JAVA Ijinkan JAVA - + Allow JavaScript Ijinkan JavaScript - - + + Use current Gunakan yang sekarang - + Active profile: Profil Aktif: - + Don't quit upon closing last tab Jangan berhenti saat menutup tab terakhir - + Closed tabs list instead of opened in tab bar Tutup daftar tab daripada membukanya di bilah tab - + Open new tabs after active tab Buka tab baru setelah tab aktif - + Allow DNS Prefetch Ijinkan Prapengambilan DNS - + JavaScript can access clipboard JavaScript dapat mengakses clipboard - + Send Do Not Track header to servers Kirimkan kepala Do Not Track ke server - + Zoom text only Hanya perbesar teks - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements ketika anda mencetak halaman (dengan printer), opsi ini menentukan apakah elemen html latar akan dicetak atau tidak Cetak elemen latar - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Ikutsertakan tautan pada saat memindah fokus (blok kursor) dengan tombol tab Ikutsertakan tautan dalam rantai fokus - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript mendeteksi kemungkinan adanya serangan XSS saat mengeksekusi javascript Aktifkan Audit XSS - + Mouse wheel scrolls Putaran roda mouse - + lines on page baris pada halaman - + Default zoom on pages: Default perbesaran pada halaman: - + Extensions Ekstensi - + Don't load tabs until selected Jangan muat tab sebelum dipilih - + Show tab previews Tampilkan pratayang tab - + Make tab previews animated Animasikan pratayang tab - + Show web search bar Tampilkan panel pencarian web - + Tabs behavior Perilaku tab @@ -2493,375 +2524,415 @@ Tampilkan tombol tutup pada tab - + Automatically switch to newly opened tab Otomatis pindah ke tab baru - + Address Bar behavior Perilaku Bilah Alamat - + Suggest when typing into address bar: Sarankan saat mengetik di panel alamat: - + History and Bookmarks Sejarah dan Bookmark - + History Sejarah - + Bookmarks Bookmark - + Nothing Tidak ada - + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + + Propose to switch tab if completed url is already loaded. + + + + Show loading progress in address bar Tampilkan perkembangan pemuatan di bilah alamat - + Fill Isi - + Bottom Bawah - + Top Atas - + If unchecked the bar will adapt to the background color. Bilah akan menggunakan warna latar jika tidak dipilih. - + custom color: warna khusus: - + Select color Pilih warna - + Many styles use Highlight color for the progressbar. Banyak gaya menggunakan Penyorotan berwarna pada bilah perkembangan. - + set to "Highlight" color Ubah ke "Penyorotan" berwana - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head>/<body><p>Jika diaktifkan maka mesin pencarian utama akan digunakan untuk pencarian tanpa shortcut di bilah alamat dan tidak menggunakan mesin pencari yang telah dipilih di bilah pencarian web</p></body></html> - + Search with Default Engine Cari menggunakan Mesin Pencari Utama - + Allow Netscape Plugins (Flash plugin) Ijinkan Pengaya Netscape (pengaya Flash) - + Local Storage Penyimpan Lokal - + Maximum pages in cache: Halaman maksimum dalam cache: - + 1 1 - + Allow storing network cache on disk Ijinkan menyimpan cache jaringan di dalam disk - + Maximum Maksimum - + 50 MB 50 MB - + Allow saving history Ijinkan menyimpan sejarah - + Delete history on close Hapus sejarah saat berhenti - + Delete now Hapus sekarang - + Proxy Configuration Konfigurasi Proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: Port: - - + + Username: Nama User: - - + + Password: Sandi: - + Don't use on: Jangan gunakan di: - + Manual configuration Konfigurasi Manual - + System proxy configuration Konfigurasi proxy sistem - + Do not use proxy Jangan gunakan proxy - + <b>Exceptions</b> <b>Pengecualian</b> - + Server: Server: - + Use different proxy for https connection Gunakan proxy berbeda untuk koneksi https - + <b>Font Families</b> <b>Famili Huruf</b> - + Standard Standar - + Fixed Fixed - + Serif Serif - + Sans Serif Sans-Serif - + Cursive Cursive - + Fantasy Fantasi - + <b>Font Sizes</b> <b>Ukuran Huruf</b> - + Fixed Font Size Ukuran Huruf Fixed - + Default Font Size Ukuran Huruf Default - + Minimum Font Size Ukuran Huruf Minimum - + Minimum Logical Font Size Ukuran Logis Minimal Huruf - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>Download Location</b> <b>Lokasi Unduhan</b> - + Ask everytime for download location Konfirmasi lokasi tiap kali mengunduh - + Use defined location: Gunakan lokasi tetap: - - - - + + + + ... ... - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons Tampilkan tombol Muat-ulang / Berhenti - + <b>Download Options</b> <b>Opsi Pengunduhan</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) Gunakan dialog berkas asli sistem (dapat menimbulkan masalah pada pengunduhan yang menggunakan SSL) - + Close download manager when downloading finishes Tutup manajer pengunduhan setelah pengunduhan selesai - + <b>External download manager</b> <b>Manajer pengunduhan eksternal</b> - + Use external download manager Gunakan manajer pengunduhan eksternal - + Executable: Eksekutor: - + Arguments: Argumen: - + Leave blank if unsure Biarkan kosong jika ragu - + <b>AutoFill options</b> <b>Opsi pengisian otomatis</b> - + Allow saving passwords from sites Ijinkan menyimpan sandi dari situs - + <b>Cookies</b> <b>Cookie</b> - + <b>Change browser identification</b> <b>Ganti identitas peramban</b> - + User Agent Manager Manajer Agen Pengguna - + Filter tracking cookies Saring cookie penelusuran - + <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>Peringatan</b> Opsi kecocokan domain dan penyaringan cookie penelusuran dapat menyebabkan ditolaknya cookie dari beberapa situs. Jika anda mendapatkan masalah dengan cookie, coba nonaktifkan opsi ini dahulu! @@ -2870,128 +2941,128 @@ Ganti identitas peramban: - + Allow storing of cookies Ijinkan untuk menyimpan cookie - + Allow local storage of HTML5 web content Ijinkan untuk menyimpan secara lokal isi web HTML5 - + Delete locally stored HTML5 web content on close Hapus isi web HTML5 yang disimpan secara lokal saat berhenti - + Manage CA certificates Kelola Sertifikat CA - + Delete cookies on close Hapus cookie saat berhenti - + Match domain exactly Cocokkan domain - + Cookies Manager Manajer Cookie - + <b>SSL Certificates</b> <b>Sertifikat SSL</b> - - + + <b>Other</b> <b>Lainnya</b> - + Send Referer header to servers Kirimkan kepala Acuan ke server - + Block popup windows Blokir jendela popup - + Certificate Manager Manajer Sertifikat - + <b>Notifications</b> <b>Notifikasi</b> - + Use OSD Notifications Gunakan Notifikasi OSD - + Use Native System Notifications (Linux only) Gunakan Notifikasi Asli Sistem (hanya Linux) - + Do not use Notifications Jangan gunakan Notifikasi - + Expiration timeout: Batas waktu notifikasi: - + seconds detik - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Catatan: </b>Anda dapat mengubah posisi OSD Notifikasi dengan menggeretnya di layar. - + <b>Language</b> <b>Bahasa</b> - + Available translations: Terjemahan yang tersedia: - + In order to change language, you must restart browser. Untuk mengganti bahasa, peramban harus direstart. - + StyleSheet automatically loaded with all websites: StyleSheet yang otomatis dimuat untuk semua website: - + Languages Bahasa - + <b>Preferred language for web sites</b> <b>Bahasa utama untuk situs web</b> @@ -3021,98 +3092,109 @@ Huruf - + Downloads Pengunduhan - + Password Manager Manajer Sandi - + Privacy Privasi - + Notifications Notifikasi - + Other Lainnya - + + + QupZilla is default + + + + + Make QupZilla default + + + + OSD Notification OSD Notifikasi - + Drag it on the screen to place it where you want. Geret OSD di layar untuk memposisikannya. - + Choose download location... Pilih lokasi unduhan... - + Choose stylesheet location... Pilih lokasi stylesheet... - + Deleted Terhapus - + Choose executable location... Pilih lokasi eksekutor... - + New Profile Profil Baru - + Enter the new profile's name: Masukkan nama profil baru: - - + + Error! - + This profile already exists! Profil tersebut sudah ada! - + Cannot create profile directory! Tidak dapat membuat direktori profil! - + Confirmation Konfirmasi - + Are you sure to permanently delete "%1" profile? This action cannot be undone! Anda yakin untuk menghapus secara permanen profil "%1"? Profil yang terhapus tidak dapat dikembalikan! - + Select Color Pilih Warna @@ -3191,78 +3273,78 @@ Alamat IP halaman ini - + &Tools &Peralatan - + &Help Bant&uan - + &Bookmarks &Bookmark - + Hi&story &Sejarah - + &File &Berkas - + &New Window Je&ndela Baru - + New Tab Tab Baru - + Open Location Buka Lokasi - + Open &File Buka &Berkas - + Close Tab Tutup Tab - + Close Window Tutup Jendela - + &Save Page As... &Simpan Halaman Sebagai... - + Save Page Screen Simpan Halaman Layar - + Send Link... Kirimkan Tautan... - + Import bookmarks... Impor bookmark... @@ -3272,42 +3354,42 @@ Berhenti - + &Edit &Sunting - + &Undo &Undo - + &Redo &Redo - + &Cut &Potong - + C&opy S&alin - + &Paste &Tempel - + Select &All PIlih Semu&a - + &Find &Cari @@ -3330,203 +3412,203 @@ <b>Qupzilla rusak :-(</b><br/>Ups, sesi terakhir dari QupZilla telah diinterupsi secara mendadak. Kami minta maaf untuk hal ini. Apakah anda ingin mengembalikan kondisi terakhir yang tersimpan? - + &Print... &Cetak... - + &View &Tampilan - + &Navigation Toolbar Toolbar &Navigasi - + &Bookmarks Toolbar Toolbar &Bookmark - + Sta&tus Bar Bilah Sta&tus - + &Menu Bar Bilah &Menu - + &Fullscreen &Fullscreen - + &Stop &Berhenti - + &Reload &Muat Ulang - + Character &Encoding &Encoding Karakter - + Toolbars Toolbar - + Sidebars Sidebar - + Zoom &In Zoom &In - + Zoom &Out Zoom &Out - + Reset Reset - + &Page Source &Page Source - + Closed Tabs Tab Tertutup - + Recently Visited Kunjungan Terakhir - + Most Visited Terbanyak Dikunjungi - + Web In&spector In&spektur Web - + Configuration Information Konfirmasi Informasi - + Restore &Closed Tab Restore &Closed Tab - + (Private Browsing) (Perambahan Privat) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Masih ada %1 tab yang terbuka dan sesi anda tidak akan disimpan. Anda yakin untuk berhenti dari QupZilla? - + Don't ask again Jangan tanya lagi - + There are still open tabs Masih ada tab yang terbuka - + Bookmark &This Page Bookmark &Halaman Ini - + Bookmark &All Tabs Bookmark Selur&uh Tab - + Organize &Bookmarks Organisir &Bookmark - - - - - + + + + + Empty Kosong - + &Back &Mundur - + &Forward &Maju - + &Home Ruma&h - + Show &All History Tampilkan Selur&uh Sejarah - + Restore All Closed Tabs Kembalikan Seluruh Tab Yang Ditutup - + Clear list Bersihkan daftar - + About &Qt Tentang &Qt - + Information about application Informasi tentang aplikasi - + %1 - QupZilla %1 - QupZilla @@ -3536,77 +3618,77 @@ Anda yakin untuk berhenti dari QupZilla? Tent&ang QupZilla - + Report &Issue Laporkan &Isu - + &Web Search Pencarian &Web - + Page &Info &Info Halaman - + &Download Manager Manajer &Pengun&duhan - + &Cookies Manager Manajer &Cookie - + &AdBlock &AdBlock - + RSS &Reader Pembaca &RSS - + Clear Recent &History Bersihkan Sejara&h Terkini - + &Private Browsing Perambahan &Privat - + Other Lainnya - + HTML files Berkas HTML - + Image files Berkas gambar - + Text files Berkas teks - + All files Semua berkas - + Open file... Buka berkas... @@ -4260,6 +4342,20 @@ Silakan tambahi dengan menggunakan icon RSS di bilah navigasi bilamana situs men Jendela %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5355,27 +5451,27 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga Kelola Mesin Pencari - + Add %1 ... Tambah %1... - + Paste And &Search Tempel dan &Cari - + Clear All Bersihkan Semua - + Show suggestions Tampilkan saran - + Search when engine changed Cari setelah mesin diganti @@ -5383,238 +5479,238 @@ Setelah menambahi atau menghapus lokasi sertifikat, QupZilla harus direstart aga WebView - + No Named Page Halaman Tanpa Nama - + Create Search Engine Buat Mesin Pencari - + &Back &Mundur - + &Forward &Maju - - + + &Reload &Muat Ulang - + S&top Ber&henti - + This frame Bingkai ini - + Show &only this frame Hanya &tampilkan bingkai ini - + Show this frame in new &tab Tampilkan bingkai ini di &tab baru - + Print frame Cetak bingkai - + Zoom &in Zoom &in - + &Zoom out Zoom &out - + Reset Reset - + Show so&urce of frame Tampilkan su&mber dari bingkai - + Book&mark page Book&mark halaman - + &Save page as... &Simpan halaman sebagai... - + &Copy page link &Salin tautan halaman - + Send page link... Kirimkan tautan halaman... - + &Print page Cetak &halaman - + Select &all PIlih semu&a - + Validate page Validasi halaman - + Show so&urce code Tampilkan kode su&mber - + Show info ab&out site Tampilkan inf&o tentang situs - + Open link in new &tab Buka tautan di &tab baru - + Open link in new &window Buka tautan di &jendela baru - + B&ookmark link B&ookmark tautan - + &Save link as... &Simpan tautan sebagai... - + Send link... Kirimkan tautan... - + &Copy link address &Salin alamat tautan - + Show i&mage Tampilkan &gambar - + Copy im&age Salin g&ambar - + Copy image ad&dress Salin a&lamat gambar - + &Save image as... &Simpan gambar sebagai... - + Send image... Kirimkan gambar... - + Send text... Kirimkan teks... - + Google Translate Terjemahan Google - + Dictionary Kamus - + Go to &web address Buka alamat &web - + Search "%1 .." with %2 Cari "%1.." dengan %2 - + Search with... Cari dengan... - + &Play - + &Pause - + Un&mute - + &Mute - + &Copy Media Address &Salin Alamat Media - + &Send Media Address &Kirimkan Alamat Media - + Save Media To &Disk Simpan Media ke &Disk diff --git a/translations/it_IT.ts b/translations/it_IT.ts index f2468eb9a..e139e494c 100644 --- a/translations/it_IT.ts +++ b/translations/it_IT.ts @@ -1816,18 +1816,18 @@ Numero di visite - - + + Today Oggi - + This Week Questa settimana - + This Month Questo mese @@ -1949,6 +1949,37 @@ Mostra maggiori informazioni su questa pagina + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2197,27 +2228,27 @@ Caratteri - + Downloads Scaricamenti - + Password Manager Gestore password - + Privacy Privacy - + Notifications Notifiche - + Other Altro @@ -2227,139 +2258,139 @@ QupZilla - + <b>Launching</b> <b>Avvio</b> - + After launch: Dopo l'avvio: - + Open blank page Apri pagina vuota - - + + Open homepage Apri pagina iniziale - + Restore session Ripristina sessione - + Homepage: Pagina Iniziale: - + On new tab: In una nuova scheda: - + Open blank tab Apri scheda vuota - + Open other page... Apri altra pagina... - + <b>Profiles</b> <b>Profili</b> - + Startup profile: Profilo d'avvio: - + Create New Crea nuovo - + Delete Cancella - - + + Note: You cannot delete active profile. Nota: Non puoi cancellare un profilo attivo. - + Check for updates on start Controlla aggiornamenti all'avvio - + Themes Temi - + Advanced options Opzioni avanzate - + <b>Browser Window</b> <b>Finestra del Browser</b> - + Show StatusBar on start Visualizza la barra di stato all'avvio - + Show Bookmarks ToolBar on start Visualizza barra dei segnalibri all'avvio - + Show Navigation ToolBar on start Visualizza barra di navigazione all'avvio - + <b>Navigation ToolBar</b> <b>Barra di Navigazione</b> - + Show Home button Mostra pulsante pagina iniziale - + Show Back / Forward buttons Mostra pulsanti Indietro / Avanti - + Show Add Tab button Mostra pulsante 'Aggiungi Scheda' - + <b>Background<b/> <b>Sfondo</b> - + Use transparent background Usa sfondo trasparente @@ -2368,7 +2399,7 @@ <b>Comportamento Scheda</b> - + Show tab previews Mostra anteprime delle schede @@ -2377,455 +2408,495 @@ <b>Comportamento Barra Indirizzi</b> - + Select all text by double clicking in address bar Seleziona l'intero testo nella barra degli indirizzi con doppio click - + Add .co.uk domain by pressing ALT key Aggiungi .it al dominio premendo il tasto ALT - + Activate last tab when closing active tab Attiva l'ultima scheda quando chiudi la scheda attiva - + Ask when closing multiple tabs Chiedi quando chiudi più schede - + Web Configuration Configurazione Web - + Allow JAVA Abilita JAVA - + Allow JavaScript Abilita JavaScript - + Allow DNS Prefetch Consenti Prefetch DNS - + Allow local storage of HTML5 web content Consenti il salvataggio in locale del contenuto HTML5 - + Delete locally stored HTML5 web content on close Cancella i contenuti HTML5 salvati in locale alla chiusura - + JavaScript can access clipboard JavaScript può accedere agli appunti - + Send Do Not Track header to servers Non inviare traccia di intestazione ai server - + Zoom text only Ingrandisci solo il testo - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Includi link in una selezione concatenata - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Mostra elementi di sfondo - - + + Open speed dial Apri speed dial - - + + Use current Usa corrente - + Active profile: Profilo attivo: - + Hide tabs when there is only one tab Nascondi le schede quando ve ne è solo una - + Select all text by clicking in address bar Seleziona tutto il testo cliccando nella barra degli indirizzi - + Don't quit upon closing last tab Non uscire quando chiudi l'ultima scheda - + Closed tabs list instead of opened in tab bar La lista della pagine chiuse invece di quelle aperte nella barra delle schede - + Open new tabs after active tab Apri le nuove schede dopo quella attiva - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Abilita l'auditing XSS - + Mouse wheel scrolls La rotella del mouse scorre - + lines on page linee della pagina - + Default zoom on pages: Ingrandimento predefinito delle pagine: - + Extensions Estensioni - + + Keyboard Shortcuts + + + + Don't load tabs until selected Non caricare le schede finché non vengono selezionate - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show web search bar Mostra la barra di ricerca web - + Show Reload / Stop buttons - + Tabs behavior Comportamento delle schede - + Address Bar behavior Comportamento della barra degli indirizzi - + Suggest when typing into address bar: Mostra suggerimenti durante la digitazione nella barra: - + History and Bookmarks Cronologia e segnalibri - + History Cronologia - + Bookmarks Segnalibri - + Nothing Niente - - Show loading progress in address bar - Mostra il caricamento nella barra degli indirizzi - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Mostra il caricamento nella barra degli indirizzi + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Consenti i plugin Netscape (plugin Flash) - + Local Storage Archiviazione Locale - + Maximum pages in cache: Limite pagine nella cache: - + 1 1 - + Allow storing network cache on disk Abilita memorizzazione cache di rete sul disco - + Maximum Massimo - + 50 MB 50 MB - + Allow saving history Abilita salvataggio della cronologia - + Delete history on close Cancella cronologia alla chiusura - + Delete now Cancella adesso - + 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>Exceptions</b> <b>Eccezioni</b> - + Server: Server: - + Use different proxy for https connection Usa un server proxy differente per la connessione https - + <b>Font Families</b> <b>Famiglie di Font</b> - + Standard Standard - + Fixed Fixed - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursive - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Gestore dei download esterno</b> - + Use external download manager Usa un gestore dei download esterno - + Executable: Eseguibile: - + Arguments: Argomenti: - + Leave blank if unsure Lascia vuoto se incerto - + Filter tracking cookies Filtra i cookie traccia - + Manage CA certificates Gestisci i certificati CA - + Certificate Manager Gestore certificati - + <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>Attenzione:</b> La corrispondenza esatta del dominio ed il fitraggio dei cookie traccia possono portare al rifiuto di alcuni cookie da certi siti. Se hai problemi con i cookie, prova a disattivare questa opzione! - + <b>Change browser identification</b> <b>Cambia l'identificazione del browser</b> - + User Agent Manager Gestore User Agent @@ -2834,203 +2905,203 @@ Cambia l'identificazione del browser: - + Fantasy Fantasy - + Make tab previews animated Anima le anteprime delle schede - + Automatically switch to newly opened tab Passa automaticamente alla scheda appena aperta - + <b>Font Sizes</b> <b>Dimensioni carattere</b> - + Fixed Font Size Dimensione font fissa - + Default Font Size Dimensione font predefinita - + Minimum Font Size Dimensione font minima - + Minimum Logical Font Size Dimensione minima del carattere logico - + <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> - + Allow storing of cookies Abilita la memorizzazione dei cookie - + Delete cookies on close Cancella cookie alla chiusura - + Match domain exactly Associa il dominio esatto - + Cookies Manager Gestore Cookie - + <b>SSL Certificates</b> <b>Certificati SSl</b> - - + + <b>Other</b> <b>Altro</b> - + Send Referer header to servers Invia traccia di intestazione ai server - + Block popup windows Blocca i popup - + <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. - + 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> @@ -3040,73 +3111,84 @@ Aspetto - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Cancellati - + Choose executable location... Scegli la posizione dell'eseguibile... - + 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! - + Select Color @@ -3185,53 +3267,53 @@ Indirizzo IP della pagina corrente - + &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... - + Import bookmarks... Importa segnalibri... @@ -3241,42 +3323,42 @@ Esci - + &Undo &Annulla - + &Redo &Ripeti - + &Cut Ta&glia - + C&opy C&opia - + &Paste &Incolla - + Select &All Seleziona &Tutto - + &Find C&erca - + &Tools accelerator on S is already used by the Bookmarks translation (Segnalibri) S&trumenti @@ -3287,22 +3369,22 @@ QupZilla - + &Help &Aiuto - + &Bookmarks &Segnalibri - + Hi&story &Cronologia - + &File &File @@ -3315,203 +3397,203 @@ <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? - + &Print... S&tampa... - + &Edit &Modifica - + &View &Visualizza - + &Navigation Toolbar &Barra di navigazione - + &Bookmarks Toolbar Barra dei &segnalibri - + Sta&tus Bar Ba&rra di stato - + &Menu Bar &Barra menu - + &Fullscreen Sc&hermo intero - + &Stop S&top - + &Reload &Ricarica - + Character &Encoding Codifica &carattere - + Toolbars Barre degli strumenti - + Sidebars Barre laterali - + Zoom &In &Ingrandisci - + Zoom &Out &Riduci - + Reset Ripristina - + &Page Source &Sorgente pagina - + Closed Tabs Schede chiuse - + Recently Visited Visitati di recente - + Most Visited Più visitati - + Web In&spector Is&pettore web - + Configuration Information Informazioni sulla configurazione - + Restore &Closed Tab Ripristina &scheda chiusa - + (Private Browsing) (Navigazione Anonima) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Sono ancora presenti %1 schede aperte e la sessione non verrà salvata. Sei sicuro di voler chiudere QupZilla? - + Don't ask again Non chiedere più - + There are still open tabs Ci sono delle schede ancora aperte - + Bookmark &This Page Aggiungi pagina ai &segnalibri - + Bookmark &All Tabs Aggiungi ai segnalibri &tutte le schede - + Organize &Bookmarks Organizza &segnalibri - + Information about application Informazione sull'applicazione - - - - - + + + + + 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 @@ -3521,47 +3603,47 @@ Sei sicuro di voler chiudere QupZilla? &Informazioni su QupZilla - + 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 @@ -3571,37 +3653,37 @@ Sei sicuro di voler chiudere QupZilla? Pr&eferenze - + Other Altro - + %1 - QupZilla %1 - QupZilla - + HTML files File HTML - + Image files Immagini - + Text files File di testo - + All files Tutti i file - + Open file... Apri file... @@ -4255,6 +4337,20 @@ Si prega di aggiungere l'icona RSS nella barra di navigazione su un sito ch Finestra %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5351,27 +5447,27 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari Gestione motori di ricerca - + Add %1 ... Aggiungi %1 ... - + Paste And &Search Incolla e &cerca - + Clear All Pulisci tutto - + Show suggestions Mostra suggerimenti - + Search when engine changed @@ -5379,238 +5475,238 @@ Dopo l'aggiunta o la rimozione dei percorsi di certificazione, è necessari WebView - + Open link in new &tab Apri il link in una &nuova scheda - + Open link in new &window Apri il link in una nuova &finestra - + B&ookmark link Aggi&ungi il link ai segnalibri - + &Save link as... &Salva il link come... - + Send link... Invia link... - + &Copy link address Copia indiri&zzo link - + Show i&mage Mostra imma&gine - + Copy im&age Copia im&magine - + Copy image ad&dress Copia in&dirizzo immagine - + &Save image as... Sa&lva immagine come... - + Send image... Invia immagine... - + &Back &Indietro - + Create Search Engine Crea motore di ricerca - + &Forward &Avanti - - + + &Reload &Ricarica - + S&top S&top - + This frame Questa cornice - + Show &only this frame Mostra s&olo questa cornice - + Show this frame in new &tab Mostra questa cornice in una nuova &scheda - + Print frame Stampa cornice - + Zoom &in &Ingrandisci - + &Zoom out &Riduci - + Reset Ripristina - + Show so&urce of frame Mostra sor&gente della cornice - + Book&mark page Aggi&ungi la pagina ai Segnalibri - + &Save page as... Sa&lva pagina come... - + &Copy page link &Copia indirizzo pagina - + Send page link... Invia l'indirizzo della pagina... - + &Print page S&tampa pagina - + Send text... Invia testo... - + Google Translate Google Traduttore - + Dictionary Dizionario - + Go to &web address Vai all'indirizzo &web - + Search with... Cerca con... - + &Play &Play - + &Pause &Pausa - + Un&mute Volu&me attivato - + &Mute &Muto - + &Copy Media Address &Copia indirizzo media - + &Send Media Address &Invia indirizzo media - + Save Media To &Disk Salva media su &disco - + Select &all Seleziona &tutto - + Validate page Convalida la pagina - + Show so&urce code Mostra codice so&rgente - + Show info ab&out site Mostra info su&l sito - + Search "%1 .." with %2 Cerca "%1 .." con %2 - + No Named Page Pagina senza nome diff --git a/translations/ja_JP.ts b/translations/ja_JP.ts index c935c5403..24c2906f5 100644 --- a/translations/ja_JP.ts +++ b/translations/ja_JP.ts @@ -1571,6 +1571,32 @@ このページの情報を表示 + + LocationCompleterDelegate + + Switch to tab + タブの切り替え + + + + MainApplication + + Default Browser + 既定のブラウザ + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + QupZillaは現在既定のブラウザに設定されていません。既定のブラウザに設定しますか? + + + Always perform this check when starting QupZilla. + QupZillaの起動時に毎回既定のブラウザか確認する。 + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + QupZillaは新しい、高速で安全なオープンソースのブラウザです。QupZillaはGPL version3(任意で)それ以降のバージョンでリリースされています。WebkitとQtフレームワークをもとに作成されています。 + + NavigationBar @@ -2525,6 +2551,46 @@ Show Reload / Stop buttons 更新/中止ボタンの表示 + + Keyboard Shortcuts + キーボードショートカット + + + Check to see if QupZilla is the default browser on startup + QupZillaがデフォルトブラウザか起動時に確認する + + + Check Now + 確認する + + + Press "Shift" to not switch the tab but load the url in the current tab. + Shihtキーを押したときに、タブを切り替えずにページを更新する。 + + + Propose to switch tab if completed url is already loaded. + ページの読み込みが完了していた場合、タブを切り替える。 + + + <b>Shortcuts</b> + <b>ショートカット</b> + + + Switch to tabs with Alt + number of tab + タブをAltキーと数字キーで切り替え + + + Load speed dials with Ctrl + number of speed dial + Ctrlキーと数字キーでスピードダイアルの項目を読み込む + + + QupZilla is default + QupZilllaは既定のブラウザです + + + Make QupZilla default + QupZillaを規定にする + QObject @@ -2610,11 +2676,11 @@ &New Window 保留 - 新規ウィンドウを開く(&N) + 新しいウィンドウ(&N) New Tab - 新しいタブを開く + 新しいタブ Open Location @@ -3445,6 +3511,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds.%1 ウィンドウ + + RegisterQAppAssociation + + Warning! + 警告! + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + 問題が発生しています。QupZillaを再インストールしてください。管理者権限で再インストール後には問題は解決されるはずです(^_^) + + SSLManager @@ -3972,7 +4050,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla TabBar &New tab - 新しいタブを開く(&N) + 新しいタブ(&N) &Stop Tab diff --git a/translations/ka_GE.ts b/translations/ka_GE.ts index 38b486477..db256dcbe 100644 --- a/translations/ka_GE.ts +++ b/translations/ka_GE.ts @@ -1539,6 +1539,32 @@ ინფორმაციის ჩვენება ამ გვერდის შესახებ + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2460,6 +2486,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3364,6 +3430,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds. + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/nl_NL.ts b/translations/nl_NL.ts index 43a2bf86e..ae0cc3638 100644 --- a/translations/nl_NL.ts +++ b/translations/nl_NL.ts @@ -1813,18 +1813,18 @@ werd niet gevonden! - - + + Today Vandaag - + This Week Deze week - + This Month Deze maand @@ -1946,6 +1946,37 @@ werd niet gevonden! Toon informatie over deze pagina + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2177,73 +2208,73 @@ werd niet gevonden! Algemeen - + 1 1 - + Downloads Downloads - + Open blank page Open lege pagina - - + + Open homepage Open startpagina - + Restore session Herstel sessie - + Homepage: Startpagina: - + On new tab: Op nieuw tabblad: - + Open blank tab Open leeg tabblad - + Open other page... Open andere pagina... - + <b>Navigation ToolBar</b> <b>Navigatie-werkbalk</b> - + <b>Background<b/> <b>Achtergrond</b> - + Use transparent background Gebruik transparante achtergrond - + Maximum Maximum - + 50 MB 50 MB @@ -2253,12 +2284,12 @@ werd niet gevonden! QupZilla - + Allow storing network cache on disk Sta toe dat netwerkcache op schijf wordt opgeslagen - + <b>Cookies</b> <b>Cookies</b> @@ -2267,57 +2298,57 @@ werd niet gevonden! <b>Gedrag van Adresbalk</b> - + <b>Language</b> <b>Taal</b> - + Startup profile: Opstartprofiel: - + Create New Maak nieuw profiel aan - + Delete Verwijder - + Show StatusBar on start Toon Statusbalk bij opstarten - + <b>Profiles</b> <b>Profielen</b> - + Show Bookmarks ToolBar on start Toon Bladwijzerwerkbalk bij opstarten - + Show Navigation ToolBar on start Toon Navigatie-werkbalk bij opstarten - + Show Home button Toon startpagina-knop - + Show Back / Forward buttons Toon Terug / Vooruit-knoppen - + <b>Browser Window</b> <b>Browser-venster</b> @@ -2332,23 +2363,23 @@ werd niet gevonden! Lettertypen - + <b>Launching</b> <b>Opstarten</b> - - + + Note: You cannot delete active profile. Noot: U kunt het actieve profiel niet verwijderen. - + Notifications Meldingen - + Show Add Tab button Toon Voeg tabblad toe-knop @@ -2357,503 +2388,543 @@ werd niet gevonden! <b>CTabblad-gedrag</b> - + Activate last tab when closing active tab Activeer laatste tabblad na sluiten van actieve tab - + Allow DNS Prefetch Sta DNS-prefetch toe - + JavaScript can access clipboard JavaScript kan klembord raadplegen - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Sluit links in in focus-ketting - + Zoom text only Zoom alleen tekst - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Print element-achtergrond - + Send Do Not Track header to servers Stuur Track Me Niet-header naar servers - + After launch: Na opstarten: - - + + Open speed dial Open speed dial - - + + Use current Gebruik huidig - + Check for updates on start Controleer op updates bij opstarten - + Active profile: Actief profiel: - + Themes Thema's - + Advanced options Geavanceerde instellingen - + Hide tabs when there is only one tab Verberg tabbladen wanneer er maar 1 tabblad is - + Ask when closing multiple tabs Vraag bij sluiten van meerdere tabbladen - + Select all text by clicking in address bar Selecteer alle tekst door te klikken in de adresbalk - + Don't quit upon closing last tab Sluit niet af na sluiten van laatste tabblad - + Closed tabs list instead of opened in tab bar Gesloten tabbladenlijst i.p.v. openen in tabbladbalk - + Open new tabs after active tab Open nieuwe tabbladen achter actief tabblad - + Allow JavaScript Sta JavaScript toe - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Schakel XSS-auditing in - + Mouse wheel scrolls Muiswiel scrollt - + lines on page regels op pagina - + Default zoom on pages: Standaardzoom op pagina's: - + Extensions Extensies - + Don't load tabs until selected Laad tabbladen niet totdat aangeklikt - + Show tab previews - + Make tab previews animated - + Show web search bar - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons - + Tabs behavior - + Automatically switch to newly opened tab - + Address Bar behavior - + Suggest when typing into address bar: - + History and Bookmarks - + History - + Bookmarks - + Nothing - - Show loading progress in address bar - - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Sta Netscape-plugins toe (Flash-plugin) - + Local Storage Lokale opslag - + Delete now Verwijder nu - + Proxy Configuration Proxy-instellingen - + <b>Exceptions</b> <b>Uitzonderingen</b> - + Server: Server: - + Use different proxy for https connection Gebruik andere proxy voor https-verbinding - + <b>Font Families</b> <b>Lettertype-families</b> - + Standard Standaard - + Fixed Vast - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursief - + Fantasy Fantasie - + <b>Font Sizes</b> <b>Lettertype-groottes</b> - + Fixed Font Size Vastgezette lettergrootte - + Default Font Size Standaard lettergrootte - + Minimum Font Size Minimale lettergrootte - + Minimum Logical Font Size Minimale logische lettergrootte - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <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 - + <b>External download manager</b> <b>Externe downloadmanager</b> - + Use external download manager Gebruik externe downloadmanager - + Executable: Uitvoerbaar: - + Arguments: Argumenten: - + Leave blank if unsure - + Filter tracking cookies Filter opsporingscookies - + Certificate Manager - + <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 met domein en filter opsporingscookies kan leiden tot weigering van cookies door sites. Indien u problemen heeft met cookies, probeer dan deze opties eerst uit te schakelen! - + <b>Change browser identification</b> - + User Agent Manager - + <b>SSL Certificates</b> <b>SSL-certificaten</b> - - + + <b>Other</b> <b>Overig</b> - + Send Referer header to servers Verstuur refereerkop naar servers - + Block popup windows Blokkeer popup-vensters - + Manage CA certificates - + <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. @@ -2862,80 +2933,80 @@ werd niet gevonden! Verander browser-indentificatie: - + 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 - + Web Configuration Web-instellingen - + Allow local storage of HTML5 web content Sta lokale opslag van HTML5-webinhoud toe - + Delete locally stored HTML5 web content on close Verwijder lokaal opgeslagen HTML5-webinhoud na afsluiten - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: Poort: - - + + Username: Gebruikersnaam: - - + + Password: Wachtwoord: - + Don't use on: Gebruik niet op: @@ -2950,159 +3021,170 @@ werd niet gevonden! Navigeren - + Allow JAVA Sta JAVA toe - + Maximum pages in cache: Maximum pagina's in cache: - + Password Manager Wachtwoordbeheerder - + <b>AutoFill options</b> <b>AutoAanvullen-instellingen</b> - + Allow saving passwords from sites Sta opslaan van wachtwoorden van sites toe - + Privacy Privacy - + Allow storing of cookies Sta opslag van cookies toe - + Delete cookies on close Verwijder cookies bij afsluiten - + Match domain exactly Exact overeenkomen domein - + Cookies Manager Cookies-beheerder - + Allow saving history Sta opslag van geschiedenis toe - + Delete history on close Verwijder geschiedenis bij afsluiten - + Other Overig - + Select all text by double clicking in address bar Select all text by clicking at address bar Selecteer alle tekst door te dubbelklikken in de adresbalk - + Add .co.uk domain by pressing ALT key Voeg .nl-domein toe door de ALT-toets in te drukken - + 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. - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Verwijderd - + Choose executable location... Kies uitvoerbaar bestands-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! - + Select Color @@ -3176,12 +3258,12 @@ werd niet gevonden! Sluit af - + New Tab Nieuw tabblad - + Close Tab Sluit tabblad @@ -3197,27 +3279,27 @@ werd niet gevonden! QupZilla - + &Tools Hulp&middelen - + &Help &Help - + &Bookmarks &Bladwijzers - + Hi&story &Geschiedenis - + &File &Bestand @@ -3230,229 +3312,229 @@ werd niet gevonden! <b>QupZilla crashte :-(</b><br/>Oeps, de laatste sessie van QupZilla eindigde met een crash. We verontschuldigen ons. Wilt u proberen om de laatst opgeslagen status te herstellen? - + &New Window &Nieuw venster - + Open &File Open &bestand - + &Save Page As... &Sla pagina op als... - + Import bookmarks... Importeer bladwijzers... - + &Edit Be&werk - + &Undo &Maak ongedaan - + &Redo &Herhaal - + &Cut &Knip - + C&opy K&opieer - + &Paste &Plak - + Select &All Selecteer &Alles - + &Find &Zoek - + &View &Toon - + &Navigation Toolbar &Navigatiewerkbalk - + &Bookmarks Toolbar &Bladwijzerwerkbalk - + Sta&tus Bar Sta&tusbalk - + Toolbars Werkbalken - + Sidebars Zijpanelen - + &Page Source &Pagina-broncode - + Recently Visited Onlangs bezocht - + Most Visited Meest bezocht - + Web In&spector Web-in&specteur - + Information about application Informatie over programma - + Configuration Information Informatie over configuratie - + HTML files HTML-bestanden - + Image files Afbeeldingsbestanden - + Text files Tekstbestanden - + All files Alle bestanden - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Er zijn nog steeds %1 openstaande tabbladen en uw sessie wordt niet opgeslagen. Weet u zeker dat u QupZIlla wilt afsluiten? - + Don't ask again Vraag nooit meer - + There are still open tabs Er zijn nog openstaande tabbladen - + &Menu Bar &Menubalk - + &Fullscreen &Volledig scherm - + &Stop &Stop - + &Reload &Herlaad - + 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... - + &Print... &Print... - + Other Overig - + %1 - QupZilla %1 - QupZilla @@ -3462,81 +3544,81 @@ Weet u zeker dat u QupZIlla wilt afsluiten? Incognito browsen ingeschakeld - + Restore &Closed Tab Herstel &gesloten tabblad - - - - - + + + + + Empty Leeg - + Bookmark &This Page Bladwijzer &deze pagina - + Bookmark &All Tabs Bladwijzer &alle tabbladen - + Organize &Bookmarks Organiseer &bladwijzers - + &Back &Terug - + &Forward &Vooruit - + &Home &Startpagina - + Show &All History Toon &alle geschiedenis - + Closed Tabs Gesloten tabbladen - + Save Page Screen Sla schermafbeelding op - + (Private Browsing) (Incognito browsen) - + Restore All Closed Tabs Herstel alle gesloten tabbladen - + Clear list Wis lijst - + About &Qt Over &Qt @@ -3546,47 +3628,47 @@ Weet u zeker dat u QupZIlla wilt afsluiten? &Over QupZilla - + 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 @@ -3596,7 +3678,7 @@ Weet u zeker dat u QupZIlla wilt afsluiten? &Instellingen - + Open file... Open bestand... @@ -4250,6 +4332,20 @@ Voeg enkele toe via het RSS-icoon op de navigatiewerkbalk op een site die feeds + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5345,27 +5441,27 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te Beheer zoekmachines - + Add %1 ... Voeg %1 toe... - + Paste And &Search Plak en &zoek - + Clear All Wis alles - + Show suggestions - + Search when engine changed @@ -5373,238 +5469,238 @@ Na het toevoegen of verwijderen van paden, is het noodzakelijk om de browser te WebView - + Open link in new &tab Open link in nieuw &tabblad - + Open link in new &window Open link in nieuw &venster - + B&ookmark link B&ladwijzer link - + &Save link as... &Sla link op als... - + &Copy link address &Kopieer linkadres - + Show i&mage Toon af&beelding - + Copy im&age &Kopieer afbeelding - + Copy image ad&dress Kopieer af&beeldingsadres - + S&top &Stop - + Create Search Engine Creeer zoekmachine - + This frame Dit frame - + Show &only this frame Toon &alleen dit frame - + Show this frame in new &tab Toon dit frame in nieuw &tabblad - + Print frame Druk frame af - + Zoom &in Zoom &in - + &Zoom out &Zoom uit - + Reset Zet terug - + Show so&urce of frame Toon &bron van frame - + &Copy page link &Kopieer paginalink - + Send page link... Verstuur paginalink... - + &Print page &Print pagina - + Validate page Valideer pagina - + Show info ab&out site Toon info &over site - + Search with... Zoek met... - + &Play &Speel af - + &Pause &Pauzeer - + Un&mute Ont&demp - + &Mute &Demp - + &Copy Media Address &Kopieer media-adres - + &Send Media Address &Verstuur media-adres - + Save Media To &Disk Sla media op naar &schijf - + &Save image as... &Sla afbeelding op als... - + &Back &Terug - + &Forward &Vooruit - - + + &Reload &Herlaad - + Book&mark page &Bladwijzer pagina - + &Save page as... &Sla pagina op als... - + Select &all &Selecteer alles - + Show so&urce code &Toon broncode - + Send text... Verstuur tekst... - + Google Translate Google Vertalen - + Dictionary Woordenboek - + Go to &web address Ga naar &webadres - + Search "%1 .." with %2 Zoek "%1 .." met %2 - + No Named Page Niet benoemde pagina - + Send link... Verstuur link... - + Send image... Verstuur afbeelding... diff --git a/translations/pl_PL.ts b/translations/pl_PL.ts index 27a8e7b6b..62115719c 100644 --- a/translations/pl_PL.ts +++ b/translations/pl_PL.ts @@ -1814,18 +1814,18 @@ Licznik odwiedzin - - + + Today Dzisiaj - + This Week W tym tygodniu - + This Month W tym miesiącu @@ -1948,6 +1948,37 @@ Pokaż informacje o stronie + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2180,79 +2211,79 @@ Główne - + 1 1 - + Downloads Pobieranie - + Open blank page Otwórz pustą stronę - - + + Open homepage Otwórz stronę domową - - + + Open speed dial Otwórz szybkie wybieranie - + Restore session Przywróć sesję - + Homepage: Strona domowa: - + On new tab: W nowej karcie: - + Open blank tab Otwórz pustą stronę - + Open other page... Otwórz inną stronę... - + <b>Profiles</b> <b>Profile</b> - + Startup profile: Wybierz profil: - + Create New Nowy profil - + Delete Usuń - + <b>Launching</b> <b>Uruchamianie</b> @@ -2262,42 +2293,42 @@ QupZilla - + After launch: Po uruchomieniu: - + Show StatusBar on start Pokaż StatusBar po uruchomieniu - + Show Bookmarks ToolBar on start Pokaż panel zakładek po uruchomieniu - + Show Navigation ToolBar on start Pokaż panel nawigacyjny po uruchomieniu - + <b>Navigation ToolBar</b> <b>Panel nawigacyjny</b> - + Default zoom on pages: Domyślne powiększenie na stronach: - + Allow storing network cache on disk Włącz pamięć podręczną dysku - + <b>Cookies</b> <b>Ciasteczka</b> @@ -2306,22 +2337,22 @@ <b>Zachowanie paska adresu</b> - + <b>Language</b> <b>Język</b> - + Show Home button Pokaż przycisk Strony startowej - + Show Back / Forward buttons Pokaż przyciski Cofnij / Dalej - + <b>Browser Window</b> <b>Okno przeglądarki</b> @@ -2331,12 +2362,12 @@ Karty - + <b>Background<b/> <b>Tło<b/> - + Use transparent background Użyj przezroczystego tła @@ -2345,117 +2376,117 @@ <b>Zachowanie kart</b> - + Web Configuration Ustawienia Web - + Maximum Maksymalnie - + 50 MB 50 MB - + Allow local storage of HTML5 web content Włącz magazym lokalny dla zawartości HTML5 - + Delete locally stored HTML5 web content on close FIXME Wyczyść magazym lokalny z zawartością HTML5 przy zamykaniu - + Delete now Wyczyść teraz - + Ask everytime for download location Zawsze pytaj gdzie zapisać pobierane - + Use defined location: Użyj określonej lokalizacji: - - - - + + + + ... ... - + <b>External download manager</b> <b>Zewnętrzny menedżer pobierania</b> - + Use external download manager Używaj zewnętrznego menedżera pobierania - + Executable: Program: - + Arguments: Argumenty: - + Filter tracking cookies Filtruj śledźące ciasteczka - + Manage CA certificates Zarządzanie certyfikatami CA - + <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> Włączenie opcji dokładnego dopasowania domeny i filtrowania śledzącego ciasteczka może doprowadzić do blokowania niektórych ciasteczek. Jeśli wystąpią z nimi problemy, spróbuj wyłączyć te opcje! - + <b>SSL Certificates</b> <b>Certyfikaty SSL</b> - - + + <b>Other</b> <b>Inne</b> - + Send Referer header to servers Wysyłaj nagłówek odsyłający do serwerów - + Block popup windows Blokuj wyskakujące okna - + Languages Języki - + <b>Preferred language for web sites</b> <b>Język preferowany dla stron</b> @@ -2474,32 +2505,32 @@ Przeglądanie - + Allow JAVA Pozwól uruchamiać JAVA - + Maximum pages in cache: Maksymalna ilość stron w pamięci podręcznej: - + Password Manager Menedżer haseł - + <b>AutoFill options</b> <b>Opcje autouzupełniania</b> - + Allow saving passwords from sites Pozwól na zapisywanie haseł dla stron - + Privacy Prywatność @@ -2509,604 +2540,655 @@ Czcionki - - + + Note: You cannot delete active profile. Notka: Nie można usunąć aktywnego profilu. - + Notifications Powiadomienia - + Show Add Tab button Pokaż przcisk Nowa karta - + Activate last tab when closing active tab Aktywuj poprzednią kartę podczas zamykania aktywnej karty - + Allow DNS Prefetch Włącz DNS Prefetch - + JavaScript can access clipboard JavaScript może uzyskać dostęp do schowka - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Odnośniki w kolejce skupienia - + Zoom text only Powiększ tylko tekst - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Drukuj element tła - + Send Do Not Track header to servers Wysyłaj serwerom nagłówek Do Not Track - - + + Use current Użyj bieżącej - + Check for updates on start Sprawdź aktualizacje podczas uruchamiania - + Active profile: Aktywny profil: - + Themes Motywy - + Advanced options Zaawansowane ustawienia - + Hide tabs when there is only one tab Ukryj pasek kart gdy otwarta jest tylko jedna - + Ask when closing multiple tabs Pytaj przy zamykaniu wielu kart - + Select all text by clicking in address bar Zaznacz cały tekst po kliknięciu na pasek adresu - + Don't quit upon closing last tab Nie zamykaj przeglądarki po zamknięciu ostatniej karty - + Closed tabs list instead of opened in tab bar W liście kart wyświetlaj zamknięte zamiast otwarych - + Open new tabs after active tab Otwieraj nowe karty tuż za kartą aktywną - + Allow JavaScript Pozwól na JavaScript - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Pozwól kontrolować XSS - + Mouse wheel scrolls Kółko myszy przewija - + lines on page linii na stronie - + Extensions Rozszerzenia - + Don't load tabs until selected Nie ładuj kart zanim bedą zaznaczone - + Show tab previews Pokazuj podgląd kart - + Make tab previews animated Animowany podgląd kart - + Show web search bar - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons - + Tabs behavior - + Automatically switch to newly opened tab Automatycznie przełączaj na nowo otwartą kartę - + Address Bar behavior - + Suggest when typing into address bar: - + History and Bookmarks - + History Historia - + Bookmarks Zakładki - + Nothing - - Show loading progress in address bar - - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Zezów na pluginy od Netscape(Flash plugin) - + Local Storage Lokalna przestrzeń dyskowa - + Proxy Configuration Ustawienia proxy - + System proxy configuration Ustawienia systemowe - + <b>Exceptions</b> <b>Rozszerzenia</b> - + Server: Serwer: - + Use different proxy for https connection Użyj innego proxy dla połączeń https - + <b>Font Families</b> <b>Rodzaje czcionek</b> - + Standard Standardowa - + Fixed Proporcjonalna - + Serif Szeryfowa - + Sans Serif Bezszeryfowa - + Cursive Kursywa - + Fantasy Fantazyjna - + <b>Font Sizes</b> <b>Rozmiary czcionek</b> - + Fixed Font Size Rozmiar czcionki proporcjonalnej - + Default Font Size Rozmiar czcionki domyślnej - + Minimum Font Size Minimalny rozmiar czcionki - + Minimum Logical Font Size Minimalny logiczny rozmiar czcionki - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <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 - + Leave blank if unsure - + Allow storing of cookies Pozwól na zapisywanie ciasteczek - + Certificate Manager Menedżer cartyfikatów - + Delete cookies on close Usuń ciasteczka przy zamykaniu przeglądarki - + <b>Change browser identification</b> - + User Agent Manager - + Match domain exactly Dokładnie dopasowuj domeny - + 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. - + 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 dla: - + Allow saving history Pozwól zapisywać historię - + Delete history on close Usuń historię przy zamykaniu przeglądarki - + Other Inne - + Select all text by double clicking in address bar Select all text by clicking at address bar Zaznacz cały tekst klikając podwójnie na pasek adresu - + Add .co.uk domain by pressing ALT key Dodaj domenę .pl po naciśnięciu klawisza ALT - + 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. - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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... - + Deleted Wyczyszczono - + Choose executable location... Wybierz program... - + 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ąć! - + Select Color @@ -3180,12 +3262,12 @@ Zamknij - + New Tab Nowa karta - + Close Tab Zamknij kartę @@ -3201,27 +3283,27 @@ QupZilla - + &Tools &Narzędzia - + &Help &Pomoc - + &Bookmarks &Zakładki - + Hi&story Hi&storia - + &File &Plik @@ -3234,234 +3316,234 @@ <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ę? - + &New Window &Nowe okno - + Open &File Otwórz &plik - + &Save Page As... &Zapisz stronę jako... - + Import bookmarks... Importuj zakładki... - + &Edit &Edycja - + &Undo &Cofnij - + &Redo &Dalej - + &Cut &Wytnij - + C&opy &Kopiuj - + &Paste &Wklej - + 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 - + Recently Visited Ostatnio odwiedzone - + Most Visited Najczęściej odwiedzane - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Nadal jest otwarta %1 liczba kart które nie zostaną zapisane. Czy na pewno chcesz zamknąć QupZille? - + Don't ask again Nie pytaj ponownie - + There are still open tabs Nadal są otwarte karty - + &Home &Strona startowa - + Information about application Informacje o aplikacji - + &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... - + &Print... &Drukuj... - + Web In&spector Web In&spektor - + Configuration Information Informacje o konfiguracji - + Other Inne - + %1 - QupZilla %1 - QupZilla - + HTML files Pliki HTML - + Image files Obrazki - + Text files Pliki tekstowe - + All files Wszystkie pliki @@ -3471,76 +3553,76 @@ Czy na pewno chcesz zamknąć QupZille? Przeglądanie w trybie prywatnym jest włączone - + Restore &Closed Tab Przywróć zamknięte &karty - - - - - + + + + + Empty Pusty - + Bookmark &This Page Dodaj &stronę do zakładek - + Bookmark &All Tabs Dodaj &wszystkie karty do zakładek - + Organize &Bookmarks &Zarządzaj zakładkami - + &Back &Wstecz - + &Forward &Dalej - + Show &All History Pokaż całą &historię - + Closed Tabs 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 @@ -3550,47 +3632,47 @@ Czy na pewno chcesz zamknąć QupZille? &O QupZilli - + 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 @@ -3600,7 +3682,7 @@ Czy na pewno chcesz zamknąć QupZille? Us&tawienia - + Open file... Otwórz plik... @@ -4254,6 +4336,20 @@ Dodawaj kanały klikając na ikonę RSS pasku nawigacyjnym. + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5349,27 +5445,27 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi Zarządzaj wyszukiwarkami - + Add %1 ... Dodaj %1 ... - + Paste And &Search Wklej i &szukaj - + Clear All Wyczyść wszystko - + Show suggestions - + Search when engine changed @@ -5377,238 +5473,238 @@ Po dodaniu lub usunięciu ścieżki certyfikatu, konieczne jest ponowne uruchomi WebView - + Open link in new &tab O&twórz odnośnik w nowej karcie - + Open link in new &window Ot&wórz odnośnik w nowym oknie - + B&ookmark link D&odaj odnośnik do zakładek - + &Save link as... &Zapisz odnośnik jako... - + &Copy link address &Kopiuj adres odnośnika - + Show i&mage Pokaż o&brazek - + Copy im&age Kopiuj ob&razek - + Copy image ad&dress Kopiuj adres obr&azka - + S&top Za&trzymaj - + Create Search Engine Utwórz Silnik wyszukiwania - + This frame Ta ramka - + Show &only this frame P&okaż tylko tą ramkę - + Show this frame in new &tab Pokaż &tą ramkę w nowej karcie - + Print frame Drukuj ramkę - + Zoom &in Po&większ - + &Zoom out Po&mniejsz - + Reset Resetuj - + Show so&urce of frame Pokaż &źródło ramki - + &Copy page link &Kopiuj odnośnik strony - + Send page link... Wyślij odnośnik strony... - + &Print page &Drukuj stronę - + Validate page Sprawdź poprawność strony - + Show info ab&out site Pokaż &informacje o stronie - + Search with... Szukaj z... - + &Play O&dtwarzaj - + &Pause &Pauza - + Un&mute Włącz &dźwięk - + &Mute &Wycisz - + &Copy Media Address &Kopiuj adres filmu wideo - + &Send Media Address &Wyślij adres filmu wideo - + Save Media To &Disk &Zapisz film wideo na dysk - + &Save image as... &Zapisz obrazek jako... - + &Back &Wstecz - + &Forward &Dalej - - + + &Reload &Odśwież - + Book&mark page Dodaj &stronę do zakładek - + &Save page as... &Zapisz stronę jako... - + Select &all Zaznacz &wszystko - + Show so&urce code Pokaż &kod źródłowy - + Send text... Wyślij tekst... - + Google Translate Tłumacz Google - + Dictionary Słownik - + Go to &web address Przejdź do adresu &www - + Search "%1 .." with %2 Szukaj "%1 .." z %2 - + No Named Page Strona bez nazwy - + Send link... Wyślij odnośnik... - + Send image... Wyślij obrazek... diff --git a/translations/pt_BR.ts b/translations/pt_BR.ts index e7de35f23..d9d7e9c30 100644 --- a/translations/pt_BR.ts +++ b/translations/pt_BR.ts @@ -1816,18 +1816,18 @@ não foi encontrado! Contador de visitas - - + + Today Hoje - + This Week Esta semana - + This Month Este mês @@ -1949,6 +1949,37 @@ não foi encontrado! .com.br + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2170,20 +2201,20 @@ não foi encontrado! Preferences - + 1 1 - - - - + + + + ... ... - + HTTP HTTP @@ -2193,22 +2224,22 @@ não foi encontrado! Guias - + Allow JavaScript Permitir JavaScript - + Check for updates on start Procurar atualizações ao iniciar - + Show web search bar Mostrar barra de pesquisa na web - + Tabs behavior Comportamento das guias @@ -2217,112 +2248,137 @@ não foi encontrado! Mostrar o botão fechar nas guias - + Address Bar behavior Comportamento da barra de endereço - + Suggest when typing into address bar: Sugerir enquanto estiver digitando na barra de endereço: - + History and Bookmarks Histórico e Favoritos - + History Histórico - + Bookmarks Favoritos - + Nothing Nada - + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + + Propose to switch tab if completed url is already loaded. + + + + Show loading progress in address bar Mostrar o progresso do carregamento da página na barra de endereços - + Fill Preencher - + Bottom Em baixo - + Top Em cima - + If unchecked the bar will adapt to the background color. Escolher cor de fundo. - + custom color: cor: - + Select color Escolher cor - + Many styles use Highlight color for the progressbar. Muitos estilos usam cor de realce na barra de progresso. - + set to "Highlight" color Definir cor de realce - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body<p>Caso esteja habilitado, a pesquisa será feita no site de pesquisa padrão invés de pesquiser no site de pesquisa descrito na barra de pesquisa.</p></body></html> - + Search with Default Engine Procurar com o site de pesquisa padrão - + Mouse wheel scrolls Roda do mouse move - + 50 MB 50 MB - + Fixed Fixa - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>Change browser identification</b> <b>Alterar a identificação do navegador</b> - + User Agent Manager Gerenciar User Agent @@ -2332,48 +2388,59 @@ não foi encontrado! Fontes - + + + QupZilla is default + + + + + Make QupZilla default + + + + Are you sure to permanently delete "%1" profile? This action cannot be undone! Tem a certeza que deseja eliminar o perfil "%1" permanentemente? Esta ação não pode ser desfeita! - + Select Color Escolher Cor - + Filter tracking cookies Filtrar cookies de rastreio - + Other Outras - - + + Port: Porta: - + Serif Serif - + Enter the new profile's name: Digite o nome do novo perfil: - + Allow local storage of HTML5 web content Permitir armazenamento local de conteúdo HTML5 - + <b>Notifications</b> <b>Notificações</b> @@ -2382,365 +2449,380 @@ não foi encontrado! <b>Comportamento das guias</b> - + Delete history on close Limpar histórico ao fechar - + <b>Download Location</b> <b>Localização de Downloads</b> - + Minimum Font Size Tamanho mínimo da fonte - + Available translations: Traduções disponíveis: - + <b>Profiles</b> <b>Perfis</b> - + Allow storing network cache on disk Permitir armazenamento da cache de rede no disco - + Drag it on the screen to place it where you want. Arraste a notificação para a teça para a posicionar. - + Show StatusBar on start Mostrar barra de status ao iniciar - + <b>External download manager</b> <b>Gerenciador de Downloads exterbo</b> - + Do not use proxy Não usar proxy - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Ativar auditoria XSS - + Match domain exactly Coincidir com domínio - + Open blank tab Abrir guia em branco - + Activate last tab when closing active tab Ativar a última guia quando fechar guia atual - + Startup profile: Perfil ao iniciar: - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons - + Use external download manager Usar gerenciador de downloads externos - + Leave blank if unsure Deixe em branco caso não saiba o que colocar - + Allow saving passwords from sites Permitir salvar senha das páginas - + JavaScript can access clipboard Os JavaScripts podem acessar à área de transferência - + Proxy Configuration Configuração de proxy - + Restore session Restaurar sessão - + System proxy configuration Proxy do sistema - - + + Open homepage Abrir página inicial - + Active profile: Perfil ativo: - + Open new tabs after active tab Abrir guia após a atual - + Delete Eliminar - - + + Error! Erro! - + In order to change language, you must restart browser. Para poder mudar o idioma, você deve reiniciar o navegador. - + Languages Idiomas - + <b>Language</b> <b>Idioma</b> - + <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> Os domínios devem ser iguais e a opção de cookies de rastreio devem estar habilitadas para poder negar os cookids de alguns sites. Se você estiver com problemas com os cookies, tente desativar essa opção antes! - + Show Add Tab button Mostrar botão Nova Guia - + After launch: Ao iniciar: - + Sans Serif Sans Serif - + <b>Navigation ToolBar</b> <b>Barra de Navegação</b> - + Use defined location: Usar esta localização: - + Cookies Manager Gerenciador de cookies - + SOCKS5 SOCKS5 - + Use Native System Notifications (Linux only) Utilizar notificações do sistema (somente para Linux) - + Themes Temas - + Open other page... Abrir outra página... - + <b>Browser Window</b> <b>Janela do navegador</b> - + Ask everytime for download location Sempre perguntar aonde salvar os arquivos - + Allow JAVA Permitir Java - + Web Configuration Configuração web - + <b>Download Options</b> <b>Opções de downloads</b> - + <b>Font Sizes</b> <b>Tamanho da fonte</b> - + Allow saving history Permitir salvar histórico - + Add .co.uk domain by pressing ALT key Adicionar .com.br na barra de endereço, ao apertar a tecla ALT - + lines on page linhas na página - + Minimum Logical Font Size Tamanho mínimo da fonte - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Imprimir os elementos do background - - + + Open speed dial Abrir Acesso rápido - + Show Navigation ToolBar on start Mostrar barra de navegação ao iniciar - + Choose stylesheet location... Escolha a localização da folha de estilo... - - + + Note: You cannot delete active profile. Observação: Você não pode apagar o perfil que está ativo no momento. - + Privacy Privacidade - + <b>SSL Certificates</b> <b>Certificados SSL</b> - + New Profile Novo perfil - + Don't use on: Não utilizar em: - + 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) - + Use transparent background Utilizar plano de fundo transparente - + Create New Criar novo - + Allow DNS Prefetch Permitir obtenção prévia de DNS - + Open blank page Abrir página em branco - + Closed tabs list instead of opened in tab bar Lista de guias fechadas invés de abertos na barra dos favoritos - + Maximum Máximo - + <b>AutoFill options</b> <b>Preenchimento automático</b> - + Default Font Size Tamanho padrão da fonte - + Zoom text only Ampliar apenas o texto @@ -2750,75 +2832,75 @@ não foi encontrado! Navegação - + Password Manager Gerenciador de senhas - + seconds segundos - + <b>Cookies</b> <b>Cookies</b> - + Ask when closing multiple tabs Perguntar ao fechar várias guias - + Local Storage Armazenamento local - + Expiration timeout: Terminam em: - + Standard Padrão - - + + Use current Utilizar atual - - + + Password: Senha: - + Deleted Eliminado - + Cursive Cursiva - + OSD Notification Notificação - - + + <b>Other</b> <b>Outros</b> - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Incluir ligações na cadeia de foco @@ -2829,27 +2911,27 @@ não foi encontrado! Aparência - + Delete cookies on close Eliminar cookies ao fechar - + Send Do Not Track header to servers Enviar aos servidores uma notificação que o monitoramento não está funcionando - + Fixed Font Size Tamanho fixo da fonte - + Show Back / Forward buttons Mostrar botões Voltar/Avançar - + Maximum pages in cache: Número máximo de páginas em cache: @@ -2858,22 +2940,22 @@ não foi encontrado! Alterar identificação do navegador: - + On new tab: Nova guia: - + <b>Note: </b>You can change position of OSD Notification by dragging it on the screen. <b>Observação: </b> Você pode alterar a posição da notificação arrastando-a para o local desejado. - + Arguments: Argumentos: - + Choose download location... Escolha o local dos downlods... @@ -2883,23 +2965,23 @@ não foi encontrado! QupZilla - + Homepage: Página inicial: - + Cannot create profile directory! Não foi possível criar a pasta para o seu perfil! - + Fantasy Fantasia - - + + Username: Usuário: @@ -2908,12 +2990,12 @@ não foi encontrado! <b>Comportamento da barra de endereço</b> - + Delete now Apagar agora - + Send Referer header to servers Enviar endereço para os servidores @@ -2923,42 +3005,42 @@ não foi encontrado! Preferências - + Notifications Notificações - + Executable: Executável: - + Delete locally stored HTML5 web content on close Eliminar conteúdo HTML5 ao fechar o navegador - + <b>Font Families</b> <b>Famílias da Fonte</b> - + Confirmation Confirmação - + <b>Background<b/> <b>Fundo</b> - + Use OSD Notifications Utilizar notificações - + Block popup windows Bloquear janelas popup @@ -2968,147 +3050,147 @@ não foi encontrado! Geral - + StyleSheet automatically loaded with all websites: Carregar folha de estilo automaticamente ao entrar em todos os sites: - + Do not use Notifications Não utilizar notificações - + Advanced options Opções avançadas - + Downloads Downloads - + Choose executable location... Escolha a localização do executável... - + Manual configuration Configuração manual - + <b>Preferred language for web sites</b> <b>Idioma preferido para páginas web</b> - + Close download manager when downloading finishes Fechar gerenciador de download após finalizar todos os downloads - + Don't quit upon closing last tab Não sair ao fechar a última guia - + <b>Launching</b> <b>Iniciar</b> - + This profile already exists! Esse perfil já existe! - + Show Bookmarks ToolBar on start Mostrar barra de favoritos ao iniciar - + Select all text by clicking in address bar Selecionar todo o texto ao clicar na barra de endereço - + Select all text by double clicking in address bar Selecionar todo o texto ao clicar duas vezes na barra de endereço - + Hide tabs when there is only one tab Ocultar guias caso exista apenas uma - + Show Home button Mostrar botão Página inicial - + Default zoom on pages: Tamanho padrão das páginas: - + Allow storing of cookies Permitir armazenamento de cookies - + Allow Netscape Plugins (Flash plugin) Permitir Plugins NetScape (Flash plugin) - + Don't load tabs until selected Não carregar guias até ser selecionada - + Extensions Extensões - + <b>Exceptions</b> <b>Excessões</b> - + Server: Servidor: - + Use different proxy for https connection Usar proxy diferente para conexões https - + Show tab previews Pré visualizar guias - + Make tab previews animated Exibir animação - + Certificate Manager Gerenciador de Certificados - + Manage CA certificates Gerenciar certificados de autoridade - + Automatically switch to newly opened tab Alterar automaticamente para a mais nova guia aberta @@ -3177,7 +3259,7 @@ não foi encontrado! QupZilla - + &Cut &Reortar @@ -3187,151 +3269,151 @@ não foi encontrado! Sair - + &Back &Voltar - + &Edit &Editar - + &File &Arquivo - + &Find Pro&curar - + &Help Aj&uda - + &Home Pági&na inicial - + &Redo &Refazer - + &Stop &Parar - + &Undo Desfaze&r - + &View E&xibir - + Open &File Abrir Ar&quivo - + C&opy C&opiar - - - - - + + + + + Empty Vazio - + Other Outras - + Reset Restaurar - + Information about application Informações do aplicativo - + Web In&spector In&spetor web - + Recently Visited Vistados Recentemente - + Close Window Fechar Janela - + Bookmark &This Page Adicionar essa página aos favori&tos - + &Paste Co&lar - + &Tools Ferramen&tas - + Save Page Screen Salvar Page Screen - + &Fullscreen T&ela Cheia - + Restore All Closed Tabs Restaurar todos as guias fechadas - + Open Location Abrir localização - + %1 - QupZilla %1 - QupZilla - + New Tab Nova guia - + Organize &Bookmarks Orga&nizar favoritos @@ -3341,103 +3423,103 @@ não foi encontrado! Sobre QupZill&a - + &Cookies Manager Gerenciador de &cookies - + &Web Search Procurar na &web - + &Private Browsing Navegação &Privada - + Zoom &Out Red&uzir - + &New Window &Nova Janela - + &Bookmarks &Favoritos - + Restore &Closed Tab Restaurar guia &fechada - + Zoom &In Ampl&iar - + Toolbars Barras de Ferramentas - + &Download Manager Gerenciador de &Downloads - + Close Tab Fechar guia - + About &Qt Sobre &Qt - + Page &Info &Informações da página - + &Page Source Código fonte da &Página - + Send Link... Enviar link... - + &AdBlock &AdBlock - + Character &Encoding Codificação dos caract&eres - + Clear list Limpar lista - + &Print... Im&primir... - + Open file... Abrir arquivo... @@ -3447,42 +3529,42 @@ não foi encontrado! Pr&eferências - + Select &All Selecion&ar tudo - + Most Visited Mais visitados - + Report &Issue Reportar pro&blema - + &Navigation Toolbar Barra de &navegação - + Closed Tabs Guias Fechadas - + &Save Page As... Sal&var página como... - + &Reload Atualiza&r - + Sta&tus Bar Barra de sta&tus @@ -3492,17 +3574,17 @@ não foi encontrado! Navegação privada ativada - + Hi&story &Histórico - + RSS &Reader Leitor &RSS - + &Menu Bar Barra de &menu @@ -3512,12 +3594,12 @@ não foi encontrado! QupZilla - + &Bookmarks Toolbar &Barra de favoritos - + (Private Browsing) (Navegação privada) @@ -3527,57 +3609,57 @@ não foi encontrado! Endereço IP da página atual - + Clear Recent &History Apagar &histórico recente - + &Forward &Avançar - + Show &All History Mostr&ar todo o histórico - + Import bookmarks... Importar favoritos... - + Bookmark &All Tabs M&arcar todos os favoritos - + Sidebars Barra lateral - + Configuration Information Informações de Configurações - + HTML files Arquivos HTML - + Image files Imagens - + Text files Arquivos de texto - + All files Todos os Arquivos @@ -3590,17 +3672,17 @@ não foi encontrado! <b>QupZilla travou :/</b><br/>Oops, parece que a última sessão do QupZilla não foi fechada como o planejado. Pedimos mil desculpas por isso. Você deseja que nós tentassemos abrir a última sessão que você estava? - + Don't ask again Não perguntar novamente - + There are still open tabs Ainda existem guias abertas - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Ainda existe %1 guias abertas, e não será possível salvar a sua sessão. @@ -4256,6 +4338,20 @@ Adicione os feeds clicando no símbolo RSS existente na barra de navegação, em Window %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5346,7 +5442,7 @@ Após adicionar ou remover os caminhos dos certificados, você terá que reinici WebSearchBar - + Add %1 ... Adicionar %1... @@ -5356,22 +5452,22 @@ Após adicionar ou remover os caminhos dos certificados, você terá que reinici Gerenciador dos Sites de Pesquisa - + Clear All Apagar tudo - + Show suggestions Exibir Sugestões - + Search when engine changed Procurar quando alterar o site de pesquisa - + Paste And &Search Colar e Pr&ocurar @@ -5379,112 +5475,112 @@ Após adicionar ou remover os caminhos dos certificados, você terá que reinici WebView - + &Back Volta&r - + &Mute &Mudo - + &Play Re&produzir - + &Save image as... Sa&lvar imagem como... - + Show &only this frame M&ostrar apenas esta moldura - + S&top Pa&rar - + Reset Recuperar - + &Save link as... &Salvar link como... - + Go to &web address Ir para endereço &web - + &Copy link address &Copiar link - + Show so&urce of frame Mostrar código fonte da mold&ura - + &Pause &Pausa - + Save Media To &Disk Gravar arquivo no &disco - + &Print page Im&primir - + This frame Esta moldura - + B&ookmark link Salvar link nos fav&oritos - + Send page link... Enviar link da página... - + Print frame Imprimir moldura - + Zoom &in Ampl&iar - + &Zoom out Redu&zir - + Copy im&age Copi&ar imagem - + Show i&mage Abrir i&magem @@ -5493,128 +5589,128 @@ Após adicionar ou remover os caminhos dos certificados, você terá que reinici Abrir i&magem em nova guia - + Validate page Validar página - + Send link... Enviar link... - + Search "%1 .." with %2 Procurar "%1 ..." no %2 - + Show this frame in new &tab Mostrar es&ta moldura em uma nova guia - + Open link in new &window Abrir link em nova &janela - + Select &all Selecion&ar tudo - + Google Translate Tradutor Google - + Send image... Enviar imagem... - + Dictionary Dicionário - + &Copy page link &Copiar link da página - + &Save page as... Salva&r página como... - - + + &Reload Atualiza&r - + Show info ab&out site Mostrar inf&ormações da página - + Un&mute Co&m som - + &Forward &Avançar - + Open link in new &tab Abrir link em uma nova &guia - + No Named Page Página sem nome - + Book&mark page Adicionar essa página aos &favoritos - + Show so&urce code Exibir código fon&te - + &Copy Media Address &Copiar endereço multimídia - + Send text... Enviar texto... - + &Send Media Address &Enviar endereço multimídia - + Copy image ad&dress Copiar link &da imagem - + Search with... Procurar com... - + Create Search Engine Criar Motor de Busca diff --git a/translations/pt_PT.ts b/translations/pt_PT.ts index 3714d6b35..38ce14040 100644 --- a/translations/pt_PT.ts +++ b/translations/pt_PT.ts @@ -1816,18 +1816,18 @@ não foi encontrado! N.º de visitas - - + + Today Hoje - + This Week Esta semana - + This Month Este mês @@ -1949,6 +1949,37 @@ não foi encontrado! Mostrar informações desta página + + LocationCompleterDelegate + + + Switch to tab + Trocar para o separador + + + + MainApplication + + + Default Browser + Navegador padrão + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + O QupZilla não é o navegador padrão. Pretende definir o QupZilla como navegador padrão? + + + + Always perform this check when starting QupZilla. + Executar sempre esta análise ao iniciar o QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + O QupZilla é um navegador web rápido, seguro e de código livre. O QupZilla está sujeito aos termos da GPL versão 3 ou (por opção) qualquer versão posterior. O Qupzilla é baseado nas tecnologias WebKit e Qt. + + NavigationBar @@ -2180,145 +2211,160 @@ não foi encontrado! QupZilla - + + Keyboard Shortcuts + Atalhos de teclado + + + <b>Launching</b> <b>Iniciar</b> - + After launch: Ao iniciar: - + Open blank page Abrir página em branco - - + + Open homepage Abrir pagina inicial - - + + Open speed dial Abrir ligação rápida - + Restore session Restaurar sessão - + Homepage: Página inicial: - + On new tab: Novo separador: - + Open blank tab Abrir separador vazio - + Open other page... Abrir outra página... - + <b>Profiles</b> <b>Perfis</b> - + Startup profile: Perfil de arranque: - + Create New Criar novo - + Delete Eliminar - - + + Note: You cannot delete active profile. Nota: não pode eliminar o perfil ativo. - + Check for updates on start Procurar atualizações ao iniciar - + + Check to see if QupZilla is the default browser on startup + Ao iniciar, verificar se o QupZilla é o navegador padrão do sistema + + + + Check Now + Verificar agora + + + Themes Temas - + Advanced options Opções avançadas - + <b>Browser Window</b> <b>Janela do navegador</b> - + Show StatusBar on start Mostrar barra de estado ao iniciar - + Show Bookmarks ToolBar on start Mostrar barra de marcadores ao iniciar - + Show Navigation ToolBar on start Mostrar barra de navegação ao iniciar - + <b>Navigation ToolBar</b> <b>Barra de navegação</b> - + Show Home button Mostrar botão Página inicial - + Show Back / Forward buttons Mostrar botões Recuar/Avançar - + Show Add Tab button Mostrar botão Adicionar separador - + <b>Background<b/> <b>Fundo</b> - + Use transparent background Utilizar fundo transparente @@ -2327,7 +2373,7 @@ não foi encontrado! <b>Comportamento do separador</b> - + Hide tabs when there is only one tab Ocultar separadores se só existir um @@ -2336,17 +2382,17 @@ não foi encontrado! <b>Comportamento da barra de endereço</b> - + Select all text by double clicking in address bar Selecionar todo o texto ao clicar duas vezes na barra de endereço - + Add .co.uk domain by pressing ALT key Adicionar .pt ao premir a tecla Alt - + Activate last tab when closing active tab Ativar o último separador ao fechar o separador ativo @@ -2355,146 +2401,146 @@ não foi encontrado! Alterar identificação do navegador: - + Ask when closing multiple tabs Perguntar ao fechar vários separadores - + Select all text by clicking in address bar Selecionar todo o texto ao clicar na barra de endereço - + Web Configuration Configuração web - + Allow JAVA Permitir Java - + Allow JavaScript Permitir JavaScript - - + + Use current Utilizar atual - + Active profile: Perfil ativo: - + Don't quit upon closing last tab Não sair ao fechar o último separador - + Closed tabs list instead of opened in tab bar Na barra de separadores, mostrar lista de separadores fechados em vez dos abertos - + Open new tabs after active tab Abrir separadores após o atual - + Allow DNS Prefetch Permitir obtenção prévia de DNS - + Allow local storage of HTML5 web content Permitir armazenamento local de conteúdo HTML5 - + Delete locally stored HTML5 web content on close Eliminar conteúdo HTML5 ao fechar o navegador - + JavaScript can access clipboard Os JavaScripts podem aceder à área de transferência - + Send Do Not Track header to servers Enviar aos servidores uma notificação de não monitorização - + Zoom text only Ampliar apenas o texto - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Imprimir elementos de segundo plano - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Incluir ligações na cadeia de foco - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Ativar auditoria XSS - + Mouse wheel scrolls Roda do rato move - + lines on page linhas na página - + Default zoom on pages: Tamanho padrão das páginas: - + Extensions Extras - + Don't load tabs until selected Não carregar separadores até selecionar - + Show tab previews Mostrar antevisão das páginas - + Make tab previews animated Mostrar antevisão animada - + Show web search bar Mostrar barra de procura web - + Tabs behavior Comportamento dos separadores @@ -2503,491 +2549,516 @@ não foi encontrado! Mostrar botão Fechar nos separadores - + Automatically switch to newly opened tab Trocar automaticamente para o separador aberto - + Address Bar behavior Comportamento da barra de endereço - + Suggest when typing into address bar: Sugerir ao escrever na barra de endereço: - + History and Bookmarks Histórico e marcadores - + History Histórico - + Bookmarks Marcadores - + Nothing Nada - + + Press "Shift" to not switch the tab but load the url in the current tab. + Prima Shift para não trocar de separador e carregar o url no separador atal. + + + + Propose to switch tab if completed url is already loaded. + Solicitar a troca de separador quando o url for carregado. + + + Show loading progress in address bar Mostrar evolução na barra de endereço - + Fill Preencher - + Bottom Base - + Top Topo - + If unchecked the bar will adapt to the background color. Se inativa, a barra será adaptada à cor de fundo. - + custom color: cor personalizada: - + Select color Escolha a cor - + Many styles use Highlight color for the progressbar. Diversos estilos utilizam uma cor de realce para a barra de evolução. - + set to "Highlight" color definir cor de "Realce" - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body><p>Se ativa, o motor de procura padrão será obtido para a procura sem utilizar o atalho na barra de endereço em vez de utilizar o motor de procura selecionado na barra de procura web.</p></body></html> - + Search with Default Engine Procurar com o motor padrão - + Allow Netscape Plugins (Flash plugin) Permitir plugins Netscape (Flash) - + Local Storage Armazenamento local - + Maximum pages in cache: N.º máximo de páginas em cache: - + 1 1 - + Allow storing network cache on disk Permitir armazenamento da cache de rede no disco - + Maximum Máximo - + 50 MB 50 MB - + Allow saving history Permitir gravação do histórico - + Delete history on close Eliminar histórico ao fechar - + Delete now Eliminar agora - + 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>Exceptions</b> <b>Exceções</b> - + Server: Servidor: - + Use different proxy for https connection Utilizar proxy distinta para ligações https - + <b>Font Families</b> <b>Famílias de letras</b> - + Standard Padrão - + Fixed Fixa - + Serif Serif - + Sans Serif Sans Serif - + Cursive Cursiva - + + <b>Shortcuts</b> + <b>Atalhos</b> + + + + Switch to tabs with Alt + number of tab + Trocar de separador com Alt+número do separador + + + + Load speed dials with Ctrl + number of speed dial + Carregar ligação rápida com Ctrl+número da ligação + + + <b>External download manager</b> <b>Gestor de transferências externo</b> - + Use external download manager Utilizar gestor de transferências externo - + Executable: Executável: - + Arguments: Argumentos: - + Leave blank if unsure Deixe em branco se não tiver certeza - + Filter tracking cookies Filtrar cookies de rastreio - + Certificate Manager Gestor de certificados - + <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 nos sítios visitados. Se ocorrem problemas, tente desativar estas opções! - + <b>Change browser identification</b> <b>Alterar identificação do navegador</b> - + User Agent Manager Gestão do agente do utilizador - + 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: - - - - + + + + ... ... - + Show Reload / Stop buttons Mostrar botões Recarregar/Parar - + <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> - + Allow storing of cookies Permitir armazenamento de cookies - + Manage CA certificates Gerir certificados - + Delete cookies on close Eliminar cookies ao fechar - + Match domain exactly Coincidente com domínio - + Cookies Manager Gestor de cookies - + <b>SSL Certificates</b> <b>Certificados SSL</b> - - + + <b>Other</b> <b>Outros</b> - + Send Referer header to servers Enviar endereço para os servidores - + Block popup windows Bloquear janelas emergentes - + <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 reiniciar o navegador. - + StyleSheet automatically loaded with all websites: A folha de estilo a carregar automaticamente nas páginas web: - + Languages Idiomas - + <b>Preferred language for web sites</b> <b>Idioma preferencial para páginas web</b> @@ -3017,98 +3088,109 @@ não foi encontrado! Tipo de letra - + Downloads Transferências - + Password Manager Gestor de senhas - + Privacy Privacidade - + Notifications Notificações - + Other Outras - + + + QupZilla is default + O QupZilla é o navegador padrão + + + + Make QupZilla default + Tornar o navegador padrão + + + 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 folha de estilo... - + Deleted Eliminado - + Choose executable location... Escolha a localização do executável... - + 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! - + Select Color Escolha a cor @@ -3187,78 +3269,78 @@ não foi encontrado! 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... - + Import bookmarks... Importar marcadores... @@ -3268,42 +3350,42 @@ não foi encontrado! Sair - + &Edit &Editar - + &Undo An&ular - + &Redo &Refazer - + &Cut &Cortar - + C&opy C&opiar - + &Paste Co&lar - + Select &All Selecion&ar tudo - + &Find Locali&zar @@ -3326,203 +3408,203 @@ não foi encontrado! <b>A última sessão do QupZilla terminou abruptamente :-(</b><br/> Pedimos desculpa pelo ocorrido. Pretende restaurar a última sessão? - + &Print... Im&primir... - + &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 - + 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 - + Closed Tabs Separadores fechados - + Recently Visited Recentes - + Most Visited Mais visitados - + Web In&spector In&spetor web - + Configuration Information Informações da configuração - + Restore &Closed Tab Restaurar separador fe&chado - + (Private Browsing) (Navegação privada) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Ainda existem %1 separadores abertos e a sessão não será gravada. Tem a certeza que pretende sair? - + Don't ask again Não perguntar novamente - + There are still open tabs Ainda existem separadores abertos - + 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 @@ -3532,77 +3614,77 @@ Tem a certeza que pretende sair? Sobre QupZill&a - + 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 - + HTML files Ficheiros HTML - + Image files Imagens - + Text files Ficheiros de texto - + All files Todos os ficheiros - + Open file... Abrir ficheiro... @@ -4256,6 +4338,21 @@ Adicione as fontes com o ícone RSS existente na barra de navegação, nas pági Janela %1 + + RegisterQAppAssociation + + + Warning! + Aviso! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + Existem alguns problemas. Por favor reinstale o QupZilla. +Experimente iniciar o QupZilla como administrador. Pode ser que tenha sorte! ;) + + SSLManager @@ -5351,27 +5448,27 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup Gestão dos motores de procura - + Add %1 ... Adicionar %1... - + Paste And &Search Colar e pr&ocurar - + Clear All Apagar tudo - + Show suggestions Mostrar sugestões - + Search when engine changed Procurar ao alterar o motor @@ -5379,238 +5476,238 @@ Após adicionar ou remover os caminhos dos certificados, tem que reiniciar o Qup WebView - + &Copy page link &Copiar ligação da página - + Send page link... Enviar ligação da página... - + &Print page Im&primir página - + Validate page Validar página - + Send text... Enviar texto... - + Google Translate Google Translate - + Dictionary Dicionário - + Go to &web address Ir para endereço &web - + Open link in new &tab Abrir ligação em novo &separador - + Open link in new &window Abrir ligação em nova &janela - + B&ookmark link Marcar ligaçã&o - + &Save link as... &Gravar ligação como... - + Send link... Enviar ligação... - + &Copy link address &Copiar endereço da ligação - + Show i&mage &Mostrar imagem - + Copy im&age Copi&ar imagem - + Copy image ad&dress Copiar en&dereço da imagem - + &Save image as... &Gravar imagem como... - + Send image... Enviar imagem... - + &Back &Recuar - + Create Search Engine Criar motor de procura - + &Forward &Avançar - - + + &Reload &Recarregar - + S&top Pa&rar - + This frame Esta moldura - + Show &only this frame M&ostrar apenas esta moldura - + Show this frame in new &tab Mostrar es&ta moldura em novo separador - + Print frame Imprimir moldura - + Zoom &in Ampl&iar - + &Zoom out Redu&zir - + Reset Restaurar - + Show so&urce of frame Mostrar código fonte da mold&ura - + Book&mark page &Marcar esta página - + &Save page as... &Gravar página como... - + Search with... Procurar com... - + &Play Re&produzir - + &Pause &Pausa - + Un&mute Co&m som - + &Mute Se&m som - + &Copy Media Address &Copiar endereço multimédia - + &Send Media Address &Enviar endereço multimédia - + Save Media To &Disk Gravar multimédia no &disco - + Select &all Selecion&ar tudo - + Show so&urce code Mos&trar código fonte - + Show info ab&out site Mostrar inf&ormações da página - + Search "%1 .." with %2 Procurar "%1 ..." no %2 - + No Named Page Página sem nome diff --git a/translations/ro_RO.ts b/translations/ro_RO.ts index 2b172dc9a..0a1987d8d 100644 --- a/translations/ro_RO.ts +++ b/translations/ro_RO.ts @@ -1539,6 +1539,32 @@ nu a putut fi găsit! Afișează informații desprea această pagină + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2462,6 +2488,46 @@ nu a putut fi găsit! Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3366,6 +3432,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds. + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/ru_RU.ts b/translations/ru_RU.ts index 85e9a6f00..9c4def8aa 100644 --- a/translations/ru_RU.ts +++ b/translations/ru_RU.ts @@ -1822,18 +1822,18 @@ Количество посещений - - + + Today Сегодня - + This Week На этой неделе - + This Month В этом месяце @@ -1955,6 +1955,37 @@ Показать информацию о текущей странице + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2187,145 +2218,160 @@ QupZilla - + + Keyboard Shortcuts + + + + <b>Launching</b> <b>Запуск</b> - + After launch: После запуска: - + Open blank page Открыть пустую страницу - - + + Open homepage Открыть домашнюю страницу - - + + Open speed dial Открыть страницу быстрого доступа - + Restore session Восстановление сессии - + Homepage: Домашняя страница: - + On new tab: На новой вкладке: - + Open blank tab Открыть пустую вкладку - + Open other page... Открыть другую страницу... - + <b>Profiles</b> <b>Профили</b> - + Startup profile: Профиль по умолчанию: - + Create New Создать новый - + Delete Удалить - - + + Note: You cannot delete active profile. Примечание: Нельзя удалить активный профиль. - + Check for updates on start Проверять обновления при запуске - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes Темы - + Advanced options Расширенные настройки - + <b>Browser Window</b> <b>Окно браузера</b> - + Show StatusBar on start Показывать панель статуса при запуске - + Show Bookmarks ToolBar on start Показывать панель закладок при запуске - + Show Navigation ToolBar on start Показывать панель навигации при запуске - + <b>Navigation ToolBar</b> <b>Панель навигации</b> - + Show Home button Показывать кнопку "Домой" - + Show Back / Forward buttons Показать кнопки Вперед/Назад - + Show Add Tab button Показывать кнопку "Открыть новую вкладку" - + <b>Background<b/> <b>Фон</b> - + Use transparent background Использовать прозрачный фон @@ -2334,7 +2380,7 @@ <b>Поведение вкладок</b> - + Hide tabs when there is only one tab Скрывать панель вкладок, когда открыта только одна вкладка @@ -2343,162 +2389,162 @@ <b>Поведение адресной строки</b> - + Select all text by double clicking in address bar Выделять весь текст при двойном клике в панели адреса - + Add .co.uk domain by pressing ALT key Добавить домен .ru после нажатия клавиши ALT - + Activate last tab when closing active tab Активировать последнюю вкладку после закрытия активной - + Ask when closing multiple tabs Спрашивать при закрытии окна с несколькими открытыми вкладками - + Select all text by clicking in address bar Выделять весь текст при клике в панели адреса - + Web Configuration Настройки Web - + Allow JAVA Использовать Java - + Allow JavaScript Использовать JavaScript - - + + Use current Использовать текущий - + Active profile: Активный профиль: - + Don't quit upon closing last tab Не выходить при закрытии последней вкладки - + Closed tabs list instead of opened in tab bar Закрывать вкладки вместо открытия в таб баре - + Open new tabs after active tab Открыть новую вкладку после текущей - + Allow DNS Prefetch Позволять предварительное получение DNS - + Allow local storage of HTML5 web content Разрешить локальное хранение HTML5 контента - + Delete locally stored HTML5 web content on close Удалять локальные данные HTML5 при закрытии - + JavaScript can access clipboard JavaScript может получить доступ к буферу обмена - + Send Do Not Track header to servers Просить сервер не отслежевать вас - + Zoom text only Масштабировать только текст - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements ? Печатать фон элемента - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Включать ссылки в последовательность фокуса - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Включить XSS аудит - + Mouse wheel scrolls Прокручивать с помощью колесика мыши - + lines on page строк на страницу - + Default zoom on pages: Масштабирование страницы по умолчанию: - + Extensions Расширения - + Don't load tabs until selected Не загружать вкладки до выбранной - + Show tab previews Показывать вкладку предварительного просмотра - + Make tab previews animated Анимировать вкладку предварительного просмотра - + Show web search bar Показать панель поиска - + Tabs behavior Настройка вкладок @@ -2507,290 +2553,315 @@ Показывать кнопку "Закрыть" на вкладках - + Automatically switch to newly opened tab Автоматически переключаться на новую вкладку - + Address Bar behavior Настройка панели адреса - + Suggest when typing into address bar: Автодополнение: - + History and Bookmarks История и закладки - + History История - + Bookmarks Закладки - + Nothing Ничего - - Show loading progress in address bar - Показывать прогресс загрузки в адресной строке - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + Показывать прогресс загрузки в адресной строке + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Разрешить плагины Netscape (плагин Flash) - + Local Storage Локальное хранилище - + Maximum pages in cache: Минимум страниц в кэше: - + 1 1 - + Allow storing network cache on disk Сохранять кэш - + Maximum Максимум - + 50 MB 50 MB - + Allow saving history Сохранять историю - + Delete history on close Очищать истроию после закрытия - + Delete now Удалить сейчас - + Proxy Configuration Настройки Proxy - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: Порт: - - + + Username: Имя пользователя: - - + + Password: Пароль: - + Don't use on: Не использовать на: - + Manual configuration Ручные настройки - + System proxy configuration Системные натройки прокси - + Do not use proxy Не использовать прокси - + <b>Exceptions</b> <b>Исключения</b> - + Server: Сервер: - + Use different proxy for https connection Использовать другой proxy для соединения https - + <b>Font Families</b> <b>Семейства шрфтов</b> - + Standard Стандарт - + Fixed Фиксированный - + Serif Serif - + Sans Serif Sans Serif - + Cursive Курсив - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Внешний менеджер загрузки</b> - + Use external download manager Использовать внешний менеджер загрузки - + Executable: Активные: - + Arguments: Аргументы: - + Leave blank if unsure Оставьте пустым если не уверены - + Filter tracking cookies Фильтрация шпионских Cookies - + Certificate Manager Менеджер сертификатов - + <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>Change browser identification</b> <b>Изменить настройки идентификации</b> - + User Agent Manager Управление User Agent @@ -2799,205 +2870,205 @@ Изменить идентификатор браузера: - + 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: ??? Использовать определенное место: - - - - + + + + ... ... - + Show Reload / Stop buttons - + <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> - + Allow storing of cookies Сохранять cookies - + Manage CA certificates Управлять CA сертификатами - + Delete cookies on close Удалить cookies после закрытия - + Match domain exactly Требовать точное соответствие домена - + Cookies Manager Менеджер Cookies - + <b>SSL Certificates</b> <b>SSL Сертификаты</b> - - + + <b>Other</b> <b>Остальное</b> - + Send Referer header to servers Отправить Referer заголовок к серверам - + Block popup windows Блокировать всплывающие окна - + <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. Чтобы изменить язык, вы должны перезапустить браузер. - + StyleSheet automatically loaded with all websites: Выберите таблицу стилей для всех сайтов: - + Languages Языки - + <b>Preferred language for web sites</b> <b>Предпочитаемый язык для веб сайтов</b> @@ -3027,98 +3098,109 @@ Шрифты - + Downloads Загрузки - + Password Manager Менеджер паролей - + Privacy Конфиденциальность - + Notifications Уведомления - + Other Прочее - + + + QupZilla is default + + + + + Make QupZilla default + + + + OSD Notification Экранные уведомления - + Drag it on the screen to place it where you want. Перетащите уведомление, в место где вы хотите его разместить. - + Choose download location... Выберите папку для загрузок... - + Choose stylesheet location... Укажите местоположение таблицы стилей... - + Deleted Удален - + Choose executable 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"? Это действие необратимо! - + Select Color @@ -3198,78 +3280,78 @@ 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... Послать адрес... - + Import bookmarks... Импортировать закладки... @@ -3279,42 +3361,42 @@ Выход - + &Edit &Правка - + &Undo &Отменить - + &Redo &Повторить - + &Cut &Вырезать - + C&opy &Копировать - + &Paste Вс&тавить - + Select &All В&ыделить всё - + &Find &Найти @@ -3337,202 +3419,202 @@ <b>QupZilla упал :-(</b><br/>К сожалению, последняя сессия QupZilla была завершена неудачно. Вы хотите попробовать восстановить её? - + &Print... &Распечатать... - + &View &Вид - + &Navigation Toolbar Панель &Навигации - + &Bookmarks Toolbar Панель &Закладок - + Sta&tus Bar Панель &статуса - + &Menu Bar Панель &Меню - + &Fullscreen &Полноэкранный режим - + &Stop П&рервать - + &Reload &Обновить - + Character &Encoding &Кодировка символов - + Toolbars Панели инструментов - + Sidebars Боковые панели - + Zoom &In У&величить - + Zoom &Out У&меньшить - + Reset Восстановить - + &Page Source &Исходый код страницы - + Closed Tabs Закрытые вкладки - + Recently Visited Недавно посещенные - + Most Visited Самые посещаемые - + Web In&spector Веб Ин&спектор - + Configuration Information Информация о конфигурации - + Restore &Closed Tab Открыть &закрытую вкладку - + (Private Browsing) (Режим приватного просмотра) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? У вас открыто %1 вкладок и ваша сессия не сохранится. Вы точно хотите выйти из QupZilla? - + Don't ask again Не спрашивать снова - + There are still open tabs Некоторые вкладки не закрыты - + 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 %1 - QupZilla @@ -3542,77 +3624,77 @@ Are you sure to quit QupZilla? &О QupZilla - + Report &Issue &Сообщить об ошибке - + &Web Search П&оиск в интернете - + Page &Info &Информация о странице - + &Download Manager &Менеджер загрузок - + &Cookies Manager Менеджер &Cookie - + &AdBlock &AdBlock - + RSS &Reader Чтение &RSS - + Clear Recent &History Очистить &недавнюю историю - + &Private Browsing Режим &приватного просмотра - + Other Прочее - + HTML files Файлы HTML - + Image files Файлы изображений - + Text files Текстовые файлы - + All files Все файлы - + Open file... Открыть файл... @@ -4268,6 +4350,20 @@ Please add some with RSS icon in navigation bar on site which offers feeds.Окно %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5365,27 +5461,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Управление поисковыми системами - + Add %1 ... Добавить %1... - + Paste And &Search Вставить и &Найти - + Clear All Очистить все - + Show suggestions Автодополнение - + Search when engine changed @@ -5393,238 +5489,238 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + Open link in new &tab Открыть ссылку в новой &вкладке - + Open link in new &window Открыть ссылку в новом &окне - + B&ookmark link Добавить ссылку в &закладки - + &Save link as... С&охранить ссылку как... - + Send link... Послать адрес... - + &Copy link address &Копировать адрес - + Show i&mage Показать и&зображение - + Copy im&age Копи&ровать изображение - + Copy image ad&dress Копировать &адрес изображения - + &Save image as... Со&хранить изображение как... - + Send image... Послать изображение... - + &Back &Назад - + Create Search Engine Добавить поисковый движок - + &Forward &Вперед - - + + &Reload &Обновить - + S&top &Прервать - + This frame Эта структура - + Show &only this frame Показывать &только эту структуру - + Show this frame in new &tab Показывать структуру в новой вкладк&е - + Print frame Распечатаь структуру - + Zoom &in &Увеличить - + &Zoom out &Уменьшить - + Reset Восстановить - + Show so&urce of frame &Показать код структуры - + Book&mark page Добавить в &закладки - + &Save page as... &Сохранить страницу как... - + &Copy page link Копировать &ссылку страницы - + Send page link... Послать адрес страницы... - + &Print page &Распечатать страницу - + Send text... Послать текст... - + Google Translate Google перевод - + Dictionary Словарь - + Go to &web address Идти по &ссылке - + Search with... Искать с помощью... - + &Play &Играть - + &Pause &Пауза - + Un&mute &Включение - + &Mute &Отключение - + &Copy Media Address Копировать &сслыку медиаконтента - + &Send Media Address &Послать сслыку медиаконтента - + Save Media To &Disk &Сохранить медиоконтент - + Select &all В&ыделить всё - + Validate page Проверенная страница - + Show so&urce code Показать &исходый код - + Show info ab&out site Показывать &информацию о сайте - + Search "%1 .." with %2 Искать "%1 .." с %2 - + No Named Page Безымянная страница diff --git a/translations/sk_SK.ts b/translations/sk_SK.ts index 3f3aca27b..05dced0d0 100644 --- a/translations/sk_SK.ts +++ b/translations/sk_SK.ts @@ -1543,6 +1543,32 @@ Zobraziť informácie o tejto stránke + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2468,6 +2494,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3373,6 +3439,18 @@ Prosím pridajte nejaké kliknutím na RSS ikonku v navigačnom paneli na strán Okno %1 + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/sr_BA.ts b/translations/sr_BA.ts index 3bae43fff..6d276087c 100644 --- a/translations/sr_BA.ts +++ b/translations/sr_BA.ts @@ -1804,18 +1804,18 @@ Број посјета - - + + Today Данас - + This Week Ове недјеље - + This Month Овога мјесеца @@ -1937,6 +1937,37 @@ Прикажи податке о овој страници + + LocationCompleterDelegate + + + Switch to tab + Активирај језичак + + + + MainApplication + + + Default Browser + Подразумијевани прегледач + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + Капзила тренутно није ваш подразумијевани прегледач веба. Да ли желите да поставите за подразумијеваног прегледача? + + + + Always perform this check when starting QupZilla. + Увијек изврши ову провјеру по покретању Капзиле. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + Капзила је нов, брз и сигуран веб прегледач отвореног кода. Лиценциран под издањем 3 ГПЛ лиценце или (по вашем нахођењу) било којим каснијим издањем лиценце. Базиран на ВебКит језгру и Кјут радном окружењу. + + NavigationBar @@ -2168,310 +2199,310 @@ Капзила - + <b>Launching</b> <b>Покретање</b> - + After launch: По покретању: - + Open blank page отвори празну страницу - - + + Open homepage отвори домаћу страницу - - + + Open speed dial отвори брзо бирање - + Restore session обнови сесију - + Homepage: Домаћа страница: - + On new tab: На новом језичку: - + Open blank tab отвори празан језичак - + Open other page... отвори другу страницу... - + <b>Profiles</b> <b>Профили</b> - + Startup profile: Почетни профил: - + Create New Направи нови - + Delete Обриши - - + + Note: You cannot delete active profile. Напомена: Не можете обрисати активни профил. - + Check for updates on start Потражи надоградње по покретању - + Themes Теме - + Advanced options Напредне опције - + <b>Browser Window</b> <b>Прозор прегледача</b> - + Show StatusBar on start Прикажи траку стања по покретању - + Show Bookmarks ToolBar on start Прикажи траку обиљеживача по покретању - + Show Navigation ToolBar on start Прикажи траку навигације по покретању - + <b>Navigation ToolBar</b> <b>Трака навигације</b> - + Show Home button Прикажи дугме Домаћа - + Show Back / Forward buttons Прикажи дугмад Назад / Напријед - + Show Add Tab button Прикажи дугме Додај језичак - + <b>Background<b/> <b>Позадина<b/> - + Use transparent background Користи провидну позадину - + Hide tabs when there is only one tab Сакриј траку са језичцима када има само један - + Select all text by double clicking in address bar Изабери сав текст двокликом у траци адресе - + Add .co.uk domain by pressing ALT key Додај .rs.ba домен притиском на ALT тастер - + Activate last tab when closing active tab Активирај претходно коришћен језичак при затварању текућег - + Ask when closing multiple tabs Потврди затварање прозора са више језичака - + Select all text by clicking in address bar Изабери сав текст кликом у траци адресе - + Web Configuration Веб подешавање - + Allow JAVA Дозволи Јаву - + Allow JavaScript Дозволи Јаваскрипте - - + + Use current Користи текућу - + Active profile: Активни профил: - + Don't quit upon closing last tab Не напуштај по затварању посљедњег језичка - + Closed tabs list instead of opened in tab bar Списак затворених умјесто списка отворених језичака на траци језичака - + Open new tabs after active tab Отварај нове језичке послије активног - + Allow DNS Prefetch Предохватање ДНС уноса - + Allow local storage of HTML5 web content Дозволи локално смештање ХТМЛ5 веб садржаја Дозволи локално смјештање ХТМЛ5 веб садржаја - + Delete locally stored HTML5 web content on close Обриши локални ХТМЛ5 веб садржај по затварању - + JavaScript can access clipboard Јаваскрипта може приступити клипборду - + Send Do Not Track header to servers Шаљи ДНТ (Не Прати Ме) заглавље серверима - + Zoom text only Увеличавај само текст - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Штампај позадину елемента - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Укључи везе у ланац фокуса - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Укључи ИксСС провјеравање - + Mouse wheel scrolls Точкић миша клиза - + lines on page линија на страници - + Default zoom on pages: Подразумијевано увеличање страница: - + Extensions Проширења - + Don't load tabs until selected Не учитавај језичке док не буду изабрани - + Show tab previews Приказуј прегледе језичака - + Make tab previews animated Анимирај прегледе језичака - + Show web search bar Прикажи траку веб претраге - + Tabs behavior Понашање језичака @@ -2480,491 +2511,532 @@ Прикажи дугме за затварање на језичцима - + Automatically switch to newly opened tab Аутоматски фокусирај новоотворени језичак - + Address Bar behavior Понашање траке адресе - + Suggest when typing into address bar: При куцању у траци адресе предлажи: - + History and Bookmarks историјат и обиљеживаче - + History историјат - + Bookmarks обиљеживаче - + Nothing ништа - + + Press "Shift" to not switch the tab but load the url in the current tab. + Притисните Shift тастер да учитате УРЛ у текућем језичку. + + + + Propose to switch tab if completed url is already loaded. + Предлажи активирање језичка ако је УРЛ већ отворен. + + + Show loading progress in address bar Прикажи напредак учитавања у траци адресе - + Fill Испун - + Bottom Дно - + Top Врх - + If unchecked the bar will adapt to the background color. Ако није попуњено, трака ће се прилагодити боји позадине. - + custom color: Посебна боја: - + Select color Изабери боју - + Many styles use Highlight color for the progressbar. Многи стилови користе боју истицања за траку напретка. - + set to "Highlight" color Постави на боју „истицања“ - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body><p>Ако је омогућено подразумијевани мотор претраге ће бити коришћен за претрагу без пречице претраге у траци адресе умјесто текућег мотора претраге у траци веб претраге.</p></body></html> - + Search with Default Engine Тражи помоћу подразумијеваног мотора - + Allow Netscape Plugins (Flash plugin) Дозволи Нетскејпове прикључке (Флеш) - + Local Storage Локално складиште - + Maximum pages in cache: Највише страница у кешу: - + 1 1 - + Allow storing network cache on disk Дозволи смјештање мрежног кеша на диск - + Maximum Највише - + 50 MB 50 MB - + Allow saving history Дозволи чување историјата - + Delete history on close Обриши историјат по затварању - + Delete now Обриши сада - + Proxy Configuration Подешавање проксија - + HTTP ХТТП - + SOCKS5 СОЦКС5 - - + + Port: Порт: - - + + Username: Корисничко име: - - + + Password: Лозинка: - + Don't use on: Не користи на: - + Manual configuration Ручне поставке - + System proxy configuration Системске поставке - + Do not use proxy Не користи прокси - + <b>Exceptions</b> <b>Изузеци</b> - + Server: Сервер: - + Use different proxy for https connection Користи други прокси за ХТТПС везу - + <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>Shortcuts</b> + <b>Пречице</b> + <b>Пречице</b> + + + + Switch to tabs with Alt + number of tab + Активирај језичке са Alt + број језичка + + + + Load speed dials with Ctrl + number of speed dial + Учитавај брза бирања са Ctrl + број брзог бирања + + + <b>Download Location</b> <b>Одредиште преузимања</b> - + Ask everytime for download location Питај сваки пут за одредиште - + Use defined location: Користи одредиште: - - - - + + + + ... ... - + + Keyboard Shortcuts + Пречице тастатуре + + + + Check to see if QupZilla is the default browser on startup + Провјера подразумијеваног прегледача по старту + + + + Check Now + Провјери одмах + + + Show Reload / Stop buttons Прикажи дугмад Поново учитај / Заустави - + <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>External download manager</b> <b>Спољашњи менаџер преузимања</b> - + Use external download manager Користи спољашњи менаџер преузимања - + Executable: Извршна: - + Arguments: Аргументи: - + Leave blank if unsure Оставите празно ако нисте сигурни - + <b>AutoFill options</b> <b>Опције аутоматске попуне</b> - + Allow saving passwords from sites Дозволи успремање лозинки са сајтова - + <b>Cookies</b> <b>Колачићи</b> - + <b>Change browser identification</b> <b>Промjена идентификације прегледача</b> - + User Agent Manager Менаџер идентификације прегледача - + 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>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! - + Allow storing of cookies Дозволи успремање колачића - + Delete cookies on close Обриши колачиће по затварању - + Match domain exactly Поклапај домен тачно - + Cookies Manager Менаџер колачића - + <b>SSL Certificates</b> <b>ССЛ сертификати</b> - - + + <b>Other</b> <b>Разно</b> - + Send Referer header to servers Шаљи заглавље пратиоца серверима - + Block popup windows Блокирај искачуће прозоре - + Certificate 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. Да бисте промијенили језик, морате поново покренути прегледач. - + Manage CA certificates Управљај сертификатима - + StyleSheet automatically loaded with all websites: Опис стила који ће аутоматски бити учитан за све сајтове: - + Languages Језици - + <b>Preferred language for web sites</b> <b>Приоритетни језик за веб странице</b> @@ -2994,98 +3066,109 @@ Фонтови - + Downloads Преузимања - + Password Manager Менаџер лозинки - + Privacy Приватност - + Notifications Обавјештења - + Other Остало - + + + QupZilla is default + Капзила је подразумијевана + + + + Make QupZilla default + Постави за подразумијеван + + + OSD Notification ОСД обавјештење - + Drag it on the screen to place it where you want. Превуците га по екрану на жељени положај. - + Choose download location... Одабир одредишта за преузимање... - + Choose stylesheet location... Одабир фајла описа стила... - + Deleted Обрисано - + Choose executable 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“ профил? Ова радња не може да се поништи! - + Select Color Избор боје @@ -3164,78 +3247,78 @@ ИП адреса текуће странице - + &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... Пошаљи везу... - + Import bookmarks... Увези обиљеживаче... @@ -3245,42 +3328,42 @@ Напусти - + &Edit &Уреди - + &Undo &Опозови - + &Redo &Понови - + &Cut &Исијеци - + C&opy &Копирај - + &Paste &Налијепи - + Select &All Изабери &све - + &Find Н&ађи @@ -3295,203 +3378,203 @@ Капзила - + &Print... &Штампај... - + &View &Приказ - + &Navigation Toolbar Трака &навигације - + &Bookmarks Toolbar Трака &обиљеживача - + Sta&tus Bar Трака &стања - + &Menu Bar Трака &менија - + &Fullscreen &Цио екран - + &Stop &Заустави - + &Reload &Учитај поново - + Character &Encoding &Кодирање знакова - + Toolbars Траке алатки - + Sidebars Бочне траке - + Zoom &In У&величај - + Zoom &Out У&мањи - + Reset Стварна величина - + &Page Source &Извор странице - + Closed Tabs Затворени језичци - + Recently Visited Недавно посјећено - + Most Visited Најпосјећеније - + Web In&spector Веб и&нспектор - + Configuration Information Поставке програма - + Restore &Closed Tab &Обнови затворени језичак - + (Private Browsing) (приватно прегледање) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Још увијек имате %1 отворених језичака а ваша сесија неће бити сачувана. Желите ли заиста да напустите Капзилу? - + Don't ask again Не питај поново - + There are still open tabs Још увијек имате отворених језичака - + 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 - Капзила @@ -3501,77 +3584,77 @@ Are you sure to quit QupZilla? &О Капзили - + Report &Issue &Пријави проблем - + &Web Search Претрага &веба - + Page &Info Подаци о &сајту - + &Download Manager Менаџер &преузимања - + &Cookies Manager Менаџер &колачића - + &AdBlock &Адблок - + RSS &Reader Читач РСС &довода - + Clear Recent &History &Очисти приватне податке - + &Private Browsing П&риватно прегледање - + Other Остало - + HTML files ХТМЛ фајлови - + Image files Фајлови слика - + Text files Фајлови текста - + All files Сви фајлови - + Open file... Отвори фајл... @@ -4225,6 +4308,21 @@ Please add some with RSS icon in navigation bar on site which offers feeds.Прозор %1 + + RegisterQAppAssociation + + + Warning! + Упозорење! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + Појавио се проблем. Поново инсталирајте Капзилу, +или је покушајте покренути са административним привилегијама. + + SSLManager @@ -5313,27 +5411,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Управљај моторима претраге - + Add %1 ... Додај %1 ... - + Paste And &Search Налијепи и &тражи - + Clear All Очисти све - + Show suggestions Приказуј приједлоге - + Search when engine changed Претражуј по промјени мотора @@ -5341,238 +5439,238 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + No Named Page Неименована страница - + Create Search Engine Направи мотор претраге - + &Back На&зад - + &Forward На&пријед - - + + &Reload &Учитај поново - + S&top Заус&тави - + This frame Оквир - + Show &only this frame П&рикажи само овај оквир - + Show this frame in new &tab Прикажи овај оквир у новом &језичку - + Print frame Штампај оквир - + Zoom &in У&вличај - + &Zoom out У&мањи - + Reset Стварна величина - + Show so&urce of frame Прикажи извор о&квира - + Book&mark page &Обиљежи страницу - + &Save page as... &Сачувај страницу као... - + &Copy page link &Копирај везу странице - + Send page link... Пошаљи везу странице... - + &Print page &Штампај страницу - + Select &all Из&абери све - + Validate page Провјера кôда - + Show so&urce code Прикажи &изворни кôд - + Show info ab&out site По&даци о сајту - + Open link in new &tab Отвори везу у новом &језичку - + Open link in new &window Отвори везу у новом &прозору - + B&ookmark link &Обиљежи везу - + &Save link as... &Сачувај везу као... - + Send link... Пошаљи везу... - + &Copy link address &Копирај адресу везе - + Show i&mage П&рикажи слику - + Copy im&age К&опирај слику - + Copy image ad&dress Копирај &адресу слике - + &Save image as... Сачувај с&лику као... - + Send image... Пошаљи слику... - + Send text... Пошаљи текст... - + Google Translate Гуглов преводилац - + Dictionary Рјечник - + Go to &web address Иди на &веб адресу - + Search "%1 .." with %2 Тражи „%1“ на %2 - + Search with... Тражи на... - + &Play &Пусти - + &Pause &Паузирај - + Un&mute Вра&ти звук - + &Mute У&тишај - + &Copy Media Address &Копирај адресу медија - + &Send Media Address П&ошаљи адресу медија - + Save Media To &Disk &Сачувај медиј на диск diff --git a/translations/sr_RS.ts b/translations/sr_RS.ts index 5776da333..d3cbd7c24 100644 --- a/translations/sr_RS.ts +++ b/translations/sr_RS.ts @@ -1804,18 +1804,18 @@ Број посета - - + + Today Данас - + This Week Ове недеље - + This Month Овога месеца @@ -1937,6 +1937,37 @@ Прикажи податке о овој страници + + LocationCompleterDelegate + + + Switch to tab + Активирај језичак + + + + MainApplication + + + Default Browser + Подразумевани прегледач + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + Капзила тренутно није ваш подразумевани прегледач веба. Да ли желите да поставите за подразумеваног прегледача? + + + + Always perform this check when starting QupZilla. + Увек изврши ову проверу по покретању Капзиле. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + Капзила је нов, брз и сигуран веб прегледач отвореног кода. Лиценциран под издањем 3 ГПЛ лиценце или (по вашем нахођењу) било којим каснијим издањем лиценце. Базиран на ВебКит језгру и Кјут радном окружењу. + + NavigationBar @@ -2168,309 +2199,309 @@ Капзила - + <b>Launching</b> <b>Покретање</b> - + After launch: По покретању: - + Open blank page отвори празну страницу - - + + Open homepage отвори домаћу страницу - - + + Open speed dial отвори брзо бирање - + Restore session обнови сесију - + Homepage: Домаћа страница: - + On new tab: На новом језичку: - + Open blank tab отвори празан језичак - + Open other page... отвори другу страницу... - + <b>Profiles</b> <b>Профили</b> - + Startup profile: Почетни профил: - + Create New Направи нови - + Delete Обриши - - + + Note: You cannot delete active profile. Напомена: Не можете обрисати активни профил. - + Check for updates on start Потражи надоградње по покретању - + Themes Теме - + Advanced options Напредне опције - + <b>Browser Window</b> <b>Прозор прегледача</b> - + Show StatusBar on start Прикажи траку стања по покретању - + Show Bookmarks ToolBar on start Прикажи траку обележивача по покретању - + Show Navigation ToolBar on start Прикажи траку навигације по покретању - + <b>Navigation ToolBar</b> <b>Трака навигације</b> - + Show Home button - + Show Back / Forward buttons Прикажи дугмад Назад / Напред - + Show Add Tab button Прикажи дугме Додај језичак - + <b>Background<b/> <b>Позадина<b/> - + Use transparent background Користи провидну позадину - + Hide tabs when there is only one tab Сакриј траку са језичцима када има само један - + Select all text by double clicking in address bar Изабери сав текст двокликом у траци адресе - + Add .co.uk domain by pressing ALT key Додај .co.rs домен притиском на ALT тастер - + Activate last tab when closing active tab Активирај претходно коришћен језичак при затварању текућег - + Ask when closing multiple tabs Потврди затварање прозора са више језичака - + Select all text by clicking in address bar Изабери сав текст кликом у траци адресе - + Web Configuration Веб подешавање - + Allow JAVA Дозволи Јаву - + Allow JavaScript Дозволи Јаваскрипте - - + + Use current Користи текућу - + Active profile: Активни профил: - + Don't quit upon closing last tab Не напуштај по затварању последњег језичка - + Closed tabs list instead of opened in tab bar Списак затворених уместо списка отворених језичака на траци језичака - + Open new tabs after active tab Отварај нове језичке после активног - + Allow DNS Prefetch Предохватање ДНС уноса - + Allow local storage of HTML5 web content - + Delete locally stored HTML5 web content on close Обриши локални ХТМЛ5 веб садржај по затварању - + JavaScript can access clipboard Јаваскрипта може приступити клипборду - + Send Do Not Track header to servers Шаљи ДНТ (Не Прати Ме) заглавље серверима - + Zoom text only Увеличавај само текст - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Штампај позадину елемента - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Укључи везе у ланац фокуса - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Укључи ИксСС проверавање - + Mouse wheel scrolls Точкић миша клиза - + lines on page линија на страници - + Default zoom on pages: Подразумевано увеличање страница: - + Extensions Проширења - + Don't load tabs until selected Не учитавај језичке док не буду изабрани - + Show tab previews Приказуј прегледе језичака - + Make tab previews animated Анимирај прегледе језичака - + Show web search bar Прикажи траку веб претраге - + Tabs behavior Понашање језичака @@ -2479,491 +2510,531 @@ Прикажи дугме за затварање на језичцима - + Automatically switch to newly opened tab Аутоматски фокусирај новоотворени језичак - + Address Bar behavior Понашање траке адресе - + Suggest when typing into address bar: При куцању у траци адресе предлажи: - + History and Bookmarks историјат и обележиваче - + History историјат - + Bookmarks обележиваче - + Nothing ништа - + + Press "Shift" to not switch the tab but load the url in the current tab. + Притисните Shift тастер да учитате УРЛ у текућем језичку. + + + + Propose to switch tab if completed url is already loaded. + Предлажи активирање језичка ако је УРЛ већ отворен. + + + Show loading progress in address bar Прикажи напредак учитавања у траци адресе - + Fill Испун - + Bottom Дно - + Top Врх - + If unchecked the bar will adapt to the background color. Ако није попуњено, трака ће се прилагодити боји позадине. - + custom color: Посебна боја: - + Select color Изабери боју - + Many styles use Highlight color for the progressbar. Многи стилови користе боју истицања за траку напретка. - + set to "Highlight" color Постави на боју „истицања“ - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body><p>Ако је омогућено подразумевани мотор претраге ће бити коришћен за претрагу без пречице претраге у траци адресе уместо текућег мотора претраге у траци веб претраге.</p></body></html> - + Search with Default Engine Тражи помоћу подразумеваног мотора - + Allow Netscape Plugins (Flash plugin) Дозволи Нетскејпове прикључке (Флеш) - + Local Storage Локално складиште - + Maximum pages in cache: Највише страница у кешу: - + 1 1 - + Allow storing network cache on disk Дозволи смјештање мрежног кеша на диск - + Maximum Највише - + 50 MB 50 MB - + Allow saving history Дозволи чување историјата - + Delete history on close Обриши историјат по затварању - + Delete now Обриши сада - + Proxy Configuration Подешавање проксија - + HTTP ХТТП - + SOCKS5 СОЦКС5 - - + + Port: Порт: - - + + Username: Корисничко име: - - + + Password: Лозинка: - + Don't use on: Не користи на: - + Manual configuration Ручне поставке - + System proxy configuration Системске поставке - + Do not use proxy Не користи прокси - + <b>Exceptions</b> <b>Изузеци</b> - + Server: Сервер: - + Use different proxy for https connection Користи други прокси за ХТТПС везу - + <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>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + Активирај језичке са Alt + број језичка + + + + Load speed dials with Ctrl + number of speed dial + Учитавај брза бирања са Ctrl + број брзог бирања + + + <b>Download Location</b> <b>Одредиште преузимања</b> - + Ask everytime for download location Питај сваки пут за одредиште - + Use defined location: Користи одредиште: - - - - + + + + ... ... - + + Keyboard Shortcuts + Пречице тастатуре + + + + Check to see if QupZilla is the default browser on startup + Провјера подразумијеваног прегледача по старту + + + + Check Now + Провери одмах + + + Show Reload / Stop buttons Прикажи дугмад Поново учитај / Заустави - + <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>External download manager</b> <b>Спољашњи менаџер преузимања</b> - + Use external download manager Користи спољашњи менаџер преузимања - + Executable: Извршна: - + Arguments: Аргументи: - + Leave blank if unsure Оставите празно ако нисте сигурни - + <b>AutoFill options</b> <b>Опције аутоматске попуне</b> - + Allow saving passwords from sites Дозволи успремање лозинки са сајтова - + <b>Cookies</b> <b>Колачићи</b> - + <b>Change browser identification</b> <b>Промена идентификације прегледача</b> - + User Agent Manager Менаџер идентификације прегледача - + 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>Упозорење:</b> Тачно поклапање домена и пречишћање колачића пратиоца може довести до одбијања неких колачића са сајтова. Ако имате проблема са колачићима, искључите ове опције! - + Allow storing of cookies Дозволи успремање колачића - + Delete cookies on close Обриши колачиће по затварању - + Match domain exactly Поклапај домен тачно - + Cookies Manager Менаџер колачића - + <b>SSL Certificates</b> <b>ССЛ сертификати</b> - - + + <b>Other</b> <b>Разно</b> - + Send Referer header to servers Шаљи заглавље пратиоца серверима - + Block popup windows Блокирај искачуће прозоре - + Certificate 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. Да бисте промијенили језик, морате поново покренути прегледач. - + Manage CA certificates Управљај сертификатима - + StyleSheet automatically loaded with all websites: Опис стила који ће аутоматски бити учитан за све сајтове: - + Languages Језици - + <b>Preferred language for web sites</b> <b>Приоритетни језик за веб странице</b> @@ -2993,98 +3064,109 @@ Фонтови - + Downloads Преузимања - + Password Manager Менаџер лозинки - + Privacy Приватност - + Notifications Обавештења - + Other Остало - + + + QupZilla is default + Капзила је подразумевана + + + + Make QupZilla default + Постави за подразумеван + + + OSD Notification ОСД обавештење - + Drag it on the screen to place it where you want. Превуците га по екрану на жељени положај. - + Choose download location... Одабир одредишта за преузимање... - + Choose stylesheet location... Одабир фајла описа стила... - + Deleted Обрисано - + Choose executable 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“ профил? Ова радња не може да се поништи! - + Select Color Избор боје @@ -3163,78 +3245,78 @@ ИП адреса текуће странице - + &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... Пошаљи везу... - + Import bookmarks... Увези обележиваче... @@ -3244,42 +3326,42 @@ Напусти - + &Edit &Уреди - + &Undo &Опозови - + &Redo &Понови - + &Cut &Исеци - + C&opy &Копирај - + &Paste &Налепи - + Select &All Изабери &све - + &Find Н&ађи @@ -3294,203 +3376,203 @@ Капзила - + &Print... &Штампај... - + &View &Приказ - + &Navigation Toolbar Трака &навигације - + &Bookmarks Toolbar Трака &обележивача - + Sta&tus Bar Трака &стања - + &Menu Bar Трака &менија - + &Fullscreen &Цио екран - + &Stop &Заустави - + &Reload &Учитај поново - + Character &Encoding &Кодирање знакова - + Toolbars Траке алатки - + Sidebars Бочне траке - + Zoom &In У&величај - + Zoom &Out У&мањи - + Reset Стварна величина - + &Page Source &Извор странице - + Closed Tabs Затворени језичци - + Recently Visited Недавно посећено - + Most Visited Најпосећеније - + Web In&spector Веб и&нспектор - + Configuration Information Поставке програма - + Restore &Closed Tab &Обнови затворени језичак - + (Private Browsing) (приватно прегледање) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? Још увек имате %1 отворених језичака а ваша сесија неће бити сачувана. Желите ли заиста да напустите Капзилу? - + Don't ask again Не питај поново - + There are still open tabs Још увек имате отворених језичака - + 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 @@ -3500,77 +3582,77 @@ Are you sure to quit QupZilla? &О Капзили - + Report &Issue &Пријави проблем - + &Web Search Претрага &веба - + Page &Info Подаци о &сајту - + &Download Manager Менаџер &преузимања - + &Cookies Manager Менаџер &колачића - + &AdBlock &Адблок - + RSS &Reader Читач РСС &довода - + Clear Recent &History &Очисти приватне податке - + &Private Browsing П&риватно прегледање - + Other Остало - + HTML files ХТМЛ фајлови - + Image files Фајлови слика - + Text files Фајлови текста - + All files Сви фајлови - + Open file... Отвори фајл... @@ -4224,6 +4306,21 @@ Please add some with RSS icon in navigation bar on site which offers feeds.Прозор %1 + + RegisterQAppAssociation + + + Warning! + Упозорење! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + Појавио се проблем. Поново инсталирајте Капзилу, +или је покушајте покренути са административним привилегијама. + + SSLManager @@ -5312,27 +5409,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Управљај моторима претраге - + Add %1 ... Додај %1 ... - + Paste And &Search Налепи и &тражи - + Clear All Очисти све - + Show suggestions Приказуј предлоге - + Search when engine changed Претражуј по промени мотора @@ -5340,238 +5437,238 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + No Named Page Неименована страница - + Create Search Engine Направи мотор претраге - + &Back На&зад - + &Forward На&пред - - + + &Reload &Учитај поново - + S&top Заус&тави - + This frame Оквир - + Show &only this frame П&рикажи само овај оквир - + Show this frame in new &tab Прикажи овај оквир у новом &језичку - + Print frame Штампај оквир - + Zoom &in У&величај - + &Zoom out У&мањи - + Reset Стварна величина - + Show so&urce of frame Прикажи извор о&квира - + Book&mark page &Обележи страницу - + &Save page as... &Сачувај страницу као... - + &Copy page link &Копирај везу странице - + Send page link... Пошаљи везу странице... - + &Print page &Штампај страницу - + Select &all Из&абери све - + Validate page Провера кôда - + Show so&urce code Прикажи &изворни кôд - + Show info ab&out site По&даци о сајту - + Open link in new &tab Отвори везу у новом &језичку - + Open link in new &window Отвори везу у новом &прозору - + B&ookmark link &Обележи везу - + &Save link as... &Сачувај везу као... - + Send link... Пошаљи везу... - + &Copy link address &Копирај адресу везе - + Show i&mage П&рикажи слику - + Copy im&age К&опирај слику - + Copy image ad&dress Копирај &адресу слике - + &Save image as... Сачувај с&лику као... - + Send image... Пошаљи слику... - + Send text... Пошаљи текст... - + Google Translate Гуглов преводилац - + Dictionary Речник - + Go to &web address Иди на &веб адресу - + Search "%1 .." with %2 Тражи „%1“ на %2 - + Search with... Тражи на... - + &Play &Пусти - + &Pause &Паузирај - + Un&mute Вра&ти звук - + &Mute У&тишај - + &Copy Media Address &Копирај адресу медија - + &Send Media Address П&ошаљи адресу медија - + Save Media To &Disk &Сачувај медиј на диск diff --git a/translations/sv_SE.ts b/translations/sv_SE.ts index 7ae4228a6..6cd7b741e 100644 --- a/translations/sv_SE.ts +++ b/translations/sv_SE.ts @@ -1813,18 +1813,18 @@ - - + + Today Idag - + This Week Denna veckan - + This Month Denna månaden @@ -1946,6 +1946,37 @@ Visa information om denna sida + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2177,145 +2208,145 @@ QupZilla - + <b>Launching</b> <b>Uppstart</b> - + After launch: Vid start: - + Open blank page Öppna tom sida - - + + Open homepage Öppna hemsida - - + + Open speed dial Öppna speed dial - + Restore session Återställ session - + Homepage: Hemsida: - + On new tab: På ny flik: - + Open blank tab Öppna tom flik - + Open other page... Öppna annan sida... - + <b>Profiles</b> <b>Profiler</b> - + Startup profile: Uppstartsprofil: - + Create New Skapa ny - + Delete Ta bort - - + + Note: You cannot delete active profile. Observera: Du kan inte ta bort aktiv profil. - + Check for updates on start Leta efter uppdateringar vid start - + Themes Teman - + Advanced options Avancerade alternativ - + <b>Browser Window</b> <b>Webbläsarfönster</b> - + Show StatusBar on start Visa statusrad vid start - + Show Bookmarks ToolBar on start Visa bokmärkesverktygsraden vid start - + Show Navigation ToolBar on start Visa navigeringsverktygsraden vid start - + <b>Navigation ToolBar</b> <b>Navigeringsverktygsrad</b> - + Show Home button Visa Hem-knapp - + Show Back / Forward buttons Visa Framåt/Bakåt-knappar - + Show Add Tab button Visa Ny Flik-knapp - + <b>Background<b/> <b>Bakgrund<b/> - + Use transparent background Använd genomskinlig bakgrund @@ -2324,7 +2355,7 @@ <b>Flikbeteende</b> - + Hide tabs when there is only one tab Göm flikar när endast en är öppen @@ -2333,455 +2364,495 @@ <b>Adressradens beteende</b> - + Select all text by double clicking in address bar Markera all text vid dubbelklick i adressraden - + Add .co.uk domain by pressing ALT key Lägg till .se genom att trycka på ALT-knappen - + Activate last tab when closing active tab Visa senaste flik när den aktiva fliken stängs - + Ask when closing multiple tabs Fråga när flera flikar stängs - + Select all text by clicking in address bar Markera all text vid enkelklick i adressraden - + Web Configuration Webbinställningar - + Allow JAVA Tillåt Java - + Allow JavaScript Tillåt Javaskript - - + + Use current Använd nuvarande - + Active profile: Aktiv profil: - + Don't quit upon closing last tab Avsluta inte när den sista fliken stängs - + Closed tabs list instead of opened in tab bar Lista över stängda flikar istället för öppna i flikraden - + Open new tabs after active tab Öppna nya flikar efter den aktiva fliken - + Allow DNS Prefetch Hämta DNS-poster i förväg - + Allow local storage of HTML5 web content Tillåt lokal lagring av HTML5-innehåll - + Delete locally stored HTML5 web content on close Ta bort lokalt sparade HTML5-data vid avslut - + JavaScript can access clipboard Klippbord? Javaskript kan komma åt klippbordet - + Send Do Not Track header to servers Skicka DNT-instruktioner till servrar - + Zoom text only Zooma endast text - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements Skriv ut elements bakgrunder - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key Inkludera länkar i fokuskedjan - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript Tillått XSS-auditering - + Mouse wheel scrolls Mushjulet skrollar - + lines on page rader på sidan - + Default zoom on pages: Standardzoom på sidor: - + Extensions Insticksmoduler - + Don't load tabs until selected Hämta inte flikar förrän de väljs - + Show tab previews - + Make tab previews animated - + Show web search bar - + + Keyboard Shortcuts + + + + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Show Reload / Stop buttons - + Tabs behavior - + Automatically switch to newly opened tab - + Address Bar behavior - + Suggest when typing into address bar: - + History and Bookmarks - + History Historik - + Bookmarks Bokmärken - + Nothing - - Show loading progress in address bar - - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + + + + + Fill + + + + + Bottom + + + + + Top + + + + + If unchecked the bar will adapt to the background color. + + + + + custom color: + + + + Select color - + Many styles use Highlight color for the progressbar. - + set to "Highlight" color - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + Search with Default Engine - + Allow Netscape Plugins (Flash plugin) Tillåt Netscape-insticksmoduler (Flash) - + Local Storage Lokal lagring - + Maximum pages in cache: Maximalt antal sidor i cache: - + 1 1 - + Allow storing network cache on disk Tillåt att nätverkscache lagras på hårddisken - + Maximum Maximal - + 50 MB 50 MB - + Allow saving history Tillåt att historik sparas - + Delete history on close Ta bort historik vid avslut - + Delete now Ta bort nu - + 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>Exceptions</b> <b>Undantag</b> - + Server: Server: - + Use different proxy for https connection Använd annan proxy för https-anslutningar - + <b>Font Families</b> <b>Teckensnittsfamilerj</b> - + Standard Standard - + Fixed Fast bredd - + Serif Serif - + Sans Serif Sans Serif - + Cursive Kursivt - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>Extern nedladdningshanterare</b> - + Use external download manager Använd extern nedladdningshanterare - + Executable: Körbar fil: - + Arguments: Argument: - + Leave blank if unsure - + Filter tracking cookies Filtrera spårningskakor - + Certificate Manager - + <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>Matcha domännamn exakt och Filtrera spårningskakor kan leda till att kakor från vissa sidor nekas. Om du har problem med kakor, prova att inaktivera dessa inställningar först! - + <b>Change browser identification</b> - + User Agent Manager @@ -2790,198 +2861,198 @@ Ändra webbläsaridentifiering: - + Fantasy - + <b>Font Sizes</b> <b>Teckenstorlek</b> - + Fixed Font Size Fast - + Default Font Size Standard - + Minimum Font Size Minsta - + Minimum Logical Font Size Minsta logiska - + <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> - + Allow storing of cookies Tillåt lagring av kakor - + Manage CA certificates - + Delete cookies on close Ta bort kakor vid avslut - + Match domain exactly Matcha domännamn exakt - + Cookies Manager Kakhanterare - + <b>SSL Certificates</b> <b>SSL-certifikat</b> - - + + <b>Other</b> <b>Övrigt</b> - + Send Referer header to servers Skicka Referer header till servrar - + Block popup windows Blockera popup-fönster - + <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. - + StyleSheet automatically loaded with all websites: Stilmall 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> @@ -3011,98 +3082,109 @@ Teckensnitt - + Downloads Nedladdningar - + Password Manager Lösenordshanterare - + Privacy Integritet - + Notifications Notifikationer - + Other Annat - + + + QupZilla is default + + + + + Make QupZilla default + + + + 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 stilmallens plats... - + Deleted Borttagen - + Choose executable location... Välj den körbara filens 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! - + Select Color @@ -3181,78 +3263,78 @@ 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... - + Import bookmarks... Importera bokmärken... @@ -3262,42 +3344,42 @@ Avsluta - + &Edit &Redigera - + &Undo &Ångra - + &Redo &Gör om - + &Cut &Klipp ut - + C&opy K&opiera - + &Paste K&listra in - + Select &All Markera &allt - + &Find &Hitta @@ -3320,198 +3402,198 @@ <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? - + &Print... &Skriv ut... - + &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 - + Toolbars Verktygsrader - + Sidebars Sidorader - + Zoom &In Zooma &in - + Zoom &Out Zooma &ut - + Reset Återställ - + &Page Source &Källkod - + Closed Tabs Stängda flikar - + Recently Visited Senast besökta - + Most Visited Mest besökta - + Web In&spector Webb&inspektör - + Configuration Information Konfigurationsinformation - + Restore &Closed Tab Återställ &stängd flik - + (Private Browsing) (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? - + Don't ask again Fråga inte igen - + There are still open tabs Det finns fortfarande öppna flikar - + 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 @@ -3521,82 +3603,82 @@ Are you sure to quit QupZilla? &Om QupZilla - + 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 - + %1 - QupZilla %1 - QupZilla - + HTML files HTML-filer - + Image files Bildfiler - + Text files Textfiler - + All files Alla filer< - + Open file... Öppna fil... @@ -4250,6 +4332,20 @@ Lägg till flöden med RSS-ikonen i navigeringsraden från sidor som tillhandah + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5345,27 +5441,27 @@ beställningsbekräftelse) Hantera sökmotorer - + Add %1 ... Lägg till %1... - + Paste And &Search Klistra in och &sök - + Clear All Rensa allt - + Show suggestions - + Search when engine changed @@ -5373,238 +5469,238 @@ beställningsbekräftelse) WebView - + &Copy page link &Kopiera sidlänk - + Send page link... Skicka sidlänk... - + &Print page &Skriv ut sida - + Validate page Validera sida - + Send text... Skicka text... - + Google Translate Google Översätt - + Dictionary Ordlista - + Go to &web address Gå till &webadress - + Open link in new &tab Öppna länk i ny &flik - + Open link in new &window Öppna länk i nytt &fönster - + B&ookmark link Bokmärk &länk - + &Save link as... &Spara länk som... - + Send link... Skicka länk... - + &Copy link address &Kopiera länkadress - + Show i&mage Visa &bild - + Copy im&age Kopiera &bild - + Copy image ad&dress Kopiera bild&adress - + &Save image as... &Spara bild som... - + Send image... Skicka bild... - + &Back &Bakåt - + Create Search Engine Skapa sökmotor - + &Forward &Framåt - - + + &Reload &Hämta om - + S&top &Stopp - + This frame Denna ram - + Show &only this frame Visa &endast denna ramen - + Show this frame in new &tab Visa denna ramen i ny &flik - + Print frame Skriv ut ram - + Zoom &in Zooma &in - + &Zoom out Zooma &ut - + Reset Återställ - + Show so&urce of frame Visa ramens &källa - + Book&mark page Bok&märk sida - + &Save page as... &Spara sida som... - + Select &all Markera &allt - + Show so&urce code Visa &källkod - + Show info ab&out site Visa &information om denna sida - + Search with... Sök med... - + &Play &Spela upp - + &Pause &Paus - + Un&mute Slå &på ljud - + &Mute &Stäng av ljud - + &Copy Media Address &Kopiera medieadress - + &Send Media Address &Skicka medieadress - + Save Media To &Disk Spara media till &hårddisk - + Search "%1 .." with %2 Sök efter"%1 .."på %2 - + No Named Page Namnlös sida diff --git a/translations/uk_UA.ts b/translations/uk_UA.ts index e4b0f757a..25414f818 100644 --- a/translations/uk_UA.ts +++ b/translations/uk_UA.ts @@ -1545,6 +1545,32 @@ Показати інформацію про цю сторінку + + LocationCompleterDelegate + + Switch to tab + + + + + MainApplication + + Default Browser + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + Always perform this check when starting QupZilla. + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2470,6 +2496,46 @@ Show Reload / Stop buttons + + Keyboard Shortcuts + + + + Check to see if QupZilla is the default browser on startup + + + + Check Now + + + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + Propose to switch tab if completed url is already loaded. + + + + <b>Shortcuts</b> + + + + Switch to tabs with Alt + number of tab + + + + Load speed dials with Ctrl + number of speed dial + + + + QupZilla is default + + + + Make QupZilla default + + QObject @@ -3379,6 +3445,18 @@ Please add some with RSS icon in navigation bar on site which offers feeds.Вікно %1 + + RegisterQAppAssociation + + Warning! + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager diff --git a/translations/zh_CN.ts b/translations/zh_CN.ts index 0db0b70d9..e17d270f4 100644 --- a/translations/zh_CN.ts +++ b/translations/zh_CN.ts @@ -17,28 +17,28 @@ Authors and Contributors - 作者及贡献者 + 作者及贡献人员 < About QupZilla - 关于作者 + < 关于作者 <p><b>Application version %1</b><br/> - 程序版本 %1 + <p><b>程序版本 %1</b><br/> <b>WebKit version %1</b></p> - Webkit版本 %1 + <b>Webkit版本 %1</b></p> <small>Build time: %1 </small></p> - + <small>构建时间: %1 </small></p> @@ -48,12 +48,12 @@ <p><b>Contributors:</b><br/>%1</p> - 贡献人员 %1 + <p><b>贡献人员:</b><br/>%1</p> <p><b>Translators:</b><br/>%1</p> - 翻译人员 %1 + <p><b>翻译人员:</b><br/>%1</p> @@ -76,18 +76,18 @@ Up - UP + 上移 Down - Down + 下移 Personal [%1] - 个人 【%1】 + 个人 [%1] @@ -105,12 +105,12 @@ Address: - 地址: + 网址: Add new subscription to AdBlock: - 添加新的订阅到AdBlock: + 添加新的订阅到 AdBlock : @@ -126,7 +126,7 @@ AdBlock Configuration - AdBlock配置 + AdBlock 配置 @@ -179,12 +179,12 @@ Update EasyList - 更新EasyList + 更新 EasyList AdBlock - + AdBlock Delete Rule @@ -196,7 +196,7 @@ EasyList has been successfully updated. - EasyList已成功更新. + EasyList 已成功更新. Custom Rules @@ -208,7 +208,7 @@ Please write your rule here: - 制定自己的规则: + 制定自定义规则: @@ -216,19 +216,19 @@ EasyList - + EasyList AdBlockIcon AdBlock lets you block unwanted content on web-pages - AdBlock为你阻止网页上任何不需要的内容 + AdBlock 为您阻止网页上任何不需要的内容 AdBlock lets you block unwanted content on web pages - AdBlock为你阻止网页上任何不需要的内容 + AdBlock 为您阻止网页上任何不需要的内容 @@ -238,7 +238,7 @@ AdBlock blocked unwanted popup window. - AdBlock阻止不需要的弹出窗口. + AdBlock 阻止不需要的弹出窗口. @@ -248,7 +248,7 @@ Show AdBlock &Settings - 显示AdBlock和设置 &S + 显示 AdBlock 和设置 &S @@ -273,13 +273,13 @@ Blocked URL (AdBlock Rule) - click to edit rule - 封锁的网址(AdBlock的规则) - 单击“编辑规则” + 封锁的网址 (AdBlock 的规则) - 单击“编辑规则” %1 with (%2) - + %1 和 (%2) Learn About Writing &Rules @@ -295,12 +295,12 @@ Do you want to add <b>%1</b> subscription? - 你想添加 <b>%1</b>的订阅吗? + 您想添加 <b>%1</b> 的订阅吗? AdBlock Subscription - AdBlock订阅 + AdBlock 订阅 @@ -323,12 +323,12 @@ Please write your rule here: - 制定自己的规则: + 制定自定义规则: %1 (recently updated) - %1(当前更新) + %1 (当前更新) @@ -410,7 +410,7 @@ Import Passwords from File... - 从文件中导入密码... + 从文件导入密码... @@ -420,7 +420,7 @@ Are you sure that you want to show all passwords? - 确定要显示所有密码? + 您确定要显示所有密码? @@ -430,12 +430,12 @@ Confirmation - 确认 + 确定 Are you sure to delete all passwords on your computer? - 你确定要删除计算机上的所有密码吗? + 您确定要删除计算机上的所有密码? @@ -484,7 +484,7 @@ Do you want QupZilla to remember the password for <b>%1</b> on %2? - 你想QupZilla记住密码<b>%1</b> on %2? + 您想 QupZilla 记住密码 <b>%1</b> on %2? @@ -544,7 +544,7 @@ <b>Note:</b> Currently, only import from Html File can import also bookmark folders. - <b>注意:</b>目前,只能从HTML文件导入,也可以导入书签文件夹. + <b>注意:</b> 目前, 只能从 HTML 文件导入, 也可以导入书签文件夹. @@ -554,7 +554,7 @@ Fetching icons, please wait... - 正在获取图标,请稍候... + 正在获取图标, 请稍候... @@ -564,7 +564,7 @@ Url - 地址 + 网址 @@ -579,7 +579,7 @@ <b>Importing from %1</b> - <b>从%1导入</b> + <b>从 %1 导入</b> @@ -590,7 +590,7 @@ Please press Finish to complete importing process. - 请按Finish以完成导入过程。 + 请按 "完成" 以完成导入过程. @@ -619,7 +619,7 @@ Mozilla Firefox stores its bookmarks in <b>places.sqlite</b> SQLite database. This file is usually located in - Mozilla Firefox的书签文件通常位于 + Firefox 浏览器的书签文件通常位于 @@ -627,32 +627,32 @@ Please choose this file to begin importing bookmarks. - 请选择文件开始导入书签。 + 请选择文件开始导入书签. Google Chrome stores its bookmarks in <b>Bookmarks</b> text file. This file is usually located in - 谷歌浏览器的书签文件通常位于 + Chrome 浏览器的书签文件通常位于 Opera stores its bookmarks in <b>bookmarks.adr</b> text file. This file is usually located in - Opera浏览器的书签文件通常位于 + Opera 浏览器的书签文件通常位于 You can import bookmarks from any browser that supports HTML exporting. This file has usually these suffixes - 您可以从任何支持HTML的浏览器中导入书签。此文件通常这些后缀 + 您可以从任何支持 HTML 的浏览器中导入书签. 此文件通常使用这些后缀 Internet Explorer stores its bookmarks in <b>Favorites</b> folder. This folder is usually located in - Internet Explorer的书签文件通常位于 + Internet Explorer 的书签文件通常位于 Please choose this folder to begin importing bookmarks. - 选择此文件夹,开始导入书签。 + 选择此文件夹, 开始导入书签. @@ -672,11 +672,11 @@ Cannot evaluate JSON code. - 无法评估JSON代码. + 无法评估 JSON 代码. File does not exists. - 文件不存在。 + 文件不存在. @@ -686,7 +686,7 @@ Unable to open database. Is Firefox running? - 无法打开数据库。是否Firefox正在运行? + 无法打开数据库. 是否 Firefox 正在运行? @@ -704,7 +704,7 @@ Url - 地址 + 网址 @@ -734,22 +734,22 @@ Add new folder - 添加新的文件夹 + 添加新文件夹 Choose name for new bookmark folder: - 选择新的书签文件夹名称: + 选择新书签文件夹名称: Add new subfolder - 添加新的子文件夹 + 添加新子文件夹 Choose name for new subfolder in bookmarks toolbar: - 选择新的子文件夹在书签工具栏的名称: + 选择新子文件夹在书签工具栏的名称: @@ -763,7 +763,7 @@ <b>Warning: </b>You already have bookmarked this page! - <b>警告:</b>您已经有了此页书签! + <b>警告:</b> 您已经有了此页书签! @@ -772,17 +772,17 @@ Open link in actual &tab - 在当前标签中打开链接 &tab + 在当前标签打开链接 &T Open link in &new tab - 在新标签中打开链接 &new tab + 在新标签打开链接 &N Move bookmark to &folder - 移动书签和文件夹 &f + 移动书签和文件夹 &F @@ -797,7 +797,7 @@ Open link in current &tab - 在当前标签中打开链接 &tab + 在当前标签打开链接 &T @@ -864,27 +864,27 @@ Open link in actual &tab - 在当前标签页中打开链接 &tab + 在当前标签打开链接 &T Open link in current &tab - 在当前标签中打开链接 &tab + 在当前标签打开链接 &T Open link in &new tab - 在新标签页中打开链接 &new tab + 在新标签打开链接 &N Copy address - 复制地址 + 复制网址 &Delete - + 删除 &D @@ -892,22 +892,22 @@ &Bookmark Current Page - + 添加当前页为书签 &B Bookmark &All Tabs - + 添加全部标签为书签 &A &Organize Bookmarks - + 管理书签 &O Show Most &Visited - + 显示最常访问 &V @@ -917,17 +917,17 @@ &Hide Toolbar - + 隐藏工具栏 &H Open bookmark - + 打开书签 Open bookmark in new tab - + 在新标签打开书签 @@ -962,7 +962,7 @@ Url: - 地址: + 网址: @@ -972,7 +972,7 @@ Most visited - + 最常访问 @@ -990,7 +990,7 @@ BookmarksWidget Edit This Bookmark - 编辑此书签 + 编辑书签 Remove Bookmark @@ -998,7 +998,7 @@ Organize Bookmarks - 组织书签 + 管理书签 @@ -1031,7 +1031,7 @@ Add into Speed Dial - 添加快速拨号 + 添加到快速拨号 <b>Add Bookmark</b> @@ -1082,7 +1082,7 @@ RSS - + RSS @@ -1092,7 +1092,7 @@ Database successfully optimized.<br/><br/><b>Database Size Before: </b>%1<br/><b>Database Size After: </b>%2 - 数据库成功优化<br/> <br/><b>优化前数据库大小:</b>%1<br/><b>优化后数据库大小:</b>%2 + 数据库成功优化.<br/><br/><b>优化前数据库大小: </b>%1<br/><b> 优化后数据库大小: </b>%2 @@ -1100,50 +1100,50 @@ <b>Issued To</b> - <b>导出<b> + <b>发行给<b> Common Name (CN): - 公用名(CN): + 通用名 (CN): Organization (O): - 组织(O): + 组织 (O): Organizational Unit (OU): - 组织单位(OU): + 组织单位 (OU): Serial Number: - 序号: + 序列号: <b>Issued By</b> - <b>发行人<b> + <b>发行者<b> <b>Validity</b> - <b>有效期的</b> + <b>有效性</b> Issued On: - 导出: + 签发日期: Expires On: - 导入: + 过期日期: <not set in certificate> @@ -1158,11 +1158,11 @@ Unable to open file. - 无法打开文件。 + 无法打开文件. Cannot evaluate JSON code. - 无法评估JSON代码。 + 无法评估 JSON 代码. @@ -1175,7 +1175,7 @@ Choose what you want to delete: - 选择你想要删除的内容: + 选择您想要删除的内容: @@ -1185,7 +1185,7 @@ Clear web databases - 清除Web数据库 + 清除 Web 数据库 @@ -1195,7 +1195,7 @@ Clear cookies - 清除cookies + 清除 Cookie @@ -1210,12 +1210,12 @@ Clear cookies from Adobe Flash Player - 清除Adobe Flash Player的Cookies + 清除 Adobe Flash Player 的 Cookie <b>Clear Recent History</b> - <b>清除最近的历史</ B> + <b>清除最近的历史</b> @@ -1224,7 +1224,7 @@ Later Today - 到今天 + 今天较晚时 @@ -1247,7 +1247,7 @@ Object blocked by ClickToFlash - 点击Flash封锁的对象 + 点击 Flash 封锁的对象 Show more informations about object @@ -1266,38 +1266,38 @@ Add %1 to whitelist - + 添加 %1 到白名单 Flash Object - Flash对象 + Flash 对象 <b>Attribute Name</b> - + <b>属性名</b> <b>Value</b> - + <b>数值</b> No more information available. - 没有提供更多的信息. + 没有提供更多信息. No more informations available. - 没有提供更多信息。 + 没有提供更多信息. CloseDialog There are still open tabs - 总是打开标签页 + 总是打开标签 Don't ask again @@ -1309,12 +1309,12 @@ Cookies - + Cookie Stored Cookies - 存储的Cookies + 存储的 Cookie @@ -1324,7 +1324,7 @@ These cookies are stored on your computer: - 这些cookie存储在您的计算机上: + 这些 Cookie 存储在您的计算机上: @@ -1334,7 +1334,7 @@ Cookie name - Cookie名称 + Cookie 名称 @@ -1344,7 +1344,7 @@ Value: - 值: + 数值: @@ -1382,27 +1382,27 @@ <cookie not selected> - <没有选择cookie> + <没有选择 Cookie> Remove all cookies - 删除所有Cookies + 删除所有 Cookie Cookie Filtering - 筛选Cookie + 筛选 Cookie <b>Cookie whitelist</b> - <b>Cookie白名单</b> + <b>Cookie 白名单</b> Cookies from these servers will ALWAYS be accepted (even if you have disabled saving cookies) - 总是接受这些服务器的Cookie(即使您已禁用保存cookies) + 总是接受这些服务器的 Cookie (即使您已禁用保存 Cookie) @@ -1419,17 +1419,17 @@ <b>Cookie blacklist</b> - <b>Cookie黑名单</b> + <b>Cookie 黑名单</b> Cookies from these servers will NEVER be accepted - 永远不接受这些服务器的cookie + 永远不接受这些服务器的 Cookie Remove cookie - 删除Cookies + 删除 Cookie @@ -1439,12 +1439,12 @@ Confirmation - 确认 + 确定 Are you sure to delete all cookies on your computer? - 你确定要删除计算机上的所有cookie吗? + 您确定要删除计算机上的所有 Cookie 吗? @@ -1460,12 +1460,12 @@ Remove cookies - 删除Cookies + 删除 Cookie Secure only - + 只显示安全的 @@ -1475,7 +1475,7 @@ Session cookie - cookie会话 + Cookie 会话 @@ -1509,7 +1509,7 @@ Done - %1 - 完成-%1 + 完成 - %1 @@ -1530,7 +1530,7 @@ minutes - 分钟 + @@ -1550,17 +1550,17 @@ %2 - unknown size (%3) - %2-未知大小(%3) + %2 - 未知大小(%3) Remaining %1 - %2 of %3 (%4) - 剩余 %1-%2 of %3 (%4) + 剩余 %1 - %2 总共 %3 (%4) Cancelled - %1 - 取消-%1 + 取消 - %1 @@ -1570,7 +1570,7 @@ Do you want to also delete dowloaded file? - 你也想删除下载的文件吗? + 您想要删除下载的文件吗? @@ -1625,12 +1625,12 @@ Sorry, the file %1 was not found! - 对不起,文件%1未找到! + 对不起, 文件 %1 未找到! Error: Cannot write to file! - 错误:无法写入文件! + 错误: 无法写入文件! @@ -1675,7 +1675,7 @@ %1% of %2 files (%3) %4 remaining - %1%的%2文件(%3)%4剩余 + %1% 的 %2 文件 (%3) %4 剩余 @@ -1700,7 +1700,7 @@ Are you sure to quit? All uncompleted downloads will be cancelled! - 下载未完成确认退出吗? + 下载未完成, 您确定要退出吗? 全部未完成的下载将会取消! @@ -1728,7 +1728,7 @@ What should QupZilla do with this file? - 需要QupZilla怎么处理此文件? + 需要 QupZilla 怎么处理此文件? @@ -1748,7 +1748,7 @@ Opening %1 - 打开%1 + 正在打开 %1 @@ -1761,12 +1761,12 @@ Url: - 地址: + 网址: Shortcut: - 捷径: + 关键字: @@ -1776,7 +1776,7 @@ <b>Note: </b>%s in url represent searched string - <b>注意:</b>%URL中搜索的字符串 + <b>注意: </b>%s 表示网址中搜索的字符串 @@ -1843,11 +1843,11 @@ File does not exists. - 文件不存在。 + 文件不存在. Unable to open database. Is Firefox running? - 无法打开数据库。是否Firefox正在运行? + 无法打开数据库. 是否 Firefox 正在运行? @@ -1931,7 +1931,7 @@ Url - 地址 + 网址 @@ -1954,7 +1954,7 @@ Open link in actual tab - 在当前标签打开链接 + 在当前标签打开链接 Open link in current tab @@ -1962,15 +1962,15 @@ Open link in new tab - 在新标签打开链接 + 在新标签打开链接 Copy address - 复制地址 + 复制网址 Today - 到今天 + 今天 This Week @@ -1983,12 +1983,12 @@ Confirmation - 确认 + 确定 Are you sure to delete all history? - 确定删除所有历史吗? + 您确定要删除所有历史吗? @@ -2049,7 +2049,7 @@ Address - 地址 + 网址 @@ -2059,21 +2059,21 @@ Visit Count - 浏览次数 + 访问次数 - - + + Today - 到今天 + 今天 - + This Week 本周 - + This Month 本月 @@ -2095,7 +2095,7 @@ Open link in actual tab - 在当前标签打开链接 + 在当前标签打开链接 Open link in current tab @@ -2103,15 +2103,15 @@ Open link in new tab - 在新标签打开链接 + 在新标签打开链接 Copy address - 复制地址 + 复制网址 Today - 到今天 + 今天 This Week @@ -2142,7 +2142,7 @@ Copy address - 复制地址 + 复制网址 @@ -2158,7 +2158,7 @@ Unable to open file. - 无法打开文件。 + 无法打开文件. @@ -2177,7 +2177,7 @@ Image (.png, .jpg, .jpeg, .gif) - + 图像 (.png, .jpg, .jpeg, .gif) @@ -2213,17 +2213,17 @@ Add RSS from this page... - 从网页添加RSS... + 从网页添加 RSS... Enter URL address or search on %1 - 输入URL地址或在%1上搜索 + 输入网址或在 %1 上搜索 Paste And &Go - 粘贴并&G + 粘贴并转到 &G @@ -2242,6 +2242,14 @@ 显示此页信息 + + LocationCompleterDelegate + + + Switch to tab + + + MainApplication @@ -2250,7 +2258,27 @@ <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上次结束时崩溃,我们非常遗憾。您要还原保存的状态吗? + QupZilla 上次结束时崩溃, 我们非常遗憾. 您要还原保存的状态吗? + + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + @@ -2304,37 +2332,37 @@ SSL Certificate Error! - SSL证书错误! + SSL 证书错误! <b>Organization: </b> - 机构 + <b>机构: </b> <b>Domain Name: </b> - 域名 + <b>域名: </b> <b>Expiration Date: </b> - 截止日期 + <b>过期日期: </b> <b>Error: </b> - <b>错误:</b> + <b>错误: </b> The page you are trying to access has the following errors in the SSL certificate: - 您试图访问的页面有SSL证书错误: + 您试图访问的网页有 SSL 证书错误: Would you like to make an exception for this certificate? - 你想使这个证书例外吗? + 您想使这个证书例外吗? @@ -2361,7 +2389,7 @@ A username and password are being requested by %1. The site says: "%2" - 要求%1的用户名和密码。该网站说:“%2” + 要求 %1 的用户名和密码. 该网站信息: "%2" @@ -2371,7 +2399,7 @@ A username and password are being requested by proxy %1. - 正在由代理要求用户名和密码%1. + 正在由代理要求用户名和密码 %1. @@ -2382,7 +2410,7 @@ Unable to open file. - 无法打开文件。 + 无法打开文件. @@ -2395,7 +2423,7 @@ Save Page Screen... - 保存屏幕网页... + 保存网页屏幕... @@ -2403,12 +2431,12 @@ Application Extensions - 应用扩展 + 应用插件 Allow Application Extensions to be loaded - 允许要加载的应用程序扩展 + 允许要加载的应用程序插件 @@ -2422,17 +2450,17 @@ WebKit Plugins - WebKit插件 + WebKit 插件 <b>Click To Flash Plugin</b> - <b>点击Flash插件</b> + <b>点击运行 Flash 插件</b> 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. - 点击使网页的Flash内容自动加载插件。您可以随时按一下Flash播放图标手动加载它。 + 点击使网页的 Flash 内容自动加载插件. 您可以随时按一下 Flash 播放图标手动加载它. @@ -2452,7 +2480,7 @@ Allow Click To Flash - 允许点击Flash + 允许点击 Flash Add site to whitelist @@ -2460,7 +2488,7 @@ Server without http:// (ex. youtube.com) - 没有http://服务器(如youtube.com) + 不需要 http:// (如 youtube.com) @@ -2473,7 +2501,7 @@ Server without http:// (ex. youtube.com) - 没有http://服务器(如youtube.com) + 不需要 http:// (如 youtube.com) @@ -2483,18 +2511,18 @@ Cannot load extension! - 无法加载扩展! + 无法加载插件! PopupWebView Open link in new &window - 在新窗口中打开链接&w + 在新窗口打开链接 &W &Save link as... - 链接另存为&S... + 链接另存为 &S... Send link... @@ -2502,23 +2530,23 @@ &Copy link address - 复制链接地址&C + 复制链接地址 &C Show i&mage - 显示图像&m + 显示图像 &M Copy im&age - 复制图像&a + 复制图像 &A Copy image ad&dress - 复制图像地址&d + 复制图像地址 &D &Save image as... - 图像另存为&S... + 图像另存为 &S... Send image... @@ -2526,19 +2554,19 @@ &Back - 后退&B + 后退 &B &Forward - 前进&F + 前进 &F &Reload - 刷新&R + 刷新 &R S&top - 停止&t + 停止 &T This frame @@ -2546,7 +2574,7 @@ Show &only this frame - 仅显示此帧&o + 仅显示此帧 &O Print frame @@ -2554,11 +2582,11 @@ Zoom &in - 放大&i + 放大 &I &Zoom out - 缩小&Z + 缩小 &Z Reset @@ -2566,23 +2594,23 @@ Show so&urce of frame - 显示帧源码&u + 显示帧源码 &U &Save page as... - 保存网页为&S... + 保存网页为 &S... Select &all - 选取所有&a + 选取所有 &A Show so&urce code - 显示源代码&u + 显示源代码 &U Show info ab&out site - 显示有关网站的信息&o + 显示网站信息 &O @@ -2590,7 +2618,7 @@ %1 - QupZilla - %1 QupZilla + %1 - QupZilla @@ -2621,22 +2649,22 @@ 字体 - + Downloads 下载 - + Password Manager - 密码管理 + 密码 - + Privacy 隐私 - + Notifications 通知 @@ -2645,9 +2673,9 @@ 插件 - + Other - 其他 + 其它 <b>General</b> @@ -2656,325 +2684,340 @@ QupZilla - + QupZilla - + <b>Launching</b> - <B>启动</ B> + <b>启动</b> - + Open blank page 打开空白页 - - + + Open homepage 打开主页 - + Restore session 恢复会话 - + Homepage: 主页: Use actual - 实际使用 + 正在浏览 - + On new tab: - 在新的选项卡: + 在新标签: - + Open blank tab - 打开空白标签页 + 打开空标签 - + Open other page... - 打开其他页面... + 打开其它网页... - + <b>Profiles</b> <b>资料</b> - + Startup profile: 启动配置文件: - + Create New 新建 - + Delete 删除 - - + + Note: You cannot delete active profile. - 注意:您不能删除活动配置文件。 + 注意: 不能删除活动配置文件. - + + Keyboard Shortcuts + + + + Extensions 例外 - + Check for updates on start 启动时检查更新 - + Don't load tabs until selected 不加载标签直到选定 - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes 主题 - + Advanced options 高级选项 - + <b>Browser Window</b> - <B>浏览器窗口</ B> + <b>浏览器窗口</b> - + Show StatusBar on start 显示状态栏 - + Show Bookmarks ToolBar on start 显示书签工具栏 - + Show Navigation ToolBar on start 显示导航工具栏 - + <b>Navigation ToolBar</b> - <B>导航工具栏</ B> + <b>导航栏</b> - + Show Home button 显示主页按钮 - + Show Back / Forward buttons 显示后退/前进按钮 - + Show Add Tab button - 显示新建标签页按钮 + 显示新建标签按钮 - + <b>Background<b/> - <B>背景<b/> + <b>背景<b/> - + Use transparent background 使用透明背景 - + Show web search bar 显示网页搜索栏 <b>Tabs behavior</b> - <B>标签的行为</ B> + <B>标签行为</b> Make tabs movable - 移动式标签页 + 移动式标签 <b>Address Bar behaviour</b> - <b>地址栏的行为</ B> + <b>地址栏行为</b> - + Select all text by double clicking in address bar - 双击地址栏选择的所有文字 + 双击地址栏选择所有文字 - + Add .co.uk domain by pressing ALT key - 按ALT键添加.co.uk + 按 ALT 键添加 .co.uk - + Activate last tab when closing active tab - 关闭活动标签时激活最后一个标签页 + 关闭活动标签时激活上次使用的标签 - + Ask when closing multiple tabs - 关闭多个标签页时总是询问 + 关闭多个标签时总是询问 - + Web Configuration - Web配置 + Web 配置 Load images 载入图像 - + Allow JAVA - 允许Java + 允许 Java - + After launch: 启动后: - + Allow JavaScript - 允许JavaScript + 允许 JavaScript Allow Plugins (Flash plugin) - 允许插件(Flash插件) + 允许插件 (Flash 插件) Block PopUp windows 拦截弹出窗口 - + Allow DNS Prefetch - 允许DNS预取 + 允许 DNS 预取 - + Allow local storage of HTML5 web content - 允许本地存储HTML5的网页内容 + 允许本地存储 HTML5 网页内容 - + Delete locally stored HTML5 web content on close - 删除本地存储的HTML5网页内容 + 删除本地存储的 HTML5 网页内容 - + JavaScript can access clipboard - JavaScript可访问剪贴板 + JavaScript 可访问剪贴板 - + Send Do Not Track header to servers 发送不跟踪头到服务器 - + Zoom text only 仅缩放文本 - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key 包括焦点链中的链接 - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements 打印元素的背景 - - + + Open speed dial 打开快速拨号 - - + + Use current - 实际使用 + 正在浏览 - + Active profile: 启动配置: - + Hide tabs when there is only one tab - 隐藏选项卡当只有一个选项卡时 + 隐藏标签栏当只有一个标签时 - + Select all text by clicking in address bar 通过点击地址栏选择所有文本 - + Don't quit upon closing last tab 关闭最后一个标签后不退出 - + Closed tabs list instead of opened in tab bar - 关闭标签列表不在标签栏打开 + 关闭标签列表而不在标签栏打开 - + Open new tabs after active tab 在激活的标签后打开新标签 - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript - 启用的XSS审计 + 启用 XSS 审计 - + Mouse wheel scrolls 滚动鼠标滚轮 - + lines on page - + 页面行数 - + Default zoom on pages: 默认网页缩放: @@ -2983,206 +3026,221 @@ 进入隐私浏览模式时询问 - + Local Storage 本地存储 - + Maximum pages in cache: 高速缓存中的最大页面: - + 1 - + 1 - + Allow storing network cache on disk 允许在磁盘上存储网络缓存 - + Maximum 最大 - + 50 MB - + 50 MB Allow storing web icons 允许存储网页图标 - + Allow saving history 允许保存历史 - + Delete history on close - 删除近来的历史记录 + 关闭时删除历史记录 - + Delete now 立即删除 - + Proxy Configuration 代理配置 - + HTTP - + HTTP - + SOCKS5 - + SOCKS5 - - + + Port: 端口: - - + + Username: 用户名: - - + + Password: 密码: - + Don't use on: 不要使用: - + Manual configuration 手动配置 - + System proxy configuration 系统代理配置 - + Do not use proxy 不使用代理 - + <b>Exceptions</b> <b>例外</b> - + Server: 服务器: - + Use different proxy for https connection - 使用不同代理连接https + 使用不同代理连接 https - + <b>Font Families</b> <b>字体系列</b> - + Standard 标准字体 - + Fixed 等宽字体 - + Serif 衬线字体 - + Sans Serif 无衬线字体 - + Cursive 手写字体 - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>外部下载管理器</b> - + Use external download manager 使用外部下载管理器 - + Executable: 可执行文件: - + Arguments: 参数: - + Leave blank if unsure 如果不确定请留空 - + Filter tracking cookies - 追踪cookies + 追踪 Cookie - + Manage CA certificates - 管理CA证书 + 管理 CA 证书 - + Certificate Manager 证书管理 - + <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 选项可能会导致拒绝一些网站的 Cookie. 如果您有与 Cookie 的问题, 首先尝试禁用此选项! - + <b>Change browser identification</b> <b>更改浏览器识别</b> - + User Agent Manager - 用户代理管理 + 用户字符串管理 Change browser identification: @@ -3197,159 +3255,158 @@ 等宽字体 - + 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> + <b>下载位置</b> - + Ask everytime for download location 每次询问下载位置 - + Use defined location: 使用定义的位置: - - - - + + + + ... ... - + Show Reload / Stop buttons - + 显示刷新/停止按钮 - + <b>Download Options</b> - <b>下载选项</ B> + <b>下载选项</b> - + Use native system file dialog (may or may not cause problems with downloading SSL secured content) - 使用本地系统文件对话框 -(可能会导致下载SSL保护内容的问题) + 使用本地系统文件对话框 (可能会导致下载 SSL 保护内容的问题) - + Close download manager when downloading finishes 下载完成后关闭下载管理器 - + <b>AutoFill options</b> - <B>自动填充选项</ B> + <b>自动填充选项</b> - + Allow saving passwords from sites 允许保存网站密码 - + <b>Cookies</b> - <b>Cookies</b> + <b>Cookie</b> Filter Tracking Cookies - 追踪cookies + 追踪 Cookie - + Allow storing of cookies - 允许存储cookie + 允许存储 Cookie - + Delete cookies on close - 关闭后删除cookies + 关闭后删除 Cookie - + 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 选项可能会导致拒绝一些网站的 Cookie. 如果您有与 Cookie 的问题, 首先尝试禁用此选项! - + Cookies Manager - 管理Cookies + 管理 Cookie - + <b>SSL Certificates</b> - <b>SSL证书</b> + <b>SSL 证书</b> SSL Manager - 管理SSL + 管理 SSL Edit CA certificates in SSL Manager - 在SSL经理器编辑CA证书 + 在 SSL 管理器编辑 CA 证书 - - + + <b>Other</b> - <b>其他</b> + <b>其它</b> - + Send Referer header to servers 将引用者标头发送到服务器 - + Make tab previews animated - 选项卡中预览动画 + 标签栏预览动画 - + Show tab previews - 显示选项卡预览 + 显示标签预览 - + Tabs behavior 标签行为 @@ -3358,173 +3415,183 @@ 在标签页上显示关闭按钮 - + Automatically switch to newly opened tab - 自动切换到新打开的标签页 + 自动切换到新打开的标签 - + Address Bar behavior 地址栏行为 - + Suggest when typing into address bar: 输入到地址栏时提供建议: - + History and Bookmarks 历史和书签 - + History 历史 - + Bookmarks 书签 - + Nothing - - Show loading progress in address bar - - - - - Fill - - - - - Bottom - - - - - Top - - - - - If unchecked the bar will adapt to the background color. - - - - - custom color: + + Press "Shift" to not switch the tab but load the url in the current tab. + Propose to switch tab if completed url is already loaded. + + + + + Show loading progress in address bar + 在地址栏显示进度 + + + + Fill + 填充 + + + + Bottom + 底部 + + + + Top + 顶部 + + + + If unchecked the bar will adapt to the background color. + 如未选定, 该栏会尝试使用背景颜色. + + + + custom color: + 自定义颜色: + + + Select color - + 选择颜色 - + Many styles use Highlight color for the progressbar. - + 很多样式使用高亮颜色显示进度栏. - + set to "Highlight" color - + 设为高亮颜色 - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> - + <html><head/><body><p>如启用, 将在地址栏使用默认引擎搜索, 而不是使用搜索栏中当前选中的引擎.</p></body></html> - + Search with Default Engine - + 使用默认引擎搜索 - + Allow Netscape Plugins (Flash plugin) - + 允许 Netscape 插件 (Flash 插件) - + Block popup windows 阻止弹出窗口 - + <b>Notifications</b> <b>通知</b> - + Use OSD Notifications - 使用OSD的通知 + 使用 OSD 的通知 - + Use Native System Notifications (Linux only) - 使用本机的系统通知(仅限Linux) + 使用本机的系统通知 (仅限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>注意: </b> 您可以在屏幕上拖动以改变 OSD ​​通知的位置. - + <b>Language</b> - <b>语言</ B> + <b>语言</b> - + Available translations: 可用的翻译: - + In order to change language, you must restart browser. - 要改变语言,你必须重新启动浏览器。 + 要改变语言, 您必须重新启动浏览器. <b>User CSS StyleSheet</b> - <b>用户CSS样式表</ B> + <b>用户 CSS 样式表</b> - + StyleSheet automatically loaded with all websites: - 所有的网站自动加载样式表: + 所有网站自动加载的样式表: - + Languages 语言 - + <b>Preferred language for web sites</b> - <b>网站首选的语言</ B> + <b>网站首选的语言</b> @@ -3532,75 +3599,86 @@ 外观 - - OSD Notification - OSD的通知 - - - - Drag it on the screen to place it where you want. - 在屏幕上拖动它到你想要的地方。 - - - - Choose download location... - 选择下载位置... ... - - + + QupZilla is default + + + + + Make QupZilla default + + + + + OSD Notification + OSD 的通知 + + + + Drag it on the screen to place it where you want. + 在屏幕上拖动它到您想要的地方. + + + + Choose download location... + 选择下载位置... + + + Choose stylesheet location... 选择样式表的位置... - + Deleted 删除 - + Choose executable 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”个人资料吗?这将无法复原! + 您确定要永久删除 "%1" 个人资料吗? 这将无法复原! - + Select Color - + 选择颜色 @@ -3608,7 +3686,7 @@ The file is not an OpenSearch 1.1 file. - 该文件不是一个OpenSearch的1.1文件。 + 该文件不是一个 OpenSearch 的1.1文件. @@ -3636,12 +3714,12 @@ Open new tab - 打开新标签页 + 打开新标签 Opens a new tab if browser is running - 浏览器运行时打开一个新标签页 + 浏览器运行时打开一个新标签 @@ -3674,7 +3752,7 @@ IP Address of current page - 当前页面的IP地址 + 当前网页的 IP 地址 Bookmarks @@ -3685,57 +3763,57 @@ 历史 - + &New Window - 打开新窗口&N + 新窗口 &N - + New Tab 新标签 - + Open Location 打开位置 - + Open &File - 打开&F + 打开文件 &F - + Close Tab - 关闭标签页 + 关闭标签 - + Close Window 关闭窗口 - + &Save Page As... - 保存页作为&S... + 保存网页为 &S... - + Save Page Screen - 保存屏幕网页 + 保存网页屏幕 - + Send Link... 发送链接... &Print - 打印&P + 打印 &P - + Import bookmarks... 导入书签... @@ -3744,49 +3822,49 @@ Quit 退出 - - - &Undo - 撤消&U - - - - &Redo - 重做&R - - - - &Cut - 剪切&C - - - - C&opy - 复制&o - - - - &Paste - 粘贴&p - - - &Delete - 删除&D - - Select &All - 选取所有&A + &Undo + 撤消 &U - &Find - 查找&F + &Redo + 重做 &R - + + &Cut + 剪切 &C + + + + C&opy + 复制 &O + + + + &Paste + 粘贴 &P + + + &Delete + 删除 &D + + + + Select &All + 全选 &A + + + + &Find + 查找 &F + + + &Tools - 工具&T + 工具 &T @@ -3794,24 +3872,24 @@ QupZilla - + &Help - 帮助&H + 帮助 &H - + &Bookmarks - 书签&B + 书签 &B - + Hi&story - 历史&s + 历史 &S - + &File - 文件&F + 文件 &F Last session crashed @@ -3819,307 +3897,307 @@ <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上次结束时崩溃,我们非常遗憾。您要还原保存的状态吗? + QupZilla 上次结束时崩溃, 我们非常遗憾. 您要还原保存的状态吗? - + &Print... - &P打印... + 打印 &P... - + &Edit - 编辑&E - - - - &View - 查看&V - - - - &Navigation Toolbar - 导航工具栏&N - - - - &Bookmarks Toolbar - 书签工具栏&B + 编辑 &E - Sta&tus Bar - 状态栏&t + &View + 查看 &V + + + + &Navigation Toolbar + 导航栏 &N + &Bookmarks Toolbar + 书签栏 &B + + + + Sta&tus Bar + 状态栏 &T + + + &Menu Bar - 菜单栏&M - - - - &Fullscreen - 全屏&F - - - - &Stop - 停止&S + 菜单栏 &M + &Fullscreen + 全屏 &F + + + + &Stop + 停止 &S + + + &Reload - 刷新&R + 刷新 &R - + Character &Encoding - 字符与编码&E + 字符与编码 &E - + Toolbars 工具栏 - + Sidebars 侧边栏 - + Zoom &In - 放大&I + 放大 &I - + Zoom &Out - 缩小&O + 缩小 &O - + Reset 重置 - + &Page Source - 页面源代码&P + 源代码 &P - + Closed Tabs - 关闭标签页 + 关闭标签 - + Recently Visited - 最近访问的 + 最近访问 - + Most Visited - 访问次数最多的 + 最常访问 - + Web In&spector - Web检查&s + 检查网页 &S - + Configuration Information - + 配置信息 - + Restore &Closed Tab - 还原关闭的标签&C + 还原关闭的标签 &C - + (Private Browsing) - (私人浏览) + (隐私浏览) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? - + 有 %1 个标签已打开, 不保存会话. 您确定退出 QupZilla 吗? - + Don't ask again 不要再询问 - + There are still open tabs - 总是打开标签页 + 总是打开标签 - + Bookmark &This Page - 收藏本页&T + 收藏本页 &T - + Bookmark &All Tabs - 收藏全部标签页&A + 收藏全部标签 &A - + Organize &Bookmarks - 组织书签&B + 管理书签 &B - - - - - + + + + + Empty 空页面 - + &Back - 后退&B + 后退 &B - + &Forward - 前进&F + 前进 &F - + &Home - 主页&H + 主页 &H - + Show &All History - 显示所有历史页&A + 所有历史 &A - + Restore All Closed Tabs 还原关闭的标签 - + Clear list 清除列表 - + About &Qt - 关于Qt&Q + 关于 Qt &Q &About QupZilla - 关于QupZIlla&A + 关于 QupZilla &A Informations about application 软件信息 - + Report &Issue - 报告及发行&I + 报告问题 &I - + &Web Search - &W网页搜索 - - - - Page &Info - 网页信息&I - - - - &Download Manager - 下载管理&D - - - - &Cookies Manager - 管理Cookies&C - - - - &AdBlock - &AdBlock - - - - RSS &Reader - RSS阅读器&R + 网页搜索 &W - Clear Recent &History - 清除最近的历史&H + Page &Info + 网页信息 &I - + + &Download Manager + 下载管理 &D + + + + &Cookies Manager + 管理 Cookie &C + + + + &AdBlock + AdBlock &A + + + + RSS &Reader + RSS 阅读器 &R + + + + Clear Recent &History + 清除最近的历史 &H + + + &Private Browsing - 隐私浏览&P + 隐私浏览 &P There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? - 还有%1打开的标签和您的会话将不会被储存.你一定要退出吗? + 有 %1 个标签已打开, 不保存会话. 您确定退出 QupZilla 吗? Pr&eferences - 首选项&e + 首选项 &E - + Information about application 软件信息 - + Other - 其他 + 其它 Default 默认 - + %1 - QupZilla - %1 QupZilla + %1 - QupZilla - + HTML files - + 网页文件 - + Image files - + 图像文件 - + Text files - + 文本文件 - + All files - + 全部文件 - + Open file... 打开文件... @@ -4129,23 +4207,23 @@ Are you sure to quit QupZilla? 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无法被访问。 + 当前的 Cookie 无法被访问. 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 @@ -4157,7 +4235,7 @@ Are you sure to quit QupZilla? You have successfully added RSS feed "%1". - 您已成功添加RSS提要“%1”. + 您已成功添加 RSS 订阅 "%1". @@ -4174,12 +4252,12 @@ Are you sure to quit QupZilla? If you are experiencing problems with QupZilla, please try first disable all plugins. <br/>If it won't help, then please fill this form: - 如果您的QupZilla遇到问题,请首先尝试禁用所有插件。 <br/>如果没有帮助,那么请填写此表格: + 如果您的 QupZilla 遇到问题, 请首先尝试禁用所有插件. <br/>如果没有帮助, 那么请填写此表格: Your E-mail - 您的电子信箱 + 电子邮箱 @@ -4217,7 +4295,7 @@ Are you sure to quit QupZilla? Search results provided by Google - 由Google提供的搜索结果 + 搜索结果由 Google 提供 @@ -4255,23 +4333,23 @@ Are you sure to quit QupZilla? WebKit version - Webkit版本 + Webkit 版本 Configuration Information - + 配置信息 This page contains information about QupZilla's current configuration - relevant for troubleshooting. Please include this information when submitting bug reports. - + 此页面包含 QupZilla 当前的配置信息 - 与排除故障相关. 请提交 BUG 报告时包含这些信息. Build Configuration - + 构建配置 @@ -4281,42 +4359,42 @@ Are you sure to quit QupZilla? Option - + 选项 Value - 价值 + 数值 Extensions - + 插件 Name - + 名称 Author - + 作者 Description - + 描述 Application version - + 程序版本 Qt version - + Qt 版本 @@ -4341,12 +4419,12 @@ Are you sure to quit QupZilla? Saved session - 保存的会话 + 保存会话 Pinned tabs - 固定选项卡 + 固定标签 @@ -4375,37 +4453,37 @@ Are you sure to quit QupZilla? If you are experiencing problems with QupZilla, please try to disable all extensions first. <br/>If this does not fix it, then please fill out this form: - + 如果您遇到 QupZilla 发生问题, 请先尝试禁用全部插件.<br/>如果还未能解决问题, 请填写此表单: E-mail is optional<br/><b>Note: </b>Please read how to make a bug report <a href=%1>here</a> first. - + 电子邮箱是可选的 <br/><b>注意: </b>请先到 <a href=%1>这里</a> 阅读如何提交 BUG . Search on Web - + 搜索网页 Search results provided by DuckDuckGo - + 搜索结果由 DuckDuckGo 提供 <h1>Private Browsing</h1> - + <h1>隐私浏览</h1> Contributors - 贡献者 + 贡献人员 Translators - 翻译 + 翻译人员 @@ -4420,7 +4498,7 @@ Are you sure to quit QupZilla? Are you sure to remove this speed dial? - + 您确定要删除此快速拨号吗? @@ -4490,32 +4568,32 @@ Are you sure to quit QupZilla? Center speed dials - + 快速拨号居中 Restore Session - + 恢复会话 Oops, QupZilla crashed. - + 糟糕, QupZilla 崩溃了. We apologize for this. Would you like to restore the last saved state? - + 非常抱歉. 您想恢复上次保存的会话吗? Try removing one or more tabs that you think cause troubles - + 关闭一个或多个可能引起问题的标签 Or you can start completely new session - + 或者您可以启动全新会话 @@ -4524,7 +4602,7 @@ Are you sure to quit QupZilla? Disabled - + 禁用 @@ -4533,37 +4611,37 @@ Are you sure to quit QupZilla? <b>Enabled</b> - + <b>启用</b> Debug build - + 调试构建 WebGL support - + WebGL 支持 Windows 7 API - + Windows 7 API KDE integration - + KDE 整合 Portable build - + 便携式构建 No available extensions. - + 没有可用的插件. @@ -4582,11 +4660,11 @@ Are you sure to quit QupZilla? E-mail is optional<br/><b>Note: </b>Please use English language only. - E-mail是可选的<br/><b>注意:</b>请只使用英语。 + 电子邮件是可选的<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/>如果这不能解决问题,那么请填写这张表格: + 如果您的 QupZilla 遇到问题, 请首先尝试禁用所有插件. <br/>如果没有帮助, 那么请填写此表格: @@ -4597,7 +4675,7 @@ Are you sure to quit QupZilla? Information about version - 关于版本的信息 + 版本信息 @@ -4607,7 +4685,7 @@ Are you sure to quit QupZilla? Url - 地址 + 网址 @@ -4625,7 +4703,7 @@ Are you sure to quit QupZilla? RSS Reader - RSS阅读器 + RSS 阅读器 @@ -4641,17 +4719,17 @@ Are you sure to quit QupZilla? Add feed - 添加feed + 添加订阅 Edit feed - 编辑feed + 编辑订阅 Delete feed - 删除feed + 删除订阅 @@ -4673,56 +4751,56 @@ Are you sure to quit QupZilla? You don't have any RSS Feeds.<br/> Please add some with RSS icon in navigation bar on site which offers feeds. - 你没有任何RSS源。 + 您没有任何 RSS 订阅源.<br/>提供订阅的网站在导航栏里显示 RSS 图标. Add new feed - 添加新的feed + 添加新订阅 Please enter URL of new feed: - 输入新feed网址: + 输入新订阅的网址: New feed - 新feed + 新订阅 Fill title and URL of a feed: - 填写标题和feedURL: + 填写标题和网址: Feed title: - feed标题: + 订阅标题: Feed URL: - feed网址: + 订阅网址: Edit RSS Feed - 编辑RSS feed + 编辑 RSS 订阅 Open link in current tab - 在当前标签中打开链接 + 在当前标签打开链接 Open link in actual tab - 在当前标签中打开链接 + 在当前标签打开链接 Open link in new tab - 在新标签页中打开链接 + 在新标签打开链接 New Tab @@ -4736,28 +4814,28 @@ Please add some with RSS icon in navigation bar on site which offers feeds. RSS feed duplicated - RSS订阅复制 + RSS 订阅重复 You already have this feed. - 你已经有这种订阅。 + 您已经有此订阅. RSSNotification Open RSS Manager - 打开RSS管理 + 打开 RSS 管理 You have successfully added RSS feed "%1". - 您已成功添加RSS提要“%1”。 + 您已成功添加 RSS 订阅 "%1". Add this feed into - + 添加订阅到 @@ -4777,47 +4855,47 @@ Please add some with RSS icon in navigation bar on site which offers feeds. Cannot start external program - + 未能启动外部程序 Cannot start external program! %1 - + 未能启动外部程序! %1 RSS feed <b>"%1"</b> - + RSS 订阅 <b>"%1"</b> Internal Reader - + 内部阅读器 Other... - + 其它... Liferea not running - + Liferea 没有运行 Liferea must be running in order to add new feed. - + Liferea 必须运行才能添加新订阅. To add this RSS feed into other application, please use this information:<br/><br/><b>Title: </b>%1<br/><b>Url: </b>%2<br/><br/>Url address of this feed has been copied into your clipboard. - + 添加此 RSS 订阅到其它程序, 请使用这些信息: <br/><br/><b>标题: </b>%1<br/><b>网址: </b>%2<br/><br/> 此订阅的网页地址已经复制到剪贴板. Add feed into other application - + 添加订阅到其它程序 @@ -4825,12 +4903,12 @@ Please add some with RSS icon in navigation bar on site which offers feeds. Add RSS Feeds from this site - 从这个网站添加RSS订阅 + 从这个网站添加 RSS 订阅 Untitled feed - 未命名提要 + 未命名订阅 @@ -4843,17 +4921,31 @@ Please add some with RSS icon in navigation bar on site which offers feeds. Restore - + 恢复 Start New Session - + 新会话 Window %1 - + 窗口 %1 + + + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + @@ -4871,12 +4963,12 @@ Please add some with RSS icon in navigation bar on site which offers feeds.SSLManager SSL Manager - 管理SSL + 管理 SSL CA Authorities Certificates - CA机构证书 + CA 机构证书 @@ -4887,33 +4979,33 @@ Please add some with RSS icon in navigation bar on site which offers feeds. This is a list of CA Authorities Certificates stored in the standard system path and in user specified paths. - 这是一个标准系统路径和用户指定路径中的CA机构的证书列表。 + 这是一个标准系统路径和用户指定路径中的 CA 机构的证书列表. Import - + 导入 This is a list of Local Certificates stored in your user profile. It also contains all certificates, that have received an exception. - 这是一个存储在您用户配置文件中的本地证书列表。它也包含了所有的证书,已接收到一个异常。 + 这是一个存储在您用户配置文件中的本地证书列表. 它也包含了所有的证书, 已接收到一个异常. If CA Authorities Certificates were not automatically loaded from the system, you can specify paths manually where the certificates are stored. - 如果CA机构证书不会自动加载到系统中,你可以手动指定证书存储路径。 + 如果 CA 机构证书没有自动加载到系统中, 您可以手动指定证书存储路径. <b>NOTE:</b> Setting this option is a high security risk! - <b>注意:</b>设置这个选项有很高的安全风险! + <b>注意:</b> 设置这个选项有很高的安全风险! All certificates must have .crt suffix. After adding or removing certificate paths, it is neccessary to restart QupZilla in order to take effect the changes. - 所有证书必须有.CRT后缀。添加或删除证书路径后,QupZilla需要重新启动才能生效. + 所有证书必须有 .CRT 后缀. 添加或删除证书路径后, QupZilla 需要重新启动才能生效. @@ -4923,7 +5015,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Certificate Manager - + 管理证书 @@ -4944,7 +5036,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Ignore all SSL Warnings - 忽略所有SSL警告 + 忽略所有 SSL 警告 @@ -4954,7 +5046,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Import certificate... - + 导入证书... @@ -4987,12 +5079,12 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Up - UP + 上移 Down - Down + 下移 @@ -5007,12 +5099,12 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Set as default - + 设为默认 Shortcut - 捷径 + 关键字 @@ -5023,12 +5115,12 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Remove Engine - + 删除引擎 You can't remove the default search engine.<br>Set a different engine as default before removing %1. - + 不能删除默认搜索引擎.<br>删除前设置其它引擎为默认 %1. @@ -5046,7 +5138,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Search Engine "%1" has been successfully added. - 搜索引擎“%1”已成功添加。 + 搜索引擎 "%1" 已成功添加. @@ -5061,7 +5153,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Error while adding Search Engine <br><b>Error Message: </b> %1 - 添加搜索引擎时错误<br><b>Error Message: </b> %1 + 添加搜索引擎时错误 <br><b>错误信息: </b> %1 @@ -5069,7 +5161,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla No results found. - 没有找到结果。 + 没有找到结果. @@ -5137,7 +5229,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Databases - + 数据 @@ -5153,7 +5245,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Site address: - 网站地址: + 网址: @@ -5163,7 +5255,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Meta tags of site: - 网站的Meta标签: + Meta 标签: @@ -5173,12 +5265,12 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Value - 价值 + 数值 <b>Security information</b> - <b>安全信息</ B> + <b>安全信息</b> @@ -5188,22 +5280,22 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Image - 图片 + 图像 Image address - 图片地址 + 图像地址 <b>Preview</b> - <b>预览</ B> + <b>预览</b> <b>Database details</b> - + <b>数据详情</b> @@ -5213,14 +5305,14 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Path: - + 路径: <database not selected> - + <没有选中数据> @@ -5230,27 +5322,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla No databases are used by this page. - + 该网页没有使用数据. <b>Connection is Encrypted.</b> - <b>连接是加密的。</ B> + <b>连接已经加密.</b> <b>Your connection to this page is secured with this certificate: </b> - <B>此页的连接与此证书获得:</ B> + <b>此安全连接使用此证书:</b> <b>Connection Not Encrypted.</b> - <b>连接没有加密。</ B> + <b>连接没有加密.</b> <b>Your connection to this page is not secured!</b> - <b>您连接到这个网页不安全!</ B> + <b>您连接到此网页不安全!</b> @@ -5265,7 +5357,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Save Image to Disk - 将图像保存到磁盘 + 保存图像到本地 @@ -5276,7 +5368,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla This preview is not available! - 这个预览不可用! + 此预览不可用! @@ -5304,17 +5396,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Your connection to this site is <b>secured</b>. - 您连接到这个网站是<b>担保</ B>。 + 您连接到这个网站是 <b>安全</b>. Your connection to this site is <b>unsecured</b>. - 您连接到这个网站是<b>无担保</ B>。 + 您连接到这个网站是 <b>不安全</b>. You have <b>never</b> visited this site before. - 你<b>从未</ B>访问过此网站。 + 您<b>从未</b>访问过此网站. @@ -5335,7 +5427,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla This is your <b>%1</b> visit of this site. - 这是您的<b>%1</b>此网站的访问。 + 这是您的 <b>%1</b> 次访问该网站. @@ -5397,7 +5489,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Select All - 选取所有 + 全选 @@ -5463,7 +5555,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Cannot reload source. Page has been closed. - 无法重装源.页面已被关闭. + 无法重装源. 网页已被关闭. @@ -5496,7 +5588,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Whole words - + 全字符 @@ -5504,7 +5596,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Image files - + 图像文件 @@ -5530,72 +5622,72 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla &New tab - 新标签&N + 新标签 &N &Stop Tab - 停止标签页&S + 停止标签 &S &Reload Tab - 刷新标签页&R + 刷新标签 &R &Duplicate Tab - 重复的标签&D + 重复标签 &D Un&pin Tab - 非引脚标签&p + 非引脚标签 &P &Pin Tab - 引脚标签&P + 引脚标签 &P Re&load All Tabs - 刷新标签页&l + 刷新全部标签 &L &Bookmark This Tab - 收藏此标签页&B + 收藏此标签 &B Bookmark &All Tabs - 收藏全部标签页&A + 收藏全部标签 &A Close Ot&her Tabs - 关闭其他标签页&h + 关闭其它标签 &H Cl&ose - 关闭&o + 关闭 &O Reloa&d All Tabs - 刷新标签页&d + 刷新全部标签 &D Bookmark &All Ta&bs - 收藏全部标签页&A + 收藏全部标签 &A Restore &Closed Tab - 还原关闭的标签&C + 还原关闭的标签 &C New tab @@ -5611,7 +5703,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla List of tabs - 选项卡列表 + 标签列表 @@ -5631,11 +5723,11 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Currently you have %1 opened tabs - 目前,你有%1打开的标签 + 目前已打开 %1 个标签 Actually you have %1 opened tabs - 你已有%1打开的标签 + 您已打开 %1 个标签 @@ -5652,7 +5744,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Restore All Closed Tabs - 还原关闭的标签 + 还原全部关闭的标签 @@ -5665,7 +5757,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Failed loading page - 载入页面失败 + 载入网页失败 @@ -5675,7 +5767,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla %1 - QupZilla - %1 QupZilla + %1 - QupZilla @@ -5684,19 +5776,19 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Open link in new &tab - 在新标签中打开链接&t + 在新标签打开链接 &T Open link in new &window - 在新窗口中打开链接&w + 在新窗口打开链接 &W B&ookmark link - 书签链接&o + 书签链接 &O &Save link as... - 链接另存为&S... + 链接另存为 &S... Send link... @@ -5704,23 +5796,23 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla &Copy link address - 复制链接地址&C + 复制链接地址 &C Show i&mage - 显示图像&m + 显示图像 &M Copy im&age - 复制图像&a + 复制图像 &A Copy image ad&dress - 复制图像地址&d + 复制图像地址 &D &Save image as... - 图像另存为&S... + 图像另存为 &S... Send image... @@ -5728,19 +5820,19 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla &Back - 后退&B + 后退 &B &Forward - 前进&F + 前进 &F &Reload - 刷新&R + 刷新 &R S&top - 停止&t + 停止 &T This frame @@ -5748,11 +5840,11 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Show &only this frame - 仅显示此帧&o + 仅显示此帧 &O Show this frame in new &tab - 在新选项卡的显示帧&t + 在新标签显示帧 &T Print frame @@ -5760,11 +5852,11 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Zoom &in - 放大&i + 放大 &I &Zoom out - 缩小&Z + 缩小 &Z Reset @@ -5772,35 +5864,35 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Show so&urce of frame - 显示帧源码&u + 显示帧源码 &U Book&mark page - 加入书签&m + 加入书签 &M &Save page as... - 保存网页为&S... + 保存网页为 &S... Select &all - 选取所有&a + 选取所有 &A Show so&urce code - 显示源代码&u + 显示源代码 &U Show Web &Inspector - 显示Web及督察&I + 显示网页检查 &I Show info ab&out site - 显示有关网站的信息&o + 显示网站信息 &O Search "%1 .." with %2 - 使用 %2搜索"%1 .." + 使用 %2 搜索 "%1 .." @@ -5808,17 +5900,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla <b>Name:</b> - <b>名称:</ B> + <b>名称: </b> <b>Author:</b> - <b>作者:</ B> + <b>作者: </b> <b>Description:</b> - <b>描述:</ B> + <b>描述: </b> @@ -5853,7 +5945,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla New version of QupZilla is ready to download. - QupZilla新版本准备下载。 + QupZilla 新版本准备下载. @@ -5866,27 +5958,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla User Agent Manager - + 管理用户字符串 Change global User Agent - + 更改全局用户字符串 Use different User Agents for specified sites - + 为特定网站使用用户字符串 Site - + 网站 User Agent - + 用户字符串 @@ -5906,22 +5998,22 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Add new site - + 添加新网站 Edit site - + 编辑网站 Site domain: - + 网站域名: User Agent: - + 用户字符串: @@ -5930,7 +6022,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Web Inspector - Web检查 + 检查网页 @@ -5938,7 +6030,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla To show this page, QupZilla must resend request which do it again (like searching on making an shoping, which has been already done.) - 为显示此页QupZilla须重新发送请求 + 为显示此页 QupZilla 须重新发送请求 New tab @@ -5947,28 +6039,28 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla QupZilla cannot handle <b>%1:</b> links. The requested link is <ul><li>%2</li></ul>Do you want QupZilla to try open this link in system application? - + QupZilla 无法处理链接 <b>%1:</b>. 请求的链接是 <ul><li>%2</li></ul>. 是否使用系统程序打开此链接? Remember my choice for this protocol - + 记住我对该协议的选择 External Protocol Request - + 外部协议请求 To show this page, QupZilla must resend request which do it again (like searching on making an shopping, which has been already done.) - + 为显示此页 QupZilla 须重新发送请求 Confirm form resubmission - 确认重新提交表格 + 确定重新提交表格 @@ -6033,17 +6125,17 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Unknown network error - + 未知网络错误 AdBlocked Content - AdBlocked内容 + AdBlock 阻止的内容 Blocked by <i>%1</i> - + 阻止规则 <i>%1</i> Blocked by rule <i>%1</i> @@ -6057,56 +6149,56 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Error code %1 - 错误代码为%1 + 错误代码为 %1 Failed loading page - 载入页面失败 + 载入网页失败 QupZilla can't load page from %1. - QupZilla无法加载%1页。 + QupZilla 无法从 %1 加载网页. QupZilla can't load page. - + QupZilla 无法加载网页. Check the address for typing errors such as <b>ww.</b>example.com instead of <b>www.</b>example.com - 检查输入错误的地址,如<b> WW</b> example.com,而不是<B> WWW。</b> example.com + 检查输入错误的地址, 如 <b>ww.</b>example.com, 而不是<B> www.</b>example.com If you are unable to load any pages, check your computer's network connection. - 如果您无法载入任何页面,请检查您的计算机的网络连接。 + 如果您无法载入任何网页, 请检查您的计算机的网络连接. If your computer or network is protected by a firewall or proxy, make sure that QupZilla is permitted to access the Web. - 如果您的计算机或网络受到防火墙或代理的保护,确保QupZilla允许访问Web。 + 如果您的计算机或网络受到防火墙或代理的保护, 确保 QupZilla 允许访问 Web. Try Again - 再试一次 + 重试 JavaScript alert - + 脚本警告 Prevent this page from creating additional dialogs - 创建附加的对话,防止此页 + 防止此页创建附加的对话 JavaScript alert - %1 - JavaScript警告 %1 + 脚步警告 - %1 @@ -6122,29 +6214,29 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 管理搜索引擎 - + Add %1 ... - 新增%1 ... + 新增 %1 ... - + Paste And &Search - 粘贴并与搜索&S + 粘贴并搜索 &S - + Clear All 全部清除 - + Show suggestions - + 显示建议 - + Search when engine changed - + 切换引擎时搜索 @@ -6162,246 +6254,246 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 新标签 - + Open link in new &tab - 在新标签中打开链接&t + 在新标签打开链接 &T - + Open link in new &window - 在新窗口中打开链接&w + 在新窗口打开链接 &T - + B&ookmark link - 书签链接&o + 书签链接 &O - + &Save link as... - 链接另存为&S... + 链接另存为 &S... - + Send link... 发送链接... - - - &Copy link address - 复制链接地址&C - - - - Show i&mage - 显示图像&m - - - - Copy im&age - 复制图像&a - - - - Copy image ad&dress - 复制图像地址&d - - &Save image as... - 图像另存为&S... + &Copy link address + 复制链接地址 &C - + + Show i&mage + 显示图像 &M + + + + Copy im&age + 复制图像 &A + + + + Copy image ad&dress + 复制图像地址 &D + + + + &Save image as... + 图像另存为 &S... + + + Send image... 发送图像... - + &Back - 后退&B + 后退 &B - + &Forward - 前进&F + 前进 &F - - + + &Reload - 刷新&R + 刷新 &R - + Create Search Engine - + 创建搜索引擎 - + S&top - 停止&t + 停止 &T - + This frame 此帧 - + Show &only this frame - 仅显示此帧&o + 仅显示此帧 &O - + Show this frame in new &tab - 在新选项卡的显示帧&t + 在新标签显示帧 &T - + Print frame 打印帧 - + Zoom &in - 放大&i + 放大 &I - + &Zoom out - 缩小&Z + 缩小 &Z - + Reset 重置 - + Show so&urce of frame - 显示帧源码&u + 显示帧源码 &U - + Book&mark page - 加入书签&m + 加入书签 &M - + &Save page as... - 保存网页为&S... + 保存网页为 &S... - + &Copy page link - 复制页面链接&C + 复制网页链接 &C - + Send page link... 发送网页链接... - + &Print page - 打印页面&P + 打印网页 &P - + Send text... - 发送短信... + 发送信息... - + Google Translate 谷歌翻译 - + Dictionary 字典 - - - Go to &web address - 去网页地址&w - + Go to &web address + 打开网页地址 &W + + + Search with... - + 使用搜索... - + &Play - 播放&P + 播放 &P - + &Pause - 暂停&P + 暂停 &P - + Un&mute - + 取消静音 &M - + &Mute - 静音&M + 静音 &M - + &Copy Media Address - + 复制媒体地址 &C - + &Send Media Address - + 发送媒体地址 &S - + Save Media To &Disk - + 保存媒体到本地 &D Send page... 发送网页... - + Select &all - 选取所有&a + 选取所有 &A - + Validate page - + 验证网页 - + Show so&urce code - 显示源代码&u + 显示源代码 &U - + Show info ab&out site - 显示有关网站的信息&o + 显示网站信息 &O Show Web &Inspector - 显示Web及督察&I + 显示网页检查 &I - + Search "%1 .." with %2 - 使用 %2搜索"%1 .." + 使用 %2 搜索 "%1 .." - + No Named Page 无命名页面 @@ -6411,7 +6503,7 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla Prevent this page from creating additional dialogs - 创建附加的对话,防止此页 + 防止此页创建附加的对话 diff --git a/translations/zh_TW.ts b/translations/zh_TW.ts index eafc5821b..874e4fc4c 100644 --- a/translations/zh_TW.ts +++ b/translations/zh_TW.ts @@ -1814,18 +1814,18 @@ 查訪次數 - - + + Today 今日 - + This Week 本週 - + This Month 本月 @@ -1947,6 +1947,37 @@ 顯示有關此頁的資訊 + + LocationCompleterDelegate + + + Switch to tab + + + + + MainApplication + + + Default Browser + + + + + QupZilla is not currently your default browser. Would you like to make it your default browser? + + + + + Always perform this check when starting QupZilla. + + + + + QupZilla is a new, fast and secure open-source WWW browser. QupZilla is licensed under GPL version 3 or (at your option) any later version. It is based on WebKit core and Qt Framework. + + + NavigationBar @@ -2193,27 +2224,27 @@ 字型 - + Downloads 下載 - + Password Manager 密碼管理員 - + Privacy 私密 - + Notifications 通知 - + Other 其他 @@ -2223,134 +2254,149 @@ QupZilla - + <b>Launching</b> <b>啟動</b> - + Open blank page 開啟空白頁 - - + + Open homepage 開啟首頁 - + Restore session 回復作業階段 - + Homepage: 首頁: - + On new tab: 於新分頁: - + Open blank tab 開啟空白分頁 - + Open other page... 開啟其他頁面... - + <b>Profiles</b> <b>個人設定</b> - + Startup profile: 初始啟動個人設定: - + Create New 新增 - + Delete 刪除 - - + + Note: You cannot delete active profile. 注意:您不能刪除正在運行的個人設定。 - + + Keyboard Shortcuts + + + + Check for updates on start 啟動時檢查更新 - + + Check to see if QupZilla is the default browser on startup + + + + + Check Now + + + + Themes 主題 - + Advanced options 進階選項 - + <b>Browser Window</b> <b>瀏覽器視窗</b> - + Show StatusBar on start 啟動時顯示狀態列 - + Show Bookmarks ToolBar on start 啟動時顯示書籤工具列 - + Show Navigation ToolBar on start 啟動時顯示導覽工具列 - + <b>Navigation ToolBar</b> <b>導覽工具列</b> - + Show Home button 顯示首頁按鈕 - + Show Back / Forward buttons 顯示上/下一頁按鈕 - + Show Add Tab button 顯示新增分頁按鈕 - + <b>Background<b/> <b>背景<b/> - + Use transparent background 使用透明背景 @@ -2363,177 +2409,177 @@ <b>位址列行為</b> - + Select all text by double clicking in address bar 點兩下位址列全選文字 - + Add .co.uk domain by pressing ALT key 按 ALT 鍵加入.co.uk 網域 - + Activate last tab when closing active tab 關閉分頁時啟動最後一個分頁 - + Ask when closing multiple tabs 關閉多個分頁時總是詢問 - + Web Configuration 網頁組態 - + Allow JAVA 允許 JAVA - + After launch: 啟動後: - + Allow JavaScript 允許 JavaScript - + Allow DNS Prefetch 允許 DNS 預取 - + Allow local storage of HTML5 web content 允許 HTML5 網頁內容的本地端儲存 - + Delete locally stored HTML5 web content on close 關閉時刪除本地儲存的 HTML5 網頁內容 - + JavaScript can access clipboard JavaScript 可以存取剪貼簿 - + Send Do Not Track header to servers 傳送「不跟蹤」標頭給伺服器 - + Zoom text only 僅縮放文字 - + Include links in focus chain focus also links on page (basically <a> elements) when pressing Tab key 聚焦鏈包含連結 - + Print element background when you are printing page (on printer), it determine whether to also print background (color, image) of html elements 列印元素背景 - - + + Open speed dial 開啟快速撥號 - - + + Use current 使用目前的 - + Active profile: 使用中個人設定: - + Hide tabs when there is only one tab 當只有一個分頁時隱藏分頁 - + Select all text by clicking in address bar 當按下位址列時全選文字 - + Don't quit upon closing last tab 當關閉最後一個分頁時不要退出 - + Closed tabs list instead of opened in tab bar 分頁列中顯示關閉的分頁清單而不是開啟過的 - + Open new tabs after active tab 在使用中分頁後方開啟新分頁 - + Enable XSS Auditing try to detect possible XSS attacks when executing javascript 啟用 XSS 稽核 - + Mouse wheel scrolls 滾動滑鼠滾輪捲動 - + lines on page 網頁的幾列 - + Default zoom on pages: 預設網頁縮放: - + Extensions 擴充功能 - + Don't load tabs until selected 選取後才載入分頁 - + Show tab previews 顯示分頁預覽 - + Make tab previews animated 讓分頁預覽動畫化 - + Show web search bar 顯示網頁搜尋欄 - + Tabs behavior 分頁行為 @@ -2542,384 +2588,409 @@ 在分頁上顯示關閉按鈕 - + Automatically switch to newly opened tab 自動切換至新增分頁 - + Address Bar behavior 位址欄行為 - + Suggest when typing into address bar: 在輸入位址欄時顯示建議選項: - + History and Bookmarks 歷史紀錄以及書籤 - + History 歷史紀錄 - + Bookmarks 書籤 - + Nothing - + + Press "Shift" to not switch the tab but load the url in the current tab. + + + + + Propose to switch tab if completed url is already loaded. + + + + Show loading progress in address bar 在位址欄顯示載入進度 - + Fill 填充 - + Bottom 底部 - + Top 頂部 - + If unchecked the bar will adapt to the background color. 將未勾選欄位改成背景顏色。 - + custom color: 自訂顏色: - + Select color 選擇顏色 - + Many styles use Highlight color for the progressbar. 進度欄在許多樣式中使用聚焦顏色。 - + set to "Highlight" color 設定為"聚焦"顏色 - + <html><head/><body><p>If enabled the default engine will be taken for searching without search shortcut in the address bar instead of the engine currently selected in the web search bar.</p></body></html> <html><head/><body><p>如果允許的話預設的搜尋引擎將在沒有在位址欄的搜尋捷徑中用來做搜尋,並取代現在網頁搜尋欄中所選擇的搜尋引擎。</p></body></html> - + Search with Default Engine 以預設的搜尋引擎搜尋 - + Allow Netscape Plugins (Flash plugin) 允許 Netscape 外掛 (Flash 外掛) - + Local Storage 本地儲存 - + Maximum pages in cache: 快取中的最大頁面: - + 1 1 - + Allow storing network cache on disk 允許在磁碟上儲存網路快取 - + Maximum 最大 - + 50 MB 50 MB - + Allow saving history 允許儲存歷史 - + Delete history on close 關閉時刪除歷史 - + Delete now 現在刪除 - + Proxy Configuration 代理組態 - + HTTP HTTP - + SOCKS5 SOCKS5 - - + + Port: 端口: - - + + Username: 使用者名稱: - - + + Password: 密碼: - + Don't use on: 不要使用: - + Manual configuration 手動組態 - + System proxy configuration 系統代理組態 - + Do not use proxy 不使用代理 - + <b>Exceptions</b> <b>例外</b> - + Server: 伺服器: - + Use different proxy for https connection 使用不同的代理伺服器來連結 https - + <b>Font Families</b> <b>字族</b> - + Standard 標準 - + Fixed 等寬 - + Serif 襯線 - + Sans Serif 無襯線 - + Cursive 手寫 - + + <b>Shortcuts</b> + + + + + Switch to tabs with Alt + number of tab + + + + + Load speed dials with Ctrl + number of speed dial + + + + <b>External download manager</b> <b>外部下載管理員</b> - + Use external download manager 使用外部下載管理員 - + Executable: 可執行檔: - + Arguments: 參數: - + Leave blank if unsure 如果不確定請留空白 - + Filter tracking cookies 過濾追蹤 Cookie - + Manage CA certificates 管理CA授權憑證 - + Certificate Manager 授權憑證管理員 - + <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 選項可能導致某些網站的 Cookie 被拒絕。如果您對於 Cookie 方面遇到什麼問題,請先試著關閉此選項! - + <b>Change browser identification</b> <b>更改瀏覽器識別名稱</b> - + User Agent Manager 使用者代理管理員 - + Fantasy 華麗 - + Show Reload / Stop buttons 顯示重新整理/停止按鈕 - + <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>Cookie</b> @@ -2928,108 +2999,108 @@ 變更瀏覽器識別: - + Allow storing of cookies 允許儲存 Cookie - + Delete cookies on close 關閉後刪除 Cookie - + Match domain exactly 精確比對網域 - + Cookies Manager Cookie 管理員 - + <b>SSL Certificates</b> <b>SSL 憑證</b> - - + + <b>Other</b> <b>其他</b> - + Send Referer header to servers 傳送 Referer 標頭給伺服器 - + Block popup windows 封鎖彈出式視窗 - + <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. 若要改變語言,您必須重新啟動瀏覽器。 - + StyleSheet automatically loaded with all websites: 所有的網站該自動載入的樣式表: - + Languages 語言 - + <b>Preferred language for web sites</b> <b>進入網站時偏好的語言</b> @@ -3039,73 +3110,84 @@ 外觀 - + + + QupZilla is default + + + + + Make QupZilla default + + + + OSD Notification OSD 通知 - + Drag it on the screen to place it where you want. 在螢幕上拖曳它到您想要的位置。 - + Choose download location... 選擇下載位置... - + Choose stylesheet location... 選擇樣式表位置... - + Deleted 已刪除 - + Choose executable 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」個人設定嗎?這無法復原! - + Select Color 選擇顏色 @@ -3184,53 +3266,53 @@ 目前頁面的 IP 位址 - + &New Window 新增視窗(&N) - + New Tab 新分頁 - + Open Location 開啟位置 - + Open &File 開啟檔案(&F) - + Close Tab 關閉分頁 - + Close Window 關閉視窗 - + &Save Page As... 儲存頁面為(&S)... - + Save Page Screen 儲存螢幕頁面 - + Send Link... 傳送連結... - + Import bookmarks... 匯入書籤... @@ -3240,42 +3322,42 @@ 離開 - + &Undo 取消(&U) - + &Redo 重作(&R) - + &Cut 剪下(&C) - + C&opy 複製(&O) - + &Paste 貼上(&P) - + Select &All 全選(&A) - + &Find 尋找(&F) - + &Tools 工具(&T) @@ -3285,22 +3367,22 @@ QupZilla - + &Help 幫助(&H) - + &Bookmarks 書籤(&B) - + Hi&story 歷史(&S) - + &File 檔案(&F) @@ -3313,193 +3395,193 @@ <b>不好意思,QupZilla被不正常結束:-(</b><br/>我們對此感到相當抱歉。您想要還原結束前儲存的狀態嗎? - + &Edit 編輯(&E) - + &View 檢視(&V) - + &Navigation Toolbar 導覽工具列(&N) - + &Bookmarks Toolbar 書籤列(&B) - + Sta&tus Bar 狀態列(&T) - + &Menu Bar 選單列(&M) - + &Fullscreen 全螢幕(&F) - + &Stop 停止(&S) - + &Reload 重新載入(&R) - + Character &Encoding 字元與編碼(&E) - + Toolbars 工具列 - + Sidebars 側邊列 - + Zoom &In 拉近(&I) - + Zoom &Out 拉遠(&O) - + Reset 重置 - + &Page Source 頁面源碼(&P) - + Closed Tabs 關閉分頁 - + Recently Visited 最近瀏覽 - + Most Visited 最常造訪 - + Web In&spector 網頁審視器(&S) - + Configuration Information 設定資訊 - + Restore &Closed Tab 還原關閉分頁(&C) - + (Private Browsing) (私密瀏覽) - + There are still %1 open tabs and your session won't be stored. Are you sure to quit QupZilla? 您仍有 %1 個開啟的分頁,但是您的作業階段不會被儲存。 您確定要退出 QupZilla 嗎? - + Don't ask again 不要再詢問 - + There are still open tabs 仍然有開啟中分頁 - + 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) @@ -3509,67 +3591,67 @@ Are you sure to quit QupZilla? 關於 QupZIlla(&A) - + Report &Issue 回報問題(&I) - + &Web Search 網頁搜尋(&W) - + Page &Info 網頁資訊(&I) - + &Download Manager 下載管理員(&D) - + &Cookies Manager Cookie 管理員(&C) - + &AdBlock AdBlock(&A) - + RSS &Reader RSS 閱讀器(&R) - + Clear Recent &History 清除最近的歷史(&H) - + &Private Browsing 私密瀏覽(&P) - + HTML files HTML 檔案 - + Image files 影像檔案 - + Text files 文字檔案 - + All files 所有檔案 @@ -3579,27 +3661,27 @@ Are you sure to quit QupZilla? 偏好設定(&E) - + Information about application 應用程式的相關資訊 - + Other 其他 - + %1 - QupZilla %1 - QupZilla - + &Print... 列印(&P)... - + Open file... 開啟檔案... @@ -4252,6 +4334,20 @@ Please add some with RSS icon in navigation bar on site which offers feeds.視窗 %1 + + RegisterQAppAssociation + + + Warning! + + + + + There are some problems. Please, reinstall QupZilla. +Maybe relaunch with administrator right do a magic for you! ;) + + + SSLManager @@ -5345,27 +5441,27 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla 管理搜尋引擎 - + Add %1 ... 新增 %1 ... - + Paste And &Search 貼上並搜尋(&S) - + Clear All 全部清除 - + Show suggestions 顯示支援 - + Search when engine changed 當搜尋引擎變更時進行搜尋 @@ -5373,238 +5469,238 @@ After adding or removing certificate paths, it is neccessary to restart QupZilla WebView - + Open link in new &tab 在新分頁中開啟連結(&T) - + Open link in new &window 在新視窗中開啟連結(&W) - + B&ookmark link 書籤連結(&O) - + &Save link as... 另存連結為(&S)... - + Send link... 傳送連結... - + &Copy link address 複製連結位址(&C) - + Show i&mage 顯示影像(&M) - + Copy im&age 複製影像(&A) - + Copy image ad&dress 複製圖片位址(&d) - + &Save image as... 影像另存為(&S)... - + Send image... 傳送影像... - + &Back 上一頁(&B) - + Create Search Engine 建立搜尋引擎 - + &Forward 下一頁(&F) - - + + &Reload 重新載入(&R) - + S&top 停止(&T) - + This frame 這個框架 - + Show &only this frame 僅顯示此框架(&O) - + Show this frame in new &tab 在新分頁中顯示此框架(&T) - + Print frame 列印此框架 - + Zoom &in 拉近(&I) - + &Zoom out 拉遠(&Z) - + Reset 重置 - + Show so&urce of frame 顯示此框架的原始碼(&u) - + Book&mark page 加入書籤(&m) - + &Save page as... 另存網頁為(&S)... - + &Copy page link 複製網頁連結(&C) - + Send page link... 傳送網頁連結... - + &Print page 列印網頁(&P) - + Send text... 傳送文字... - + Google Translate Google 翻譯 - + Dictionary 字典 - + Go to &web address 前往網址(&W) - + Search with... 以此搜尋... - + &Play 播放(&P) - + &Pause 暫停(&P) - + Un&mute 取消靜音(&M) - + &Mute 靜音(&M) - + &Copy Media Address 複製媒體位址(&C) - + &Send Media Address 傳送媒體位址(&S) - + Save Media To &Disk 儲存媒體至磁碟中(&D) - + Select &all 全選(&A) - + Validate page 驗證此頁 - + Show so&urce code 顯示源碼(&U) - + Show info ab&out site 顯示有關網站的資訊(&O) - + Search "%1 .." with %2 使用 %2 搜尋「%1 ..」 - + No Named Page 未命名網頁