From a8e86cf7ef3532efc37e6ef46b8f1bce5b468602 Mon Sep 17 00:00:00 2001 From: Frank Reininghaus Date: Thu, 19 Jun 2014 20:27:58 +0200 Subject: [PATCH 1/7] Remove confusing warning message The message "TODO: Emitting itemsChanged() with no information what has changed!" is not helpful for the user. The implementation of the TODO will be done in master, see https://git.reviewboard.kde.org/r/118815/ CCBUG: 336174 --- src/kitemviews/kfileitemmodel.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/src/kitemviews/kfileitemmodel.cpp b/src/kitemviews/kfileitemmodel.cpp index b3b926c3ac..8290635236 100644 --- a/src/kitemviews/kfileitemmodel.cpp +++ b/src/kitemviews/kfileitemmodel.cpp @@ -477,7 +477,6 @@ void KFileItemModel::setRoles(const QSet& roles) m_itemData[i]->values = retrieveData(m_itemData.at(i)->item, m_itemData.at(i)->parent); } - kWarning() << "TODO: Emitting itemsChanged() with no information what has changed!"; emit itemsChanged(KItemRangeList() << KItemRange(0, count()), QSet()); } From efa19caa46f1d56afab9cc33c456bc84c47d95e1 Mon Sep 17 00:00:00 2001 From: Frank Reininghaus Date: Thu, 19 Jun 2014 20:35:22 +0200 Subject: [PATCH 2/7] Implement TODO concerning changed roles When emitting the itemsChanged signal in KFileItemModel::setRoles, use the changed roles in the argument of the signal. A warning message which was related to this issue was removed in 7a83252e0d919d8408e0808ccbd7b401d57444d3 REVIEW: 118815 --- src/kitemviews/kfileitemmodel.cpp | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/kitemviews/kfileitemmodel.cpp b/src/kitemviews/kfileitemmodel.cpp index 8290635236..72acf776a0 100644 --- a/src/kitemviews/kfileitemmodel.cpp +++ b/src/kitemviews/kfileitemmodel.cpp @@ -449,6 +449,8 @@ void KFileItemModel::setRoles(const QSet& roles) if (m_roles == roles) { return; } + + const QSet changedRoles = (roles - m_roles) + (m_roles - roles); m_roles = roles; if (count() > 0) { @@ -477,7 +479,7 @@ void KFileItemModel::setRoles(const QSet& roles) m_itemData[i]->values = retrieveData(m_itemData.at(i)->item, m_itemData.at(i)->parent); } - emit itemsChanged(KItemRangeList() << KItemRange(0, count()), QSet()); + emit itemsChanged(KItemRangeList() << KItemRange(0, count()), changedRoles); } // Clear the 'values' of all filtered items. They will be re-populated with the From 24823bbfd1616b77727ef06c437e3ec61c89b750 Mon Sep 17 00:00:00 2001 From: Emmanuel Pescosta Date: Thu, 19 Jun 2014 22:04:36 +0200 Subject: [PATCH 3/7] Implemented DolphinRecentTabsMenu to encapsulate the recent tabs menu related code from DolphinMainWindow in a new class. The DolphinRecentTabsMenu remembers the tab configuration if a tab has been closed. REVIEW: 118805 --- src/CMakeLists.txt | 1 + src/dolphinmainwindow.cpp | 117 +++++++--------------------------- src/dolphinmainwindow.h | 21 +++--- src/dolphinrecenttabsmenu.cpp | 96 ++++++++++++++++++++++++++++ src/dolphinrecenttabsmenu.h | 49 ++++++++++++++ 5 files changed, 180 insertions(+), 104 deletions(-) create mode 100644 src/dolphinrecenttabsmenu.cpp create mode 100644 src/dolphinrecenttabsmenu.h diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 0a72721a98..ce9d9a485d 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -171,6 +171,7 @@ set(dolphin_SRCS dolphinmainwindow.cpp dolphinviewcontainer.cpp dolphincontextmenu.cpp + dolphinrecenttabsmenu.cpp filterbar/filterbar.cpp main.cpp panels/information/filemetadataconfigurationdialog.cpp diff --git a/src/dolphinmainwindow.cpp b/src/dolphinmainwindow.cpp index 0ad224cbca..c60951d2c6 100644 --- a/src/dolphinmainwindow.cpp +++ b/src/dolphinmainwindow.cpp @@ -25,6 +25,7 @@ #include "dolphindockwidget.h" #include "dolphincontextmenu.h" #include "dolphinnewfilemenu.h" +#include "dolphinrecenttabsmenu.h" #include "dolphinviewcontainer.h" #include "panels/folders/folderspanel.h" #include "panels/places/placespanel.h" @@ -93,19 +94,6 @@ namespace { const int CurrentDolphinVersion = 200; }; -/* - * Remembers the tab configuration if a tab has been closed. - * Each closed tab can be restored by the menu - * "Go -> Recently Closed Tabs". - */ -struct ClosedTab -{ - KUrl primaryUrl; - KUrl secondaryUrl; - bool isSplit; -}; -Q_DECLARE_METATYPE(ClosedTab) - DolphinMainWindow::DolphinMainWindow() : KXmlGuiWindow(0), m_newFileMenu(0), @@ -739,35 +727,6 @@ void DolphinMainWindow::slotUndoAvailable(bool available) } } -void DolphinMainWindow::restoreClosedTab(QAction* action) -{ - if (action->data().toBool()) { - // clear all actions except the "Empty Recently Closed Tabs" - // action and the separator - QList actions = m_recentTabsMenu->menu()->actions(); - const int count = actions.size(); - for (int i = 2; i < count; ++i) { - m_recentTabsMenu->menu()->removeAction(actions.at(i)); - } - } else { - const ClosedTab closedTab = action->data().value(); - openNewTab(closedTab.primaryUrl); - m_tabBar->setCurrentIndex(m_viewTab.count() - 1); - - if (closedTab.isSplit) { - // create secondary view - toggleSplitView(); - m_viewTab[m_tabIndex].secondaryView->setUrl(closedTab.secondaryUrl); - } - - m_recentTabsMenu->removeAction(action); - } - - if (m_recentTabsMenu->menu()->actions().count() == 2) { - m_recentTabsMenu->setEnabled(false); - } -} - void DolphinMainWindow::slotUndoTextChanged(const QString& text) { QAction* undoAction = actionCollection()->action(KStandardAction::name(KStandardAction::Undo)); @@ -1136,7 +1095,10 @@ void DolphinMainWindow::closeTab(int index) // previous tab before closing the tab. m_tabBar->setCurrentIndex((index > 0) ? index - 1 : 1); } - rememberClosedTab(index); + + const KUrl primaryUrl(m_viewTab[index].primaryView->url()); + const KUrl secondaryUrl(m_viewTab[index].secondaryView ? m_viewTab[index].secondaryView->url() : KUrl()); + emit rememberClosedTab(primaryUrl, secondaryUrl); // delete tab m_viewTab[index].primaryView->deleteLater(); @@ -1434,6 +1396,18 @@ void DolphinMainWindow::slotPlaceActivated(const KUrl& url) } } +void DolphinMainWindow::restoreClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl) +{ + openNewActivatedTab(primaryUrl); + + if (!secondaryUrl.isEmpty() && secondaryUrl.isValid()) { + const int index = m_tabBar->currentIndex(); + createSecondaryView(index); + setActiveViewContainer(m_viewTab[index].secondaryView); + m_viewTab[index].secondaryView->setUrl(secondaryUrl); + } +} + void DolphinMainWindow::setActiveViewContainer(DolphinViewContainer* viewContainer) { Q_ASSERT(viewContainer); @@ -1582,19 +1556,12 @@ void DolphinMainWindow::setupActions() backShortcut.setAlternate(Qt::Key_Backspace); backAction->setShortcut(backShortcut); - m_recentTabsMenu = new KActionMenu(i18n("Recently Closed Tabs"), this); - m_recentTabsMenu->setIcon(KIcon("edit-undo")); - m_recentTabsMenu->setDelayed(false); - actionCollection()->addAction("closed_tabs", m_recentTabsMenu); - connect(m_recentTabsMenu->menu(), SIGNAL(triggered(QAction*)), - this, SLOT(restoreClosedTab(QAction*))); - - QAction* action = new QAction(i18n("Empty Recently Closed Tabs"), m_recentTabsMenu); - action->setIcon(KIcon("edit-clear-list")); - action->setData(QVariant::fromValue(true)); - m_recentTabsMenu->addAction(action); - m_recentTabsMenu->addSeparator(); - m_recentTabsMenu->setEnabled(false); + DolphinRecentTabsMenu* recentTabsMenu = new DolphinRecentTabsMenu(this); + actionCollection()->addAction("closed_tabs", recentTabsMenu); + connect(this, SIGNAL(rememberClosedTab(KUrl,KUrl)), + recentTabsMenu, SLOT(rememberClosedTab(KUrl,KUrl))); + connect(recentTabsMenu, SIGNAL(restoreClosedTab(KUrl,KUrl)), + this, SLOT(restoreClosedTab(KUrl,KUrl))); KAction* forwardAction = KStandardAction::forward(this, SLOT(goForward()), actionCollection()); connect(forwardAction, SIGNAL(triggered(Qt::MouseButtons,Qt::KeyboardModifiers)), this, SLOT(goForward(Qt::MouseButtons))); @@ -1903,44 +1870,6 @@ bool DolphinMainWindow::addActionToMenu(QAction* action, KMenu* menu) return true; } -void DolphinMainWindow::rememberClosedTab(int index) -{ - KMenu* tabsMenu = m_recentTabsMenu->menu(); - - const QString primaryPath = m_viewTab[index].primaryView->url().path(); - const QString iconName = KMimeType::iconNameForUrl(primaryPath); - - QAction* action = new QAction(squeezedText(primaryPath), tabsMenu); - - ClosedTab closedTab; - closedTab.primaryUrl = m_viewTab[index].primaryView->url(); - - if (m_viewTab[index].secondaryView) { - closedTab.secondaryUrl = m_viewTab[index].secondaryView->url(); - closedTab.isSplit = true; - } else { - closedTab.isSplit = false; - } - - action->setData(QVariant::fromValue(closedTab)); - action->setIcon(KIcon(iconName)); - - // add the closed tab menu entry after the separator and - // "Empty Recently Closed Tabs" entry - if (tabsMenu->actions().size() == 2) { - tabsMenu->addAction(action); - } else { - tabsMenu->insertAction(tabsMenu->actions().at(2), action); - } - - // assure that only up to 8 closed tabs are shown in the menu - if (tabsMenu->actions().size() > 8) { - tabsMenu->removeAction(tabsMenu->actions().last()); - } - actionCollection()->action("closed_tabs")->setEnabled(true); - KAcceleratorManager::manage(tabsMenu); -} - void DolphinMainWindow::refreshViews() { Q_ASSERT(m_viewTab[m_tabIndex].primaryView); diff --git a/src/dolphinmainwindow.h b/src/dolphinmainwindow.h index cb976129f3..acf60a4f6e 100644 --- a/src/dolphinmainwindow.h +++ b/src/dolphinmainwindow.h @@ -28,7 +28,6 @@ #include #include #include -#include #include #include @@ -156,6 +155,11 @@ signals: */ void settingsChanged(); + /** + * Is emitted when a tab has been closed. + */ + void rememberClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl); + protected: /** @see QWidget::showEvent() */ virtual void showEvent(QShowEvent* event); @@ -192,9 +196,6 @@ private slots: */ void slotUndoAvailable(bool available); - /** Invoked when an action in the recent tabs menu is clicked. */ - void restoreClosedTab(QAction* action); - /** Sets the text of the 'Undo' menu action to \a text. */ void slotUndoTextChanged(const QString& text); @@ -473,6 +474,12 @@ private slots: */ void slotPlaceActivated(const KUrl& url); + /** + * Is called when the user wants to reopen a previously closed \a tab from + * the recent tabs menu. + */ + void restoreClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl); + private: /** * Activates the given view, which means that @@ -503,11 +510,6 @@ private: */ bool addActionToMenu(QAction* action, KMenu* menu); - /** - * Adds the tab[\a index] to the closed tab menu's list of actions. - */ - void rememberClosedTab(int index); - /** * Connects the signals from the created DolphinView with * the DolphinViewContainer \a container with the corresponding slots of @@ -572,7 +574,6 @@ private: }; KNewFileMenu* m_newFileMenu; - KActionMenu* m_recentTabsMenu; KTabBar* m_tabBar; DolphinViewContainer* m_activeViewContainer; QVBoxLayout* m_centralWidgetLayout; diff --git a/src/dolphinrecenttabsmenu.cpp b/src/dolphinrecenttabsmenu.cpp new file mode 100644 index 0000000000..a39f9945bf --- /dev/null +++ b/src/dolphinrecenttabsmenu.cpp @@ -0,0 +1,96 @@ +/*************************************************************************** + * Copyright (C) 2014 by Emmanuel Pescosta * + * * + * 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 2 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, write to the * + * Free Software Foundation, Inc., * + * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA * + ***************************************************************************/ + +#include "dolphinrecenttabsmenu.h" + +#include +#include +#include +#include + +DolphinRecentTabsMenu::DolphinRecentTabsMenu(QObject* parent) : + KActionMenu(KIcon("edit-undo"), i18n("Recently Closed Tabs"), parent) +{ + setDelayed(false); + setEnabled(false); + + m_clearListAction = new QAction(i18n("Empty Recently Closed Tabs"), this); + m_clearListAction->setIcon(KIcon("edit-clear-list")); + addAction(m_clearListAction); + + addSeparator(); + + connect(menu(), SIGNAL(triggered(QAction*)), + this, SLOT(handleAction(QAction*))); +} + +void DolphinRecentTabsMenu::rememberClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl) +{ + QAction* action = new QAction(menu()); + action->setText(primaryUrl.path()); + + const QString iconName = KMimeType::iconNameForUrl(primaryUrl); + action->setIcon(KIcon(iconName)); + + KUrl::List urls; + urls << primaryUrl; + urls << secondaryUrl; + action->setData(QVariant::fromValue(urls)); + + // Add the closed tab menu entry after the separator and + // "Empty Recently Closed Tabs" entry + if (menu()->actions().size() == 2) { + addAction(action); + } else { + insertAction(menu()->actions().at(2), action); + } + + // Assure that only up to 6 closed tabs are shown in the menu. + // 8 because of clear action + separator + 6 closed tabs + if (menu()->actions().size() > 8) { + removeAction(menu()->actions().last()); + } + setEnabled(true); + KAcceleratorManager::manage(menu()); +} + +void DolphinRecentTabsMenu::handleAction(QAction* action) +{ + if (action == m_clearListAction) { + // Clear all actions except the "Empty Recently Closed Tabs" + // action and the separator + QList actions = menu()->actions(); + const int count = actions.size(); + for (int i = 2; i < count; ++i) { + removeAction(actions.at(i)); + } + } else { + const KUrl::List urls = action->data().value(); + if (urls.count() == 2) { + emit restoreClosedTab(urls.first(), urls.last()); + } + removeAction(action); + delete action; + action = 0; + } + + if (menu()->actions().count() <= 2) { + setEnabled(false); + } +} \ No newline at end of file diff --git a/src/dolphinrecenttabsmenu.h b/src/dolphinrecenttabsmenu.h new file mode 100644 index 0000000000..34d41530b6 --- /dev/null +++ b/src/dolphinrecenttabsmenu.h @@ -0,0 +1,49 @@ +/*************************************************************************** + * Copyright (C) 2014 by Emmanuel Pescosta * + * * + * 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 2 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, write to the * + * Free Software Foundation, Inc., * + * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA * + ***************************************************************************/ + +#ifndef DOLPHIN_RECENT_TABS_MENU_H +#define DOLPHIN_RECENT_TABS_MENU_H + +#include +#include + +class DolphinTabPage; +class QAction; + +class DolphinRecentTabsMenu : public KActionMenu +{ + Q_OBJECT + +public: + explicit DolphinRecentTabsMenu(QObject* parent); + +public slots: + void rememberClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl); + +signals: + void restoreClosedTab(const KUrl& primaryUrl, const KUrl& secondaryUrl); + +private slots: + void handleAction(QAction* action); + +private: + QAction* m_clearListAction; +}; + +#endif \ No newline at end of file From 4a40a2c66e1b87fe2c7cb33736b107dce13ca4e0 Mon Sep 17 00:00:00 2001 From: Emmanuel Pescosta Date: Thu, 12 Jun 2014 21:25:17 +0200 Subject: [PATCH 4/7] Add AppStream meta data file (imported from https://github.com/ximion/kde-appstream-metadata-templates/blob/master/apps/dolphin.appdata.xml) Thanks to Matthias Klumpp for providing this file! REVIEW: 118701 --- src/CMakeLists.txt | 1 + src/dolphin.appdata.xml | 34 ++++++++++++++++++++++++++++++++++ 2 files changed, 35 insertions(+) create mode 100644 src/dolphin.appdata.xml diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index ce9d9a485d..6e4d9f9e8f 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -352,6 +352,7 @@ install( FILES settings/dolphin_directoryviewpropertysettings.kcfg settings/dolphin_versioncontrolsettings.kcfg DESTINATION ${KCFG_INSTALL_DIR} ) install( FILES dolphinui.rc DESTINATION ${DATA_INSTALL_DIR}/dolphin ) +install( FILES dolphin.appdata.xml DESTINATION ${SHARE_INSTALL_PREFIX}/appdata ) install( FILES search/filenamesearch.protocol DESTINATION ${SERVICES_INSTALL_DIR} ) install( FILES settings/kcm/kcmdolphinviewmodes.desktop DESTINATION ${SERVICES_INSTALL_DIR} ) diff --git a/src/dolphin.appdata.xml b/src/dolphin.appdata.xml new file mode 100644 index 0000000000..f01bde803b --- /dev/null +++ b/src/dolphin.appdata.xml @@ -0,0 +1,34 @@ + + + dolphin.desktop + CC0-1.0 + GPL-2.0+ + Dolphin + File Manager + +

Dolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.

+

Features:

+
    +
  • Navigation (or breadcrumb) bar for URLs, allowing you to quickly navigate through the hierarchy of files and folders.
  • +
  • Supports several different kinds of view styles and properties and allows you to configure the view exactly how you want it.
  • +
  • Split view, allowing you to easily copy or move files between locations.
  • +
  • Additional information and shortcuts are available as dock-able panels, allowing you to move them around freely and display exactly what you want.
  • +
  • Multiple tab support
  • +
  • Informational dialogues are displayed in an unobtrusive way.
  • +
  • Undo/redo support
  • +
  • Transparent network access through the KIO system.
  • +
+
+ http://dolphin.kde.org/ + https://bugs.kde.org/enter_bug.cgi?format=guided&product=dolphin + http://docs.kde.org/stable/en/applications/dolphin/index.html + + + http://kde.org/images/screenshots/dolphin.png + + + KDE + + dolphin + +
From e99e511236c7d34f02a914bf3c83040719a5d251 Mon Sep 17 00:00:00 2001 From: l10n daemon script Date: Fri, 27 Jun 2014 01:41:26 +0000 Subject: [PATCH 5/7] SVN_SILENT made messages (after extraction) --- src/dolphin.appdata.xml | 74 ++++++++++++++++++++++++++++++++++++++++- 1 file changed, 73 insertions(+), 1 deletion(-) diff --git a/src/dolphin.appdata.xml b/src/dolphin.appdata.xml index f01bde803b..8848f15a59 100644 --- a/src/dolphin.appdata.xml +++ b/src/dolphin.appdata.xml @@ -1,22 +1,94 @@ - + dolphin.desktop CC0-1.0 GPL-2.0+ Dolphin + Dolphin + Dolphin + Dolphin + Dolphin + Dolphin + xxDolphinxx File Manager + Dateipleger + Gestor de Ficheiros + Gerenciador de arquivos + Filhanterare + Програма для керування файлами + xxFile Managerxx

Dolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.

+

Dolphin is en slank Dateipleger. Dat wöör buut mit de Idee vun't eenfache Bedenen vör Ogen, bides dat liekers flexibel un topassbor wesen schull. Du kannst Dien Dateien also jüst so plegen, as Du dat wullt.

+

O Dolphin é um gestor de ficheiros leve. Foi desenhado com a facilidade de uso e simplicidade em mente, permitindo à mesma a flexibilidade e personalização. Isto significa que poderá fazer a sua gestão de ficheiros exactamente da forma que deseja.

+

Dolphin é um gerenciador de arquivos leve e fácil de usar. Foi projetado para ser simples e ao mesmo tempo manter a flexibilidade e personalização. Isso significa que você poderá gerenciar seus arquivos da forma que desejar.

+

Dolphin är en lättviktig filhanterare. Den har konstruerats med användbarhet och enkelhet i åtanke, men ändå tillåta flexibilitet och anpassning. Det betyder att du kan hantera filer exakt på det sätt som du vill göra det.

+

Dolphin — невибаглива до ресурсів програма для керування файлами. Її створено простою у користуванні і гнучкою у налаштовуванні. Це означає, що ви можете зробити керування файлами саме таким, як вам потрібно.

+

xxDolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.xx

Features:

+

Markmalen:

+

Características:

+

Funcionalidades:

+

Funktioner:

+

Можливості:

+

xxFeatures:xx

  • Navigation (or breadcrumb) bar for URLs, allowing you to quickly navigate through the hierarchy of files and folders.
  • +
  • Steed- (oder Krömelspoor-)Balken för URLs, mit de Du Di fix dör de Hierarchie ut Dateien un Ornern bewegen kannst
  • +
  • Barra de navegação dos URL's, que lhe permite navegar rapidamente pela hierarquia de ficheiros e pastas.
  • +
  • Barra de navegação de URLs, permitindo-lhe navegar rapidamente pela hierarquia de arquivos e pastas.
  • +
  • Navigeringsrad (eller länkstig) för webbadresser, som låter dig snabbt navigera igenom hierarkin av filer och kataloger.
  • +
  • Панель навігації (звичайний режим і режим послідовної навігації) для адрес надає вам змогу швидко пересуватися ієрархією файлів та каталогів.
  • +
  • xxNavigation (or breadcrumb) bar for URLs, allowing you to quickly navigate through the hierarchy of files and folders.xx
  • Supports several different kinds of view styles and properties and allows you to configure the view exactly how you want it.
  • +
  • Ünnerstütt en Reeg verscheden Ansichtstilen un -egenschappen un lett Di de Ansicht jüst so topassen, as Du dat bruukst.
  • +
  • Suposta diferentes tipos de vistas e propriedades e permite-lhe configurar cada vista exactamente como a deseja.
  • +
  • Suporte a diferentes tipos de visualização, permitindo-lhe configurar cada modo de exibição da forma que desejar.
  • +
  • Stöder flera olika sorters visningsstilar och egenskaper och låter dig anpassa visningen exakt som du vill ha den.
  • +
  • Підтримка декількох різних типів та параметрів перегляду надає вам змогу налаштувати перегляд каталогів саме так, як вам це потрібно.
  • +
  • xxSupports several different kinds of view styles and properties and allows you to configure the view exactly how you want it.xx
  • Split view, allowing you to easily copy or move files between locations.
  • +
  • Deelt Ansicht, mit De Du Dateien eenfach twischen Steden koperen oder bewegen kannst.
  • +
  • Uma vista dividida, que lhe permite facilmente copiar ou mover os ficheiros entre locais.
  • +
  • Um modo de exibição dividido, permitindo-lhe copiar ou mover arquivos facilmente entre locais.
  • +
  • Delad visning, som låter dig enkelt kopiera eller flytta filer mellan platser.
  • +
  • За допомогою режиму двопанельного розділеного перегляду ви зможе без проблем копіювати або пересувати файли між каталогами.
  • +
  • xxSplit view, allowing you to easily copy or move files between locations.xx
  • Additional information and shortcuts are available as dock-able panels, allowing you to move them around freely and display exactly what you want.
  • +
  • Bito-Infos un Leestekens laat sik as Paneels andocken, Du kannst ehr verschuven un se jüst dat wiesen laten, wat Du weten wullt.
  • +
  • Estão disponíveis informações e atalhos adicionais como painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • +
  • As informações e atalhos adicionais estão disponíveis na forma de painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • +
  • Ytterligare information och genvägar är tillgängliga som dockningsbara paneler, vilket låter dig flytta omkring dem fritt och visa exakt vad du vill.
  • +
  • За допомогою бічних пересувних панелей ви зможете отримувати додаткову інформацію та пересуватися каталогами. Ви можете розташувати ці панелі так, як вам це зручно, і наказати програмі показувати на них саме те, що вам потрібно.
  • +
  • xxAdditional information and shortcuts are available as dock-able panels, allowing you to move them around freely and display exactly what you want.xx
  • Multiple tab support
  • +
  • Ünnerstütten för Paneels
  • +
  • Suporte para várias páginas
  • +
  • Suporte a várias abas
  • +
  • Stöd för flera flikar
  • +
  • Підтримка роботи з вкладками.
  • +
  • xxMultiple tab supportxx
  • Informational dialogues are displayed in an unobtrusive way.
  • +
  • Informatschoondialogen kaamt Di nich in'n Weg.
  • +
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • +
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • +
  • Dialogrutor med information visas på ett diskret sätt.
  • +
  • Показ інформаційних панелей у зручний спосіб, що не заважає роботі.
  • +
  • xxInformational dialogues are displayed in an unobtrusive way.xx
  • Undo/redo support
  • +
  • Ünnerstütten för Torüchnehmen un Wedderherstellen
  • +
  • Suporte para desfazer/refazer
  • +
  • Suporte para desfazer/refazer
  • +
  • Stöd för ångra och gör om
  • +
  • Підтримка скасовування та повторення дій.
  • +
  • xxUndo/redo supportxx
  • Transparent network access through the KIO system.
  • +
  • Direkt Nettwarktogriep över dat KDE-In-/Utgaav-(KIO-)Moduulsysteem
  • +
  • Acesso transparente à rede através do sistema KIO.
  • +
  • Acesso transparente à rede através do sistema KIO.
  • +
  • Transparent nätverksåtkomst via I/O-slavsystemet.
  • +
  • Прозорий доступ до ресурсів у мережі за допомогою системи KIO.
  • +
  • xxTransparent network access through the KIO system.xx
http://dolphin.kde.org/ From caadc66bd805c69586ecb8f84389e40dd94ce43a Mon Sep 17 00:00:00 2001 From: l10n daemon script Date: Sat, 28 Jun 2014 01:32:56 +0000 Subject: [PATCH 6/7] SVN_SILENT made messages (after extraction) --- src/dolphin.appdata.xml | 36 ++++++++++++++++++++++++++++++++++++ 1 file changed, 36 insertions(+) diff --git a/src/dolphin.appdata.xml b/src/dolphin.appdata.xml index 8848f15a59..3cd8b0b350 100644 --- a/src/dolphin.appdata.xml +++ b/src/dolphin.appdata.xml @@ -4,88 +4,124 @@ CC0-1.0 GPL-2.0+ Dolphin + Dolphin Dolphin + Dolphin Dolphin Dolphin + Dolphin Dolphin Dolphin xxDolphinxx File Manager + Gestor de fitxers Dateipleger + Bestandsbeheerder Gestor de Ficheiros Gerenciador de arquivos + Správca súborov Filhanterare Програма для керування файлами xxFile Managerxx

Dolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.

+

El Dolphin és un gestor de fitxers lleuger. S'ha dissenyat pensant en facilitar el seu ús i que sigui simple, permetent la flexibilitat i la personalització. Això vol dir que podeu fer la gestió dels vostres fitxers de la manera exacta com ho vulgueu fer.

Dolphin is en slank Dateipleger. Dat wöör buut mit de Idee vun't eenfache Bedenen vör Ogen, bides dat liekers flexibel un topassbor wesen schull. Du kannst Dien Dateien also jüst so plegen, as Du dat wullt.

+

Dolphin is een lichtgewicht bestandsbeheerder. Het is ontworpen met gebruiksgemak en eenvoud in gedachte en staat toch flexibiliteit en aan te passen toe. Dit betekent dat u uw bestandsbeheer kunt doen precies op de manier zoals u dat wilt.

O Dolphin é um gestor de ficheiros leve. Foi desenhado com a facilidade de uso e simplicidade em mente, permitindo à mesma a flexibilidade e personalização. Isto significa que poderá fazer a sua gestão de ficheiros exactamente da forma que deseja.

Dolphin é um gerenciador de arquivos leve e fácil de usar. Foi projetado para ser simples e ao mesmo tempo manter a flexibilidade e personalização. Isso significa que você poderá gerenciar seus arquivos da forma que desejar.

+

Dolphin je odľahčený správca súborov. Bol navrhnutý na jednoduché použitie a jednoduchosť, ale s možnosťami flexibility a prispôsobenia. To znamená, že môžete vykonávať správu súborov presne tak, ako chcete.

Dolphin är en lättviktig filhanterare. Den har konstruerats med användbarhet och enkelhet i åtanke, men ändå tillåta flexibilitet och anpassning. Det betyder att du kan hantera filer exakt på det sätt som du vill göra det.

Dolphin — невибаглива до ресурсів програма для керування файлами. Її створено простою у користуванні і гнучкою у налаштовуванні. Це означає, що ви можете зробити керування файлами саме таким, як вам потрібно.

xxDolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.xx

Features:

+

Característiques:

Markmalen:

+

Mogelijkheden:

Características:

Funcionalidades:

+

Funkcie:

Funktioner:

Можливості:

xxFeatures:xx

  • Navigation (or breadcrumb) bar for URLs, allowing you to quickly navigate through the hierarchy of files and folders.
  • +
  • Barra de navegació (o fil d'Ariadna) per els URL, permetent una navegació ràpida per la jerarquia de fitxers i carpetes.
  • Steed- (oder Krömelspoor-)Balken för URLs, mit de Du Di fix dör de Hierarchie ut Dateien un Ornern bewegen kannst
  • +
  • Navigatie- (of broodkruimel)balk voor URL's, waarmee u snel kunt navigeren door de hiërarchie van bestanden en mappen.
  • Barra de navegação dos URL's, que lhe permite navegar rapidamente pela hierarquia de ficheiros e pastas.
  • Barra de navegação de URLs, permitindo-lhe navegar rapidamente pela hierarquia de arquivos e pastas.
  • +
  • Navigačná lišta pre URL, umožňujúca vám rýchlu navigáciu cez hierarchiu súborov a priečinkov.
  • Navigeringsrad (eller länkstig) för webbadresser, som låter dig snabbt navigera igenom hierarkin av filer och kataloger.
  • Панель навігації (звичайний режим і режим послідовної навігації) для адрес надає вам змогу швидко пересуватися ієрархією файлів та каталогів.
  • xxNavigation (or breadcrumb) bar for URLs, allowing you to quickly navigate through the hierarchy of files and folders.xx
  • Supports several different kinds of view styles and properties and allows you to configure the view exactly how you want it.
  • +
  • Accepta diferents classes diverses d'estils de visualització i propietats i us permet configurar la visualització exactament com la vulgueu.
  • Ünnerstütt en Reeg verscheden Ansichtstilen un -egenschappen un lett Di de Ansicht jüst so topassen, as Du dat bruukst.
  • +
  • Ondersteunt een aantal verschillende soorten stijlen van weergave en eigenschappen en biedt u de mogelijkheid de weergave in te stellen precies zoals u dat wilt.
  • Suposta diferentes tipos de vistas e propriedades e permite-lhe configurar cada vista exactamente como a deseja.
  • Suporte a diferentes tipos de visualização, permitindo-lhe configurar cada modo de exibição da forma que desejar.
  • +
  • Podporuje niekoľko rôznych typov štýlov zobrazenia a vlastností a umožňuje vám nastaviť pohľad presne tak, ako chcete.
  • Stöder flera olika sorters visningsstilar och egenskaper och låter dig anpassa visningen exakt som du vill ha den.
  • Підтримка декількох різних типів та параметрів перегляду надає вам змогу налаштувати перегляд каталогів саме так, як вам це потрібно.
  • xxSupports several different kinds of view styles and properties and allows you to configure the view exactly how you want it.xx
  • Split view, allowing you to easily copy or move files between locations.
  • +
  • Divisió de visualització, permetent copiar o moure fitxers fàcilment entre les ubicacions.
  • Deelt Ansicht, mit De Du Dateien eenfach twischen Steden koperen oder bewegen kannst.
  • +
  • Gesplitst beeld, waarmee u gemakkelijk bestanden kunt kopiëren of verplaatsen tussen locaties.
  • Uma vista dividida, que lhe permite facilmente copiar ou mover os ficheiros entre locais.
  • Um modo de exibição dividido, permitindo-lhe copiar ou mover arquivos facilmente entre locais.
  • +
  • Rozdelený pohľad, umožňuje vám jednoducho kopírovať alebo presúvať súbory medzi umiestneniami.
  • Delad visning, som låter dig enkelt kopiera eller flytta filer mellan platser.
  • За допомогою режиму двопанельного розділеного перегляду ви зможе без проблем копіювати або пересувати файли між каталогами.
  • xxSplit view, allowing you to easily copy or move files between locations.xx
  • Additional information and shortcuts are available as dock-able panels, allowing you to move them around freely and display exactly what you want.
  • +
  • Hi ha informació addicional i dreceres disponibles com a plafons acoblables, permetent moure'ls lliurement i mostrar exactament el què vulgueu.
  • Bito-Infos un Leestekens laat sik as Paneels andocken, Du kannst ehr verschuven un se jüst dat wiesen laten, wat Du weten wullt.
  • +
  • Extra informatie en sneltoetsen zijn beschikbaar als vast te zetten panelen, die u vrij kunt verplaatsen en precies kunt tonen wat u wilt.
  • Estão disponíveis informações e atalhos adicionais como painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • As informações e atalhos adicionais estão disponíveis na forma de painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • +
  • Dodatočné informácie a skratky sú dostupné ako dokovateľné panely, umožňujúce vám ich voľný presun a zobrazenie presne tak, ako chcete.
  • Ytterligare information och genvägar är tillgängliga som dockningsbara paneler, vilket låter dig flytta omkring dem fritt och visa exakt vad du vill.
  • За допомогою бічних пересувних панелей ви зможете отримувати додаткову інформацію та пересуватися каталогами. Ви можете розташувати ці панелі так, як вам це зручно, і наказати програмі показувати на них саме те, що вам потрібно.
  • xxAdditional information and shortcuts are available as dock-able panels, allowing you to move them around freely and display exactly what you want.xx
  • Multiple tab support
  • +
  • Implementació de pestanyes múltiples
  • Ünnerstütten för Paneels
  • +
  • Ondersteuning voor meerdere tabbladen
  • Suporte para várias páginas
  • Suporte a várias abas
  • +
  • Podpora viacerých kariet
  • Stöd för flera flikar
  • Підтримка роботи з вкладками.
  • xxMultiple tab supportxx
  • Informational dialogues are displayed in an unobtrusive way.
  • +
  • El diàlegs informatius es mostren de manera no molesta.
  • Informatschoondialogen kaamt Di nich in'n Weg.
  • +
  • Informatiedialogen worden op een prettige manier getoond.
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • +
  • Informačné dialógy sú zobrazené nevtieravým spôsobom.
  • Dialogrutor med information visas på ett diskret sätt.
  • Показ інформаційних панелей у зручний спосіб, що не заважає роботі.
  • xxInformational dialogues are displayed in an unobtrusive way.xx
  • Undo/redo support
  • +
  • Implementació de desfer/refer
  • Ünnerstütten för Torüchnehmen un Wedderherstellen
  • +
  • Ondersteuning ongedaan maken/opnieuw
  • Suporte para desfazer/refazer
  • Suporte para desfazer/refazer
  • +
  • Podpora Späť/Znova
  • Stöd för ångra och gör om
  • Підтримка скасовування та повторення дій.
  • xxUndo/redo supportxx
  • Transparent network access through the KIO system.
  • +
  • Accés transparent a la xarxa a través del sistema KIO.
  • Direkt Nettwarktogriep över dat KDE-In-/Utgaav-(KIO-)Moduulsysteem
  • +
  • Transparante toegang tot het netwerk via het KIO systeem.
  • Acesso transparente à rede através do sistema KIO.
  • Acesso transparente à rede através do sistema KIO.
  • +
  • Transparentný prístup na sieť cez KIO systém.
  • Transparent nätverksåtkomst via I/O-slavsystemet.
  • Прозорий доступ до ресурсів у мережі за допомогою системи KIO.
  • xxTransparent network access through the KIO system.xx
  • From 74d8522ac63199b702a09610ca7b1a7071a7215b Mon Sep 17 00:00:00 2001 From: l10n daemon script Date: Sun, 29 Jun 2014 01:36:02 +0000 Subject: [PATCH 7/7] SVN_SILENT made messages (after extraction) --- src/dolphin.appdata.xml | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) diff --git a/src/dolphin.appdata.xml b/src/dolphin.appdata.xml index 3cd8b0b350..042da79506 100644 --- a/src/dolphin.appdata.xml +++ b/src/dolphin.appdata.xml @@ -5,8 +5,11 @@ GPL-2.0+ Dolphin Dolphin + Dolphin + Dolphin Dolphin Dolphin + Dolphin Dolphin Dolphin Dolphin @@ -15,8 +18,10 @@ xxDolphinxx File Manager Gestor de fitxers + Dateiverwaltung Dateipleger Bestandsbeheerder + Zarządzanie plikami Gestor de Ficheiros Gerenciador de arquivos Správca súborov @@ -28,6 +33,7 @@

    El Dolphin és un gestor de fitxers lleuger. S'ha dissenyat pensant en facilitar el seu ús i que sigui simple, permetent la flexibilitat i la personalització. Això vol dir que podeu fer la gestió dels vostres fitxers de la manera exacta com ho vulgueu fer.

    Dolphin is en slank Dateipleger. Dat wöör buut mit de Idee vun't eenfache Bedenen vör Ogen, bides dat liekers flexibel un topassbor wesen schull. Du kannst Dien Dateien also jüst so plegen, as Du dat wullt.

    Dolphin is een lichtgewicht bestandsbeheerder. Het is ontworpen met gebruiksgemak en eenvoud in gedachte en staat toch flexibiliteit en aan te passen toe. Dit betekent dat u uw bestandsbeheer kunt doen precies op de manier zoals u dat wilt.

    +

    Dolphin jest lekkim programem do zarządzania plikami. Został on opracowany mając na uwadze łatwość i prostotę obsługi, zapewniając jednocześnie elastyczność i możliwość dostosowania. Oznacza to, że można urządzić zarządzanie plikami w dokładnie taki sposób w jaki jest to pożądane.

    O Dolphin é um gestor de ficheiros leve. Foi desenhado com a facilidade de uso e simplicidade em mente, permitindo à mesma a flexibilidade e personalização. Isto significa que poderá fazer a sua gestão de ficheiros exactamente da forma que deseja.

    Dolphin é um gerenciador de arquivos leve e fácil de usar. Foi projetado para ser simples e ao mesmo tempo manter a flexibilidade e personalização. Isso significa que você poderá gerenciar seus arquivos da forma que desejar.

    Dolphin je odľahčený správca súborov. Bol navrhnutý na jednoduché použitie a jednoduchosť, ale s možnosťami flexibility a prispôsobenia. To znamená, že môžete vykonávať správu súborov presne tak, ako chcete.

    @@ -36,8 +42,10 @@

    xxDolphin is a lightweight file manager. It has been designed with ease of use and simplicity in mind, while still allowing flexibility and customisation. This means that you can do your file management exactly the way you want to do it.xx

    Features:

    Característiques:

    +

    Funktionen:

    Markmalen:

    Mogelijkheden:

    +

    Możliwości:

    Características:

    Funcionalidades:

    Funkcie:

    @@ -49,6 +57,7 @@
  • Barra de navegació (o fil d'Ariadna) per els URL, permetent una navegació ràpida per la jerarquia de fitxers i carpetes.
  • Steed- (oder Krömelspoor-)Balken för URLs, mit de Du Di fix dör de Hierarchie ut Dateien un Ornern bewegen kannst
  • Navigatie- (of broodkruimel)balk voor URL's, waarmee u snel kunt navigeren door de hiërarchie van bestanden en mappen.
  • +
  • Pasek nawigacji (lub okruchy chleba) dla adresów URL, umożliwiające szybkie przechodzenie w hierarchii plików i katalogów.
  • Barra de navegação dos URL's, que lhe permite navegar rapidamente pela hierarquia de ficheiros e pastas.
  • Barra de navegação de URLs, permitindo-lhe navegar rapidamente pela hierarquia de arquivos e pastas.
  • Navigačná lišta pre URL, umožňujúca vám rýchlu navigáciu cez hierarchiu súborov a priečinkov.
  • @@ -59,6 +68,7 @@
  • Accepta diferents classes diverses d'estils de visualització i propietats i us permet configurar la visualització exactament com la vulgueu.
  • Ünnerstütt en Reeg verscheden Ansichtstilen un -egenschappen un lett Di de Ansicht jüst so topassen, as Du dat bruukst.
  • Ondersteunt een aantal verschillende soorten stijlen van weergave en eigenschappen en biedt u de mogelijkheid de weergave in te stellen precies zoals u dat wilt.
  • +
  • Obsługa wielu różnych rodzajów stylów widoków i właściwości oraz możliwość ustawienia widoku dopasowanego do potrzeb.
  • Suposta diferentes tipos de vistas e propriedades e permite-lhe configurar cada vista exactamente como a deseja.
  • Suporte a diferentes tipos de visualização, permitindo-lhe configurar cada modo de exibição da forma que desejar.
  • Podporuje niekoľko rôznych typov štýlov zobrazenia a vlastností a umožňuje vám nastaviť pohľad presne tak, ako chcete.
  • @@ -69,6 +79,7 @@
  • Divisió de visualització, permetent copiar o moure fitxers fàcilment entre les ubicacions.
  • Deelt Ansicht, mit De Du Dateien eenfach twischen Steden koperen oder bewegen kannst.
  • Gesplitst beeld, waarmee u gemakkelijk bestanden kunt kopiëren of verplaatsen tussen locaties.
  • +
  • Widok podzielony, umożliwiający łatwe kopiowane lub przenoszenie plików pomiędzy położeniami.
  • Uma vista dividida, que lhe permite facilmente copiar ou mover os ficheiros entre locais.
  • Um modo de exibição dividido, permitindo-lhe copiar ou mover arquivos facilmente entre locais.
  • Rozdelený pohľad, umožňuje vám jednoducho kopírovať alebo presúvať súbory medzi umiestneniami.
  • @@ -79,6 +90,7 @@
  • Hi ha informació addicional i dreceres disponibles com a plafons acoblables, permetent moure'ls lliurement i mostrar exactament el què vulgueu.
  • Bito-Infos un Leestekens laat sik as Paneels andocken, Du kannst ehr verschuven un se jüst dat wiesen laten, wat Du weten wullt.
  • Extra informatie en sneltoetsen zijn beschikbaar als vast te zetten panelen, die u vrij kunt verplaatsen en precies kunt tonen wat u wilt.
  • +
  • Dodatkowe szczegóły i skróty dostępne jako dokowalne panele, umożliwiające ich dowolne przenoszenie i wyświetlanie dopasowane do potrzeb.
  • Estão disponíveis informações e atalhos adicionais como painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • As informações e atalhos adicionais estão disponíveis na forma de painéis acopláveis, permitindo-lhe movê-los à vontade e apresentar como desejar.
  • Dodatočné informácie a skratky sú dostupné ako dokovateľné panely, umožňujúce vám ich voľný presun a zobrazenie presne tak, ako chcete.
  • @@ -89,6 +101,7 @@
  • Implementació de pestanyes múltiples
  • Ünnerstütten för Paneels
  • Ondersteuning voor meerdere tabbladen
  • +
  • Obsługa wielu kart
  • Suporte para várias páginas
  • Suporte a várias abas
  • Podpora viacerých kariet
  • @@ -99,6 +112,7 @@
  • El diàlegs informatius es mostren de manera no molesta.
  • Informatschoondialogen kaamt Di nich in'n Weg.
  • Informatiedialogen worden op een prettige manier getoond.
  • +
  • Pokazywanie informacyjnych okien dialogowych w nienatrętny sposób.
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • As janelas informativas são apresentadas de forma não-intrusiva.
  • Informačné dialógy sú zobrazené nevtieravým spôsobom.
  • @@ -109,6 +123,7 @@
  • Implementació de desfer/refer
  • Ünnerstütten för Torüchnehmen un Wedderherstellen
  • Ondersteuning ongedaan maken/opnieuw
  • +
  • Obsługa cofnij/ponów
  • Suporte para desfazer/refazer
  • Suporte para desfazer/refazer
  • Podpora Späť/Znova
  • @@ -119,6 +134,7 @@
  • Accés transparent a la xarxa a través del sistema KIO.
  • Direkt Nettwarktogriep över dat KDE-In-/Utgaav-(KIO-)Moduulsysteem
  • Transparante toegang tot het netwerk via het KIO systeem.
  • +
  • Przezroczysty dostęp do sieci przez system KIO.
  • Acesso transparente à rede através do sistema KIO.
  • Acesso transparente à rede através do sistema KIO.
  • Transparentný prístup na sieť cez KIO systém.