diff --git a/core/dplugins/editor/CMakeLists.txt b/core/dplugins/editor/CMakeLists.txt index 6ba0254d39..1138eb44eb 100644 --- a/core/dplugins/editor/CMakeLists.txt +++ b/core/dplugins/editor/CMakeLists.txt @@ -1,11 +1,12 @@ # # Copyright (c) 2010-2019 by Gilles Caulier, # # Redistribution and use is allowed according to the terms of the BSD license. # For details see the accompanying COPYING-CMAKE-SCRIPTS file. +add_subdirectory(file) add_subdirectory(colors) add_subdirectory(decorate) add_subdirectory(enhance) add_subdirectory(filters) add_subdirectory(transform) diff --git a/core/dplugins/editor/file/CMakeLists.txt b/core/dplugins/editor/file/CMakeLists.txt new file mode 100644 index 0000000000..1cbcbe169a --- /dev/null +++ b/core/dplugins/editor/file/CMakeLists.txt @@ -0,0 +1,32 @@ +# +# Copyright (c) 2015-2019 by Gilles Caulier, +# +# Redistribution and use is allowed according to the terms of the BSD license. +# For details see the accompanying COPYING-CMAKE-SCRIPTS file. + +if (POLICY CMP0063) + cmake_policy(SET CMP0063 NEW) +endif (POLICY CMP0063) + +include_directories($ + $ + $ + + $ + $ + $ + $ +) + +set(printplugin_SRCS + ${CMAKE_CURRENT_SOURCE_DIR}/print/printhelper.cpp + ${CMAKE_CURRENT_SOURCE_DIR}/print/printoptionspage.cpp + ${CMAKE_CURRENT_SOURCE_DIR}/print/printconfig.cpp + ${CMAKE_CURRENT_SOURCE_DIR}/print/printplugin.cpp +) + +ki18n_wrap_ui(printplugin_SRCS + ${CMAKE_CURRENT_SOURCE_DIR}/print/printoptionspage.ui +) + +DIGIKAM_ADD_EDITOR_PLUGIN(PrintTool ${printplugin_SRCS}) diff --git a/core/utilities/imageeditor/printiface/printconfig.cpp b/core/dplugins/editor/file/print/printconfig.cpp similarity index 100% rename from core/utilities/imageeditor/printiface/printconfig.cpp rename to core/dplugins/editor/file/print/printconfig.cpp diff --git a/core/utilities/imageeditor/printiface/printconfig.h b/core/dplugins/editor/file/print/printconfig.h similarity index 100% rename from core/utilities/imageeditor/printiface/printconfig.h rename to core/dplugins/editor/file/print/printconfig.h diff --git a/core/utilities/imageeditor/printiface/printhelper.cpp b/core/dplugins/editor/file/print/printhelper.cpp similarity index 100% rename from core/utilities/imageeditor/printiface/printhelper.cpp rename to core/dplugins/editor/file/print/printhelper.cpp diff --git a/core/utilities/imageeditor/printiface/printhelper.h b/core/dplugins/editor/file/print/printhelper.h similarity index 100% rename from core/utilities/imageeditor/printiface/printhelper.h rename to core/dplugins/editor/file/print/printhelper.h diff --git a/core/utilities/imageeditor/printiface/printoptionspage.cpp b/core/dplugins/editor/file/print/printoptionspage.cpp similarity index 100% rename from core/utilities/imageeditor/printiface/printoptionspage.cpp rename to core/dplugins/editor/file/print/printoptionspage.cpp diff --git a/core/utilities/imageeditor/printiface/printoptionspage.h b/core/dplugins/editor/file/print/printoptionspage.h similarity index 100% rename from core/utilities/imageeditor/printiface/printoptionspage.h rename to core/dplugins/editor/file/print/printoptionspage.h diff --git a/core/utilities/imageeditor/printiface/printoptionspage.ui b/core/dplugins/editor/file/print/printoptionspage.ui similarity index 100% rename from core/utilities/imageeditor/printiface/printoptionspage.ui rename to core/dplugins/editor/file/print/printoptionspage.ui diff --git a/core/dplugins/editor/file/print/printplugin.cpp b/core/dplugins/editor/file/print/printplugin.cpp new file mode 100644 index 0000000000..89c8432e1b --- /dev/null +++ b/core/dplugins/editor/file/print/printplugin.cpp @@ -0,0 +1,122 @@ +/* ============================================================ + * + * This file is a part of digiKam project + * http://www.digikam.org + * + * Date : 2018-07-30 + * Description : image editor plugin to print an image + * + * Copyright (C) 2018-2019 by Gilles Caulier + * + * 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, 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. + * + * ============================================================ */ + +#include "printplugin.h" + +// Qt includes + +#include + +// KDE includes + +#include + +// Local includes + +#include "imageiface.h" +#include "editorwindow.h" +#include "printhelper.h" + +namespace Digikam +{ + +PrintToolPlugin::PrintToolPlugin(QObject* const parent) + : DPluginEditor(parent) +{ +} + +PrintToolPlugin::~PrintToolPlugin() +{ +} + +QString PrintToolPlugin::name() const +{ + return i18n("Print Image"); +} + +QString PrintToolPlugin::iid() const +{ + return QLatin1String(DPLUGIN_IID); +} + +QIcon PrintToolPlugin::icon() const +{ + return QIcon::fromTheme(QLatin1String("document-print-frame")); +} + +QString PrintToolPlugin::description() const +{ + return i18n("A tool to print an image"); +} + +QString PrintToolPlugin::details() const +{ + return i18n("

This Image Editor tool can print an image.

"); +} + +QList PrintToolPlugin::authors() const +{ + return QList() + << DPluginAuthor(QLatin1String("Angelo Naselli"), + QLatin1String("anaselli at linux dot it"), + QLatin1String("(C) 2009")) + << DPluginAuthor(QLatin1String("Gilles Caulier"), + QLatin1String("caulier dot gilles at gmail dot com"), + QLatin1String("(C) 2009-2019")) + ; +} + +void PrintToolPlugin::setup(QObject* const parent) +{ + DPluginAction* const ac = new DPluginAction(parent); + ac->setIcon(icon()); + ac->setText(i18nc("@action", "Print Image...")); + ac->setObjectName(QLatin1String("editorwindow_print")); + ac->setShortcut(Qt::CTRL + Qt::Key_P); + ac->setActionCategory(DPluginAction::EditorFile); + + connect(ac, SIGNAL(triggered(bool)), + this, SLOT(slotPrint())); + + addAction(ac); +} + +void PrintToolPlugin::slotPrint() +{ + EditorWindow* const editor = dynamic_cast(sender()->parent()); + + if (editor) + { + ImageIface iface; + DImg* const image = iface.original(); + + if (!image || image->isNull()) + { + return; + } + + PrintHelper printHelp(editor); + printHelp.print(*image); + } +} + +} // namespace Digikam diff --git a/core/dplugins/editor/file/print/printplugin.h b/core/dplugins/editor/file/print/printplugin.h new file mode 100644 index 0000000000..ecdc5037d3 --- /dev/null +++ b/core/dplugins/editor/file/print/printplugin.h @@ -0,0 +1,62 @@ +/* ============================================================ + * + * This file is a part of digiKam project + * http://www.digikam.org + * + * Date : 2018-07-30 + * Description : image editor plugin to print an image + * + * Copyright (C) 2018-2019 by Gilles Caulier + * + * 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, 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. + * + * ============================================================ */ + +#ifndef DIGIKAM_PRINTTOOL_PLUGIN_H +#define DIGIKAM_PRINTTOOL_PLUGIN_H + +// Local includes + +#include "dplugineditor.h" + +#define DPLUGIN_IID "org.kde.digikam.plugin.editor.PrintTool" + +namespace Digikam +{ + +class PrintToolPlugin : public DPluginEditor +{ + Q_OBJECT + Q_PLUGIN_METADATA(IID DPLUGIN_IID) + Q_INTERFACES(Digikam::DPluginEditor) + +public: + + explicit PrintToolPlugin(QObject* const parent = 0); + ~PrintToolPlugin(); + + QString name() const override; + QString iid() const override; + QIcon icon() const override; + QString details() const override; + QString description() const override; + QList authors() const override; + + void setup(QObject* const); + +private Q_SLOTS: + + void slotPrint(); +}; + +} // namespace Digikam + +#endif // DIGIKAM_PRINTTOOL_PLUGIN_H diff --git a/core/libs/dplugins/core/dpluginaction.cpp b/core/libs/dplugins/core/dpluginaction.cpp index deb39c1f6c..09e831657a 100644 --- a/core/libs/dplugins/core/dpluginaction.cpp +++ b/core/libs/dplugins/core/dpluginaction.cpp @@ -1,140 +1,143 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2018-07-30 * Description : action container for external plugin * * Copyright (C) 2018-2019 by Gilles Caulier * * 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, 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. * * ============================================================ */ #include "dpluginaction.h" // Qt includes #include // KDE includes #include // Local includes #include "digikam_debug.h" namespace Digikam { DPluginAction::DPluginAction(QObject* const parent) : QAction(parent) { } DPluginAction::~DPluginAction() { } DPluginAction::ActionType DPluginAction::actionType() const { switch (actionCategory()) { case GenericExport: case GenericImport: case GenericTool: case GenericMetadata: case GenericView: return Generic; + case EditorFile: case EditorColor: case EditorEnhance: case EditorTransform: case EditorDecorate: case EditorFilters: return Editor; default: break; } return InvalidType; } void DPluginAction::setActionCategory(ActionCategory cat) { setProperty("DPluginActionCategory", (int)cat); } DPluginAction::ActionCategory DPluginAction::actionCategory() const { bool b = false; int v = property("DPluginActionCategory").toInt(&b); if (b) return (ActionCategory)v; return InvalidCat; } QString DPluginAction::actionCategoryToString() const { switch (actionCategory()) { case GenericExport: return i18n("Export"); case GenericImport: return i18n("Import"); case GenericTool: return i18n("Tool"); case GenericMetadata: return i18n("Metadata"); case GenericView: return i18n("View"); + case EditorFile: + return i18n("File"); case EditorColor: return i18n("Color"); case EditorEnhance: return i18n("Enhance"); case EditorTransform: return i18n("Transform"); case EditorDecorate: return i18n("Decorate"); case EditorFilters: return i18n("Effects"); default: break; } return i18n("Invalid"); } QString DPluginAction::xmlSection() const { return QString::fromLatin1("\n").arg(objectName()); } QString DPluginAction::toString() const { return QString::fromUtf8("%1: \"%2\" - %3").arg(objectName()) .arg(text()) .arg(actionCategoryToString()); } QString DPluginAction::pluginId() const { return property("DPluginId").toString(); } } // namespace Digikam diff --git a/core/libs/dplugins/core/dpluginaction.h b/core/libs/dplugins/core/dpluginaction.h index 7e6b63cd15..5d439fa301 100644 --- a/core/libs/dplugins/core/dpluginaction.h +++ b/core/libs/dplugins/core/dpluginaction.h @@ -1,106 +1,107 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2018-07-30 * Description : action container for external plugin * * Copyright (C) 2018-2019 by Gilles Caulier * * 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, 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. * * ============================================================ */ #ifndef DIGIKAM_DPLUGIN_ACTION_H #define DIGIKAM_DPLUGIN_ACTION_H // Qt includes #include #include // Local includes #include "digikam_export.h" namespace Digikam { class DIGIKAM_EXPORT DPluginAction : public QAction { public: /// Plugin action types to resume where they can be used. enum ActionType { InvalidType = -1, Generic = 0, /// Generic action available everywhere (AlbumView, Editor, and LightTable). Editor /// Specific action for Image Editor and Showfoto. }; /// Plugin action categories. enum ActionCategory { InvalidCat = -1, GenericExport = 0, /// Generic export action. GenericImport, /// Generic import action. GenericTool, /// Generic processing action. GenericMetadata, /// Generic Metadata adjustement action. GenericView, /// Generic View action (as Slideshow). + EditorFile, /// Image Editor file action. EditorColor, /// Image Editor color correction action. EditorEnhance, /// Image Editor enhance action. EditorTransform, /// Image Editor transform action. EditorDecorate, /// Image Editor decorate action. EditorFilters /// Image Editor special effects action. }; public: explicit DPluginAction(QObject* const parent = 0); ~DPluginAction(); /** * Manage the internal action category. */ void setActionCategory(ActionCategory cat); ActionCategory actionCategory() const; QString actionCategoryToString() const; /** * Return the action type depending of category. */ ActionType actionType() const; /** * Return the plugin id string hosting this action. */ QString pluginId() const; /** * Return the XML section to merge in KXMLGUIClient host XML definition. */ QString xmlSection() const; /** * Return details as string about action properties. * For debug purpose only. */ QString toString() const; }; } // namespace Digikam #endif // DIGIKAM_DPLUGIN_ACTION_H diff --git a/core/showfoto/main/showfoto.h b/core/showfoto/main/showfoto.h index 6c94ea9d2f..2216c8c627 100644 --- a/core/showfoto/main/showfoto.h +++ b/core/showfoto/main/showfoto.h @@ -1,177 +1,173 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2004-11-22 * Description : stand alone digiKam image editor GUI * * Copyright (C) 2004-2019 by Gilles Caulier * Copyright (C) 2006-2012 by Marcel Wiesweg * Copyright (C) 2009-2011 by Andi Clemens * Copyright (C) 2004-2005 by Renchi Raju * Copyright (C) 2005-2006 by Tom Albers * * 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, 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. * * ============================================================ */ #ifndef SHOW_FOTO_H #define SHOW_FOTO_H // Qt includes #include // Local includes #include "editorwindow.h" #include "showfotoiteminfo.h" namespace ShowFoto { class ShowFoto : public Digikam::EditorWindow { Q_OBJECT public: explicit ShowFoto(const QList& urlList); ~ShowFoto(); public: DInfoInterface* infoIface(DPluginAction* const ac); virtual void show(); private: bool queryClose(); bool save(); bool saveAs(); void moveFile(); void finishSaving(bool success); QUrl saveDestinationUrl(); bool saveNewVersion(); bool saveCurrentVersion(); bool saveNewVersionAs(); bool saveNewVersionInFormat(const QString&); void saveIsComplete(); void saveAsIsComplete(); void saveVersionIsComplete(); void openFolder(const QUrl& url); void openUrls(const QList& urls); Digikam::ThumbBarDock* thumbBar() const; Digikam::Sidebar* rightSideBar() const; private Q_SLOTS: void slotForward(); void slotBackward(); void slotLast(); void slotFirst(); void slotFileWithDefaultApplication(); void slotOpenWith(QAction* action=0); void slotShowfotoItemInfoActivated(const ShowfotoItemInfo& info); void slotOpenFile(); void slotOpenFolder(); void slotOpenUrl(const ShowfotoItemInfo& info); void slotDroppedUrls(const QList& droppedUrls, bool dropped); void slotDeleteCurrentItem(); void slotChanged(); void slotUpdateItemInfo(); void slotPrepareToLoad(); void slotLoadingStarted(const QString& filename); void slotLoadingFinished(const QString& filename, bool success); void slotSavingStarted(const QString& filename); void slotRevert(); void slotAddedDropedItems(QDropEvent*); Q_SIGNALS: void signalLoadCurrentItem(const QList& urlList); void signalOpenFolder(const QUrl&); void signalOpenFile(const QList& urls); void signalInfoList(ShowfotoItemInfoList&); // -- Internal setup methods implemented in showfoto_config.cpp ---------------------------------------- public Q_SLOTS: void slotSetup(); void slotSetupICC(); private: bool setup(bool iccSetupPage=false); void applySettings(); void readSettings(); void saveSettings(); private Q_SLOTS: void slotSetupMetadataFilters(int); // -- Internal setup methods implemented in showfoto_setup.cpp ---------------------------------------- private: void setupActions(); void setupConnections(); void setupUserArea(); void toggleActions(bool val); void toggleNavigation(int index); void addServicesMenu(); private Q_SLOTS: void slotContextMenu(); // -- Extra tool methods implemented in showfoto_tools.cpp ---------------------------------------- -private Q_SLOTS: - - void slotFilePrint(); - private: void slideShow(Digikam::SlideShowSettings& settings); // -- Import tools methods implemented in showfoto_import.cpp ------------------------------------- private Q_SLOTS: void slotImportedImagefromScanner(const QUrl& url); // -- Internal private container -------------------------------------------------------------------- private: class Private; Private* const d; }; } // namespace ShowFoto #endif // SHOW_FOTO_H diff --git a/core/showfoto/main/showfoto_tools.cpp b/core/showfoto/main/showfoto_tools.cpp index db9eed915d..fcf6d1b0d1 100644 --- a/core/showfoto/main/showfoto_tools.cpp +++ b/core/showfoto/main/showfoto_tools.cpp @@ -1,80 +1,75 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2004-11-22 * Description : stand alone digiKam image editor - extra tools * * Copyright (C) 2004-2019 by Gilles Caulier * * 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, 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. * * ============================================================ */ #include "showfoto.h" #include "showfoto_p.h" namespace ShowFoto { void ShowFoto::slideShow(Digikam::SlideShowSettings& settings) { if (!d->thumbBar->showfotoItemInfos().size()) { return; } settings.exifRotate = Digikam::MetaEngineSettings::instance()->settings().exifRotate; settings.fileList = d->thumbBar->urls(); int i = 0; float cnt = settings.fileList.count(); m_cancelSlideShow = false; Digikam::DMetadata meta; m_nameLabel->setProgressBarMode(Digikam::StatusProgressBar::CancelProgressBarMode, i18n("Preparing slideshow. Please wait...")); for (QList::ConstIterator it = settings.fileList.constBegin() ; !m_cancelSlideShow && (it != settings.fileList.constEnd()) ; ++it) { Digikam::SlidePictureInfo pictInfo; meta.load((*it).toLocalFile()); pictInfo.comment = meta.getItemComments()[QLatin1String("x-default")].caption; pictInfo.photoInfo = meta.getPhotographInformation(); settings.pictInfoMap.insert(*it, pictInfo); m_nameLabel->setProgressValue((int)((i++/cnt)*100.0f)); qApp->processEvents(); } m_nameLabel->setProgressBarMode(Digikam::StatusProgressBar::TextMode, QString()); if (!m_cancelSlideShow) { QPointer slide = new Digikam::SlideShow(settings); if (settings.startWithCurrent) { slide->setCurrentItem(d->thumbBar->currentUrl()); } slide->show(); } } -void ShowFoto::slotFilePrint() -{ - printImage(d->thumbBar->currentUrl()); -} - } // namespace ShowFoto diff --git a/core/utilities/imageeditor/CMakeLists.txt b/core/utilities/imageeditor/CMakeLists.txt index d6be4f6fd4..c4b7d7b9f2 100644 --- a/core/utilities/imageeditor/CMakeLists.txt +++ b/core/utilities/imageeditor/CMakeLists.txt @@ -1,103 +1,92 @@ # # Copyright (c) 2010-2019 by Gilles Caulier, # Copyright (c) 2015 by Veaceslav Munteanu, # # Redistribution and use is allowed according to the terms of the BSD license. # For details see the accompanying COPYING-CMAKE-SCRIPTS file. if (POLICY CMP0063) cmake_policy(SET CMP0063 NEW) endif (POLICY CMP0063) include_directories($ $ $ $ $ $ $ $ $ $ $ ) if(KF5KIO_FOUND) include_directories($) endif() if(Gphoto2_FOUND) include_directories(${GPHOTO2_INCLUDE_DIRS}) endif() set(libeditorwidgets_SRCS widgets/imageguidewidget.cpp widgets/imagepreviewitem.cpp widgets/previewtoolbar.cpp widgets/previewlist.cpp widgets/imageregionwidget.cpp widgets/imageregionitem.cpp widgets/rubberitem.cpp widgets/canvas.cpp ) set(libeditordlg_SRCS dialogs/colorcorrectiondlg.cpp dialogs/softproofdialog.cpp dialogs/versioningpromptusersavedlg.cpp ) set(libeditorgui_SRCS main/imagewindow.cpp main/imagewindow_setup.cpp main/imagewindow_config.cpp main/imagewindow_tools.cpp main/imagewindow_import.cpp ) install(FILES main/imageeditorui5.rc DESTINATION ${KXMLGUI_INSTALL_DIR}/digikam) set(libeditorcore_SRCS core/undocache.cpp core/undoaction.cpp core/undomanager.cpp core/editorcore.cpp core/iccpostloadingmanager.cpp ) -set(libeditorprintiface_SRCS - printiface/printhelper.cpp - printiface/printoptionspage.cpp - printiface/printconfig.cpp -) - -ki18n_wrap_ui(libeditorprintiface_SRCS - printiface/printoptionspage.ui -) - set(libeditorrawimport_SRCS rawimport/rawimport.cpp rawimport/rawpreview.cpp rawimport/rawsettingsbox.cpp ) set(libeditoriface_SRCS editor/editortool.cpp editor/editortooliface.cpp editor/editorstackview.cpp editor/editortoolsettings.cpp editor/editorwindow.cpp editor/imageiface.cpp ) # this lib is used to build digikam core add_library(imageeditor_src OBJECT ${libeditorcore_SRCS} ${libeditordlg_SRCS} ${libeditoriface_SRCS} - ${libeditorprintiface_SRCS} ${libeditorrawimport_SRCS} ${libeditorwidgets_SRCS} ) add_library(imageeditorgui_src OBJECT ${libeditorgui_SRCS}) diff --git a/core/utilities/imageeditor/editor/editorwindow.cpp b/core/utilities/imageeditor/editor/editorwindow.cpp index ac94288625..52fa2e1f63 100644 --- a/core/utilities/imageeditor/editor/editorwindow.cpp +++ b/core/utilities/imageeditor/editor/editorwindow.cpp @@ -1,3136 +1,3120 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2006-01-20 * Description : core image editor GUI implementation * * Copyright (C) 2006-2019 by Gilles Caulier * Copyright (C) 2009-2011 by Andi Clemens * Copyright (C) 2015 by Mohamed_Anwer * * 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, 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. * * ============================================================ */ #include "editorwindow.h" #include "editorwindow_p.h" // C++ includes #include // Qt includes #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include // KDE includes #include #include #include #include #include #include #include #include #include #ifdef HAVE_KIO # include #endif // Local includes #include "digikam_debug.h" #include "digikam_globals.h" #include "dmessagebox.h" #include "applicationsettings.h" #include "actioncategorizedview.h" #include "canvas.h" #include "categorizeditemmodel.h" #include "colorcorrectiondlg.h" #include "editorcore.h" #include "dlogoaction.h" #include "dmetadata.h" #include "dzoombar.h" #include "drawdecoderwidget.h" #include "editorstackview.h" #include "editortool.h" #include "editortoolsettings.h" #include "editortooliface.h" #include "exposurecontainer.h" #include "dfileoperations.h" #include "filereadwritelock.h" #include "filesaveoptionsbox.h" #include "filesaveoptionsdlg.h" #include "iccpostloadingmanager.h" #include "iccsettings.h" #include "iccsettingscontainer.h" #include "icctransform.h" #include "imagedialog.h" #include "iofilesettings.h" #include "metaenginesettings.h" #include "libsinfodlg.h" #include "loadingcacheinterface.h" -#include "printhelper.h" #include "jpegsettings.h" #include "pngsettings.h" #include "savingcontext.h" #include "sidebar.h" #include "slideshowsettings.h" #include "softproofdialog.h" #include "statusprogressbar.h" #include "thememanager.h" #include "thumbnailsize.h" #include "thumbnailloadthread.h" #include "versioningpromptusersavedlg.h" #include "undostate.h" #include "versionmanager.h" #include "dfiledialog.h" #include "dexpanderbox.h" #include "imageiface.h" #include "invertfilter.h" namespace Digikam { EditorWindow::EditorWindow(const QString& name) : DXmlGuiWindow(0), d(new Private) { setConfigGroupName(QLatin1String("ImageViewer Settings")); setObjectName(name); setWindowFlags(Qt::Window); setFullScreenOptions(FS_EDITOR); m_nonDestructive = true; m_contextMenu = 0; m_servicesMenu = 0; m_serviceAction = 0; m_canvas = 0; m_openVersionAction = 0; m_saveAction = 0; m_saveAsAction = 0; m_saveCurrentVersionAction = 0; m_saveNewVersionAction = 0; m_saveNewVersionAsAction = 0; m_saveNewVersionInFormatAction = 0; m_resLabel = 0; m_nameLabel = 0; m_exportAction = 0; m_revertAction = 0; m_discardChangesAction = 0; m_fileDeleteAction = 0; m_forwardAction = 0; m_backwardAction = 0; m_firstAction = 0; m_lastAction = 0; m_applyToolAction = 0; m_closeToolAction = 0; m_undoAction = 0; m_redoAction = 0; m_showBarAction = 0; m_splitter = 0; m_vSplitter = 0; m_stackView = 0; m_setExifOrientationTag = true; m_editingOriginalImage = true; m_actionEnabledState = false; m_cancelSlideShow = false; // Settings containers instance. d->exposureSettings = new ExposureSettingsContainer(); d->toolIface = new EditorToolIface(this); m_IOFileSettings = new IOFileSettings(); //d->waitingLoop = new QEventLoop(this); } EditorWindow::~EditorWindow() { delete m_canvas; delete m_IOFileSettings; delete d->toolIface; delete d->exposureSettings; delete d; } EditorStackView* EditorWindow::editorStackView() const { return m_stackView; } ExposureSettingsContainer* EditorWindow::exposureSettings() const { return d->exposureSettings; } void EditorWindow::setupContextMenu() { m_contextMenu = new QMenu(this); addAction2ContextMenu(QLatin1String("editorwindow_fullscreen"), true); addAction2ContextMenu(QLatin1String("options_show_menubar"), true); m_contextMenu->addSeparator(); // -------------------------------------------------------- addAction2ContextMenu(QLatin1String("editorwindow_backward"), true); addAction2ContextMenu(QLatin1String("editorwindow_forward"), true); m_contextMenu->addSeparator(); // -------------------------------------------------------- addAction2ContextMenu(QLatin1String("editorwindow_slideshow"), true); addAction2ContextMenu(QLatin1String("editorwindow_transform_rotateleft"), true); addAction2ContextMenu(QLatin1String("editorwindow_transform_rotateright"), true); addAction2ContextMenu(QLatin1String("editorwindow_transform_crop"), true); m_contextMenu->addSeparator(); // -------------------------------------------------------- addAction2ContextMenu(QLatin1String("editorwindow_delete"), true); } void EditorWindow::setupStandardConnections() { connect(m_stackView, SIGNAL(signalToggleOffFitToWindow()), this, SLOT(slotToggleOffFitToWindow())); // -- Canvas connections ------------------------------------------------ connect(m_canvas, SIGNAL(signalShowNextImage()), this, SLOT(slotForward())); connect(m_canvas, SIGNAL(signalShowPrevImage()), this, SLOT(slotBackward())); connect(m_canvas, SIGNAL(signalRightButtonClicked()), this, SLOT(slotContextMenu())); connect(m_stackView, SIGNAL(signalZoomChanged(bool,bool,double)), this, SLOT(slotZoomChanged(bool,bool,double))); connect(m_canvas, SIGNAL(signalChanged()), this, SLOT(slotChanged())); connect(m_canvas, SIGNAL(signalAddedDropedItems(QDropEvent*)), this, SLOT(slotAddedDropedItems(QDropEvent*))); connect(m_canvas->interface(), SIGNAL(signalUndoStateChanged()), this, SLOT(slotUndoStateChanged())); connect(m_canvas, SIGNAL(signalSelected(bool)), this, SLOT(slotSelected(bool))); connect(m_canvas, SIGNAL(signalPrepareToLoad()), this, SLOT(slotPrepareToLoad())); connect(m_canvas, SIGNAL(signalLoadingStarted(QString)), this, SLOT(slotLoadingStarted(QString))); connect(m_canvas, SIGNAL(signalLoadingFinished(QString,bool)), this, SLOT(slotLoadingFinished(QString,bool))); connect(m_canvas, SIGNAL(signalLoadingProgress(QString,float)), this, SLOT(slotLoadingProgress(QString,float))); connect(m_canvas, SIGNAL(signalSavingStarted(QString)), this, SLOT(slotSavingStarted(QString))); connect(m_canvas, SIGNAL(signalSavingFinished(QString,bool)), this, SLOT(slotSavingFinished(QString,bool))); connect(m_canvas, SIGNAL(signalSavingProgress(QString,float)), this, SLOT(slotSavingProgress(QString,float))); connect(m_canvas, SIGNAL(signalSelectionChanged(QRect)), this, SLOT(slotSelectionChanged(QRect))); connect(m_canvas, SIGNAL(signalSelectionSetText(QRect)), this, SLOT(slotSelectionSetText(QRect))); connect(m_canvas->interface(), SIGNAL(signalFileOriginChanged(QString)), this, SLOT(slotFileOriginChanged(QString))); // -- status bar connections -------------------------------------- connect(m_nameLabel, SIGNAL(signalCancelButtonPressed()), this, SLOT(slotNameLabelCancelButtonPressed())); connect(m_nameLabel, SIGNAL(signalCancelButtonPressed()), d->toolIface, SLOT(slotToolAborted())); // -- Icc settings connections -------------------------------------- connect(IccSettings::instance(), SIGNAL(settingsChanged()), this, SLOT(slotColorManagementOptionsChanged())); } void EditorWindow::setupStandardActions() { // -- Standard 'File' menu actions --------------------------------------------- KActionCollection* const ac = actionCollection(); m_backwardAction = buildStdAction(StdBackAction, this, SLOT(slotBackward()), this); ac->addAction(QLatin1String("editorwindow_backward"), m_backwardAction); ac->setDefaultShortcuts(m_backwardAction, QList() << Qt::Key_PageUp << Qt::Key_Backspace << Qt::Key_Up << Qt::Key_Left); m_backwardAction->setEnabled(false); m_forwardAction = buildStdAction(StdForwardAction, this, SLOT(slotForward()), this); ac->addAction(QLatin1String("editorwindow_forward"), m_forwardAction); ac->setDefaultShortcuts(m_forwardAction, QList() << Qt::Key_PageDown << Qt::Key_Space << Qt::Key_Down << Qt::Key_Right); m_forwardAction->setEnabled(false); m_firstAction = new QAction(QIcon::fromTheme(QLatin1String("go-first")), i18n("&First"), this); connect(m_firstAction, SIGNAL(triggered()), this, SLOT(slotFirst())); ac->addAction(QLatin1String("editorwindow_first"), m_firstAction); ac->setDefaultShortcuts(m_firstAction, QList() << Qt::CTRL + Qt::Key_Home); m_firstAction->setEnabled(false); m_lastAction = new QAction(QIcon::fromTheme(QLatin1String("go-last")), i18n("&Last"), this); connect(m_lastAction, SIGNAL(triggered()), this, SLOT(slotLast())); ac->addAction(QLatin1String("editorwindow_last"), m_lastAction); ac->setDefaultShortcuts(m_lastAction, QList() << Qt::CTRL + Qt::Key_End); m_lastAction->setEnabled(false); m_openVersionAction = new QAction(QIcon::fromTheme(QLatin1String("view-preview")), i18nc("@action", "Open Original"), this); connect(m_openVersionAction, SIGNAL(triggered()), this, SLOT(slotOpenOriginal())); ac->addAction(QLatin1String("editorwindow_openversion"), m_openVersionAction); ac->setDefaultShortcuts(m_openVersionAction, QList() << Qt::CTRL + Qt::Key_End); m_saveAction = buildStdAction(StdSaveAction, this, SLOT(saveOrSaveAs()), this); ac->addAction(QLatin1String("editorwindow_save"), m_saveAction); m_saveAsAction = buildStdAction(StdSaveAsAction, this, SLOT(saveAs()), this); ac->addAction(QLatin1String("editorwindow_saveas"), m_saveAsAction); m_saveCurrentVersionAction = new QAction(QIcon::fromTheme(QLatin1String("dialog-ok-apply")), i18nc("@action Save changes to current version", "Save Changes"), this); m_saveCurrentVersionAction->setToolTip(i18nc("@info:tooltip", "Save the modifications to the current version of the file")); connect(m_saveCurrentVersionAction, SIGNAL(triggered()), this, SLOT(saveCurrentVersion())); ac->addAction(QLatin1String("editorwindow_savecurrentversion"), m_saveCurrentVersionAction); m_saveNewVersionAction = new KToolBarPopupAction(QIcon::fromTheme(QLatin1String("list-add")), i18nc("@action Save changes to a newly created version", "Save As New Version"), this); m_saveNewVersionAction->setToolTip(i18nc("@info:tooltip", "Save the current modifications to a new version of the file")); connect(m_saveNewVersionAction, SIGNAL(triggered()), this, SLOT(saveNewVersion())); ac->addAction(QLatin1String("editorwindow_savenewversion"), m_saveNewVersionAction); QAction* const m_saveNewVersionAsAction = new QAction(QIcon::fromTheme(QLatin1String("document-save-as")), i18nc("@action Save changes to a newly created version, specifying the filename and format", "Save New Version As..."), this); m_saveNewVersionAsAction->setToolTip(i18nc("@info:tooltip", "Save the current modifications to a new version of the file, " "specifying the filename and format")); connect(m_saveNewVersionAsAction, SIGNAL(triggered()), this, SLOT(saveNewVersionAs())); m_saveNewVersionInFormatAction = new QMenu(i18nc("@action Save As New Version...Save in format...", "Save in Format"), this); m_saveNewVersionInFormatAction->setIcon(QIcon::fromTheme(QLatin1String("view-preview"))); d->plugNewVersionInFormatAction(this, m_saveNewVersionInFormatAction, i18nc("@action:inmenu", "JPEG"), QLatin1String("JPG")); d->plugNewVersionInFormatAction(this, m_saveNewVersionInFormatAction, i18nc("@action:inmenu", "TIFF"), QLatin1String("TIFF")); d->plugNewVersionInFormatAction(this, m_saveNewVersionInFormatAction, i18nc("@action:inmenu", "PNG"), QLatin1String("PNG")); d->plugNewVersionInFormatAction(this, m_saveNewVersionInFormatAction, i18nc("@action:inmenu", "PGF"), QLatin1String("PGF")); #ifdef HAVE_JASPER d->plugNewVersionInFormatAction(this, m_saveNewVersionInFormatAction, i18nc("@action:inmenu", "JPEG 2000"), QLatin1String("JP2")); #endif // HAVE_JASPER m_saveNewVersionAction->menu()->addAction(m_saveNewVersionAsAction); m_saveNewVersionAction->menu()->addAction(m_saveNewVersionInFormatAction->menuAction()); // This also triggers saveAs, but in the context of non-destructive we want a slightly different appearance m_exportAction = new QAction(QIcon::fromTheme(QLatin1String("document-export")), i18nc("@action", "Export"), this); m_exportAction->setToolTip(i18nc("@info:tooltip", "Save the file in a folder outside your collection")); connect(m_exportAction, SIGNAL(triggered()), this, SLOT(saveAs())); ac->addAction(QLatin1String("editorwindow_export"), m_exportAction); ac->setDefaultShortcut(m_exportAction, Qt::CTRL + Qt::SHIFT + Qt::Key_E); // NOTE: Gimp shortcut m_revertAction = buildStdAction(StdRevertAction, this, SLOT(slotRevert()), this); ac->addAction(QLatin1String("editorwindow_revert"), m_revertAction); m_discardChangesAction = new QAction(QIcon::fromTheme(QLatin1String("task-reject")), i18nc("@action", "Discard Changes"), this); m_discardChangesAction->setToolTip(i18nc("@info:tooltip", "Discard all current changes to this file")); connect(m_discardChangesAction, SIGNAL(triggered()), this, SLOT(slotDiscardChanges())); ac->addAction(QLatin1String("editorwindow_discardchanges"), m_discardChangesAction); m_openVersionAction->setEnabled(false); m_saveAction->setEnabled(false); m_saveAsAction->setEnabled(false); m_saveCurrentVersionAction->setEnabled(false); m_saveNewVersionAction->setEnabled(false); m_revertAction->setEnabled(false); m_discardChangesAction->setEnabled(false); - d->filePrintAction = new QAction(QIcon::fromTheme(QLatin1String("document-print-frame")), i18n("Print Image..."), this); - connect(d->filePrintAction, SIGNAL(triggered()), this, SLOT(slotFilePrint())); - ac->addAction(QLatin1String("editorwindow_print"), d->filePrintAction); - ac->setDefaultShortcut(d->filePrintAction, Qt::CTRL + Qt::Key_P); - d->filePrintAction->setEnabled(false); - d->openWithAction = new QAction(QIcon::fromTheme(QLatin1String("preferences-desktop-filetype-association")), i18n("Open With Default Application"), this); d->openWithAction->setWhatsThis(i18n("Open the item with default assigned application.")); connect(d->openWithAction, SIGNAL(triggered()), this, SLOT(slotFileWithDefaultApplication())); ac->addAction(QLatin1String("open_with_default_application"), d->openWithAction); ac->setDefaultShortcut(d->openWithAction, Qt::META + Qt::Key_F4); d->openWithAction->setEnabled(false); m_fileDeleteAction = new QAction(QIcon::fromTheme(QLatin1String("user-trash-full")), i18nc("Non-pluralized", "Move to Trash"), this); connect(m_fileDeleteAction, SIGNAL(triggered()), this, SLOT(slotDeleteCurrentItem())); ac->addAction(QLatin1String("editorwindow_delete"), m_fileDeleteAction); ac->setDefaultShortcut(m_fileDeleteAction, Qt::Key_Delete); m_fileDeleteAction->setEnabled(false); QAction* const closeAction = buildStdAction(StdCloseAction, this, SLOT(close()), this); ac->addAction(QLatin1String("editorwindow_close"), closeAction); // -- Standard 'Edit' menu actions --------------------------------------------- d->copyAction = buildStdAction(StdCopyAction, m_canvas, SLOT(slotCopy()), this); ac->addAction(QLatin1String("editorwindow_copy"), d->copyAction); d->copyAction->setEnabled(false); m_undoAction = new KToolBarPopupAction(QIcon::fromTheme(QLatin1String("edit-undo")), i18n("Undo"), this); m_undoAction->setEnabled(false); ac->addAction(QLatin1String("editorwindow_undo"), m_undoAction); ac->setDefaultShortcuts(m_undoAction, QList() << Qt::CTRL + Qt::Key_Z); connect(m_undoAction->menu(), SIGNAL(aboutToShow()), this, SLOT(slotAboutToShowUndoMenu())); // we are using a signal mapper to identify which of a bunch of actions was triggered d->undoSignalMapper = new QSignalMapper(this); // connect mapper to view connect(d->undoSignalMapper, SIGNAL(mapped(int)), m_canvas, SLOT(slotUndo(int))); // connect simple undo action connect(m_undoAction, SIGNAL(triggered()), d->undoSignalMapper, SLOT(map())); d->undoSignalMapper->setMapping(m_undoAction, 1); m_redoAction = new KToolBarPopupAction(QIcon::fromTheme(QLatin1String("edit-redo")), i18n("Redo"), this); m_redoAction->setEnabled(false); ac->addAction(QLatin1String("editorwindow_redo"), m_redoAction); ac->setDefaultShortcuts(m_redoAction, QList() << Qt::CTRL + Qt::SHIFT + Qt::Key_Z); connect(m_redoAction->menu(), SIGNAL(aboutToShow()), this, SLOT(slotAboutToShowRedoMenu())); d->redoSignalMapper = new QSignalMapper(this); connect(d->redoSignalMapper, SIGNAL(mapped(int)), m_canvas, SLOT(slotRedo(int))); connect(m_redoAction, SIGNAL(triggered()), d->redoSignalMapper, SLOT(map())); d->redoSignalMapper->setMapping(m_redoAction, 1); d->selectAllAction = new QAction(i18nc("Create a selection containing the full image", "Select All"), this); connect(d->selectAllAction, SIGNAL(triggered()), m_canvas, SLOT(slotSelectAll())); ac->addAction(QLatin1String("editorwindow_selectAll"), d->selectAllAction); ac->setDefaultShortcut(d->selectAllAction, Qt::CTRL + Qt::Key_A); d->selectNoneAction = new QAction(i18n("Select None"), this); connect(d->selectNoneAction, SIGNAL(triggered()), m_canvas, SLOT(slotSelectNone())); ac->addAction(QLatin1String("editorwindow_selectNone"), d->selectNoneAction); ac->setDefaultShortcut(d->selectNoneAction, Qt::CTRL + Qt::SHIFT + Qt::Key_A); // -- Standard 'View' menu actions --------------------------------------------- d->zoomPlusAction = buildStdAction(StdZoomInAction, this, SLOT(slotIncreaseZoom()), this); ac->addAction(QLatin1String("editorwindow_zoomplus"), d->zoomPlusAction); d->zoomMinusAction = buildStdAction(StdZoomOutAction, this, SLOT(slotDecreaseZoom()), this); ac->addAction(QLatin1String("editorwindow_zoomminus"), d->zoomMinusAction); d->zoomTo100percents = new QAction(QIcon::fromTheme(QLatin1String("zoom-original")), i18n("Zoom to 100%"), this); connect(d->zoomTo100percents, SIGNAL(triggered()), this, SLOT(slotZoomTo100Percents())); ac->addAction(QLatin1String("editorwindow_zoomto100percents"), d->zoomTo100percents); ac->setDefaultShortcut(d->zoomTo100percents, Qt::CTRL + Qt::Key_Period); d->zoomFitToWindowAction = new QAction(QIcon::fromTheme(QLatin1String("zoom-fit-best")), i18n("Fit to &Window"), this); d->zoomFitToWindowAction->setCheckable(true); connect(d->zoomFitToWindowAction, SIGNAL(triggered()), this, SLOT(slotToggleFitToWindow())); ac->addAction(QLatin1String("editorwindow_zoomfit2window"), d->zoomFitToWindowAction); ac->setDefaultShortcut(d->zoomFitToWindowAction, Qt::ALT + Qt::CTRL + Qt::Key_E); d->zoomFitToSelectAction = new QAction(QIcon::fromTheme(QLatin1String("zoom-select-fit")), i18n("Fit to &Selection"), this); connect(d->zoomFitToSelectAction, SIGNAL(triggered()), this, SLOT(slotFitToSelect())); ac->addAction(QLatin1String("editorwindow_zoomfit2select"), d->zoomFitToSelectAction); ac->setDefaultShortcut(d->zoomFitToSelectAction, Qt::ALT + Qt::CTRL + Qt::Key_S); // NOTE: Photoshop 7 use ALT+CTRL+0 d->zoomFitToSelectAction->setEnabled(false); d->zoomFitToSelectAction->setWhatsThis(i18n("This option can be used to zoom the image to the " "current selection area.")); // ------------------------------------------------------------------------------- + d->filePrintAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_print"), this); + actionCollection()->addActions(QList() << d->filePrintAction); + d->filePrintAction->setEnabled(false); + d->BCGAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_bcg"), this); actionCollection()->addActions(QList() << d->BCGAction); d->BCGAction->setEnabled(false); d->curvesAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_adjustcurves"), this); actionCollection()->addActions(QList() << d->curvesAction); d->curvesAction->setEnabled(false); d->levelsAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_adjustlevels"), this); actionCollection()->addActions(QList() << d->levelsAction); d->levelsAction->setEnabled(false); d->autoCorrectionAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_autocorrection"), this); actionCollection()->addActions(QList() << d->autoCorrectionAction); d->autoCorrectionAction->setEnabled(false); d->BWAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_blackwhite"), this); actionCollection()->addActions(QList() << d->BWAction); d->BWAction->setEnabled(false); d->CBAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_rgb"), this); actionCollection()->addActions(QList() << d->CBAction); d->CBAction->setEnabled(false); d->channelMixerAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_channelmixer"), this); actionCollection()->addActions(QList() << d->channelMixerAction); d->channelMixerAction->setEnabled(false); d->filmAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_film"), this); actionCollection()->addActions(QList() << d->filmAction); d->filmAction->setEnabled(false); d->HSLAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_hsl"), this); actionCollection()->addActions(QList() << d->HSLAction); d->HSLAction->setEnabled(false); d->profileMenuAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_colormanagement"), this); actionCollection()->addActions(QList() << d->profileMenuAction); d->profileMenuAction->setEnabled(false); d->colorSpaceConverter = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_spaceconverter"), this); // NOTE : action not pluged in action collection as it's included in profileMenuAction menu d->colorSpaceConverter->setEnabled(false); d->whitebalanceAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_color_whitebalance"), this); actionCollection()->addActions(QList() << d->whitebalanceAction); d->whitebalanceAction->setEnabled(false); d->borderAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_decorate_border"), this); actionCollection()->addActions(QList() << d->borderAction); d->borderAction->setEnabled(false); d->textureAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_decorate_texture"), this); actionCollection()->addActions(QList() << d->textureAction); d->textureAction->setEnabled(false); d->insertTextAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_decorate_inserttext"), this); actionCollection()->addActions(QList() << d->insertTextAction); d->insertTextAction->setEnabled(false); d->restorationAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_restoration"), this); actionCollection()->addActions(QList() << d->restorationAction); d->restorationAction->setEnabled(false); d->localContrastAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_localcontrast"), this); actionCollection()->addActions(QList() << d->localContrastAction); d->localContrastAction->setEnabled(false); d->noiseReductionAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_noisereduction"), this); actionCollection()->addActions(QList() << d->noiseReductionAction); d->noiseReductionAction->setEnabled(false); d->sharpenAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_sharpen"), this); actionCollection()->addActions(QList() << d->sharpenAction); d->sharpenAction->setEnabled(false); d->redeyeAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_redeye"), this); actionCollection()->addActions(QList() << d->redeyeAction); d->redeyeAction->setEnabled(false); #ifdef HAVE_LENSFUN d->lensAutoFixAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_lensautofix"), this); actionCollection()->addActions(QList() << d->lensAutoFixAction); d->lensAutoFixAction->setEnabled(false); #endif // HAVE_LENSFUN /* d->healCloneAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_healingclone"), this); actionCollection()->addActions(QList() << d->healCloneAction); d->healCloneAction->setEnabled(false); */ d->lensdistortionAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_lensdistortion"), this); actionCollection()->addActions(QList() << d->lensdistortionAction); d->lensdistortionAction->setEnabled(false); d->antivignettingAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_antivignetting"), this); actionCollection()->addActions(QList() << d->antivignettingAction); d->antivignettingAction->setEnabled(false); d->blurAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_blur"), this); actionCollection()->addActions(QList() << d->blurAction); d->blurAction->setEnabled(false); d->hotpixelsAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_enhance_hotpixels"), this); actionCollection()->addActions(QList() << d->hotpixelsAction); d->hotpixelsAction->setEnabled(false); d->blurfxAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_blurfx"), this); actionCollection()->addActions(QList() << d->blurfxAction); d->blurfxAction->setEnabled(false); d->distortionfxAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_distortionfx"), this); actionCollection()->addActions(QList() << d->distortionfxAction); d->distortionfxAction->setEnabled(false); d->colorEffectsAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_colorfx"), this); actionCollection()->addActions(QList() << d->colorEffectsAction); d->colorEffectsAction->setEnabled(false); d->raindropAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_raindrop"), this); actionCollection()->addActions(QList() << d->raindropAction); d->raindropAction->setEnabled(false); d->filmgrainAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_filmgrain"), this); actionCollection()->addActions(QList() << d->filmgrainAction); d->filmgrainAction->setEnabled(false); d->oilpaintAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_oilpaint"), this); actionCollection()->addActions(QList() << d->oilpaintAction); d->oilpaintAction->setEnabled(false); d->charcoalAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_charcoal"), this); actionCollection()->addActions(QList() << d->charcoalAction); d->charcoalAction->setEnabled(false); d->embossAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_filter_emboss"), this); actionCollection()->addActions(QList() << d->embossAction); d->embossAction->setEnabled(false); d->perspectiveAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_perspective"), this); actionCollection()->addActions(QList() << d->perspectiveAction); d->perspectiveAction->setEnabled(false); d->aspectRatioCropAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_ratiocrop"), this); actionCollection()->addActions(QList() << d->aspectRatioCropAction); d->aspectRatioCropAction->setEnabled(false); d->freerotationAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_freerotation"), this); actionCollection()->addActions(QList() << d->freerotationAction); d->freerotationAction->setEnabled(false); d->resizeAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_resize"), this); actionCollection()->addActions(QList() << d->resizeAction); d->resizeAction->setEnabled(false); d->sheartoolAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_sheartool"), this); actionCollection()->addActions(QList() << d->sheartoolAction); d->sheartoolAction->setEnabled(false); #ifdef HAVE_LIBLQR_1 d->contentAwareResizingAction = DPluginLoader::instance()->pluginAction(QLatin1String("editorwindow_transform_contentawareresizing"), this); actionCollection()->addActions(QList() << d->contentAwareResizingAction); d->contentAwareResizingAction->setEnabled(false); #endif // HAVE_LIBLQR_1 // ********************************************************** // NOTE: Photoshop 7 use CTRL+I. d->invertAction = new QAction(QIcon::fromTheme(QLatin1String("edit-select-invert")), i18n("Invert"), this); actionCollection()->addAction(QLatin1String("editorwindow_color_invert"), d->invertAction); actionCollection()->setDefaultShortcut(d->invertAction, Qt::CTRL+Qt::Key_I); connect(d->invertAction, SIGNAL(triggered(bool)), this, SLOT(slotInvert())); d->invertAction->setEnabled(false); d->convertTo8Bits = new QAction(QIcon::fromTheme(QLatin1String("depth16to8")), i18n("8 bits"), this); actionCollection()->addAction(QLatin1String("editorwindow_convertto8bits"), d->convertTo8Bits); connect(d->convertTo8Bits, SIGNAL(triggered(bool)), this, SLOT(slotConvertTo8Bits())); d->convertTo8Bits->setEnabled(false); d->convertTo16Bits = new QAction(QIcon::fromTheme(QLatin1String("depth8to16")), i18n("16 bits"), this); actionCollection()->addAction(QLatin1String("editorwindow_convertto16bits"), d->convertTo16Bits); connect(d->convertTo16Bits, SIGNAL(triggered(bool)), this, SLOT(slotConvertTo16Bits())); d->convertTo16Bits->setEnabled(false); // -------------------------------------------------------------------------------- QList actions = DPluginLoader::instance()->pluginsActions(DPluginAction::Generic, this); foreach (DPluginAction* const ac, actions) { ac->setEnabled(false); } // -------------------------------------------------------- createFullScreenAction(QLatin1String("editorwindow_fullscreen")); createSidebarActions(); d->slideShowAction = new QAction(QIcon::fromTheme(QLatin1String("view-presentation")), i18n("Slideshow"), this); connect(d->slideShowAction, SIGNAL(triggered()), this, SLOT(slotToggleSlideShow())); ac->addAction(QLatin1String("editorwindow_slideshow"), d->slideShowAction); ac->setDefaultShortcut(d->slideShowAction, Qt::Key_F9); d->viewUnderExpoAction = new QAction(QIcon::fromTheme(QLatin1String("underexposure")), i18n("Under-Exposure Indicator"), this); d->viewUnderExpoAction->setCheckable(true); d->viewUnderExpoAction->setWhatsThis(i18n("Set this option to display black " "overlaid on the image. This will help you to avoid " "under-exposing the image.")); connect(d->viewUnderExpoAction, SIGNAL(triggered(bool)), this, SLOT(slotSetUnderExposureIndicator(bool))); ac->addAction(QLatin1String("editorwindow_underexposure"), d->viewUnderExpoAction); ac->setDefaultShortcut(d->viewUnderExpoAction, Qt::Key_F10); d->viewOverExpoAction = new QAction(QIcon::fromTheme(QLatin1String("overexposure")), i18n("Over-Exposure Indicator"), this); d->viewOverExpoAction->setCheckable(true); d->viewOverExpoAction->setWhatsThis(i18n("Set this option to display white " "overlaid on the image. This will help you to avoid " "over-exposing the image.")); connect(d->viewOverExpoAction, SIGNAL(triggered(bool)), this, SLOT(slotSetOverExposureIndicator(bool))); ac->addAction(QLatin1String("editorwindow_overexposure"), d->viewOverExpoAction); ac->setDefaultShortcut(d->viewOverExpoAction, Qt::Key_F11); d->viewCMViewAction = new QAction(QIcon::fromTheme(QLatin1String("video-display")), i18n("Color-Managed View"), this); d->viewCMViewAction->setCheckable(true); connect(d->viewCMViewAction, SIGNAL(triggered()), this, SLOT(slotToggleColorManagedView())); ac->addAction(QLatin1String("editorwindow_cmview"), d->viewCMViewAction); ac->setDefaultShortcut(d->viewCMViewAction, Qt::Key_F12); d->softProofOptionsAction = new QAction(QIcon::fromTheme(QLatin1String("printer")), i18n("Soft Proofing Options..."), this); connect(d->softProofOptionsAction, SIGNAL(triggered()), this, SLOT(slotSoftProofingOptions())); ac->addAction(QLatin1String("editorwindow_softproofoptions"), d->softProofOptionsAction); d->viewSoftProofAction = new QAction(QIcon::fromTheme(QLatin1String("document-print-preview")), i18n("Soft Proofing View"), this); d->viewSoftProofAction->setCheckable(true); connect(d->viewSoftProofAction, SIGNAL(triggered()), this, SLOT(slotUpdateSoftProofingState())); ac->addAction(QLatin1String("editorwindow_softproofview"), d->viewSoftProofAction); // -- Standard 'Transform' menu actions --------------------------------------------- d->cropAction = new QAction(QIcon::fromTheme(QLatin1String("transform-crop-and-resize")), i18nc("@action", "Crop to Selection"), this); connect(d->cropAction, SIGNAL(triggered()), m_canvas, SLOT(slotCrop())); d->cropAction->setEnabled(false); d->cropAction->setWhatsThis(i18n("This option can be used to crop the image. " "Select a region of the image to enable this action.")); ac->addAction(QLatin1String("editorwindow_transform_crop"), d->cropAction); ac->setDefaultShortcut(d->cropAction, Qt::CTRL + Qt::Key_X); d->autoCropAction = new QAction(QIcon::fromTheme(QLatin1String("transform-crop")), i18nc("@action", "Auto-Crop"), this); d->autoCropAction->setWhatsThis(i18n("This option can be used to crop automatically the image.")); connect(d->autoCropAction, SIGNAL(triggered()), m_canvas, SLOT(slotAutoCrop())); d->autoCropAction->setEnabled(false); ac->addAction(QLatin1String("editorwindow_transform_autocrop"), d->autoCropAction); ac->setDefaultShortcut(d->autoCropAction, Qt::SHIFT + Qt::CTRL + Qt::Key_X); // -- Standard 'Flip' menu actions --------------------------------------------- d->flipHorizAction = new QAction(QIcon::fromTheme(QLatin1String("object-flip-horizontal")), i18n("Flip Horizontally"), this); connect(d->flipHorizAction, SIGNAL(triggered()), m_canvas, SLOT(slotFlipHoriz())); connect(d->flipHorizAction, SIGNAL(triggered()), this, SLOT(slotFlipHIntoQue())); ac->addAction(QLatin1String("editorwindow_transform_fliphoriz"), d->flipHorizAction); ac->setDefaultShortcut(d->flipHorizAction, Qt::CTRL + Qt::Key_Asterisk); d->flipHorizAction->setEnabled(false); d->flipVertAction = new QAction(QIcon::fromTheme(QLatin1String("object-flip-vertical")), i18n("Flip Vertically"), this); connect(d->flipVertAction, SIGNAL(triggered()), m_canvas, SLOT(slotFlipVert())); connect(d->flipVertAction, SIGNAL(triggered()), this, SLOT(slotFlipVIntoQue())); ac->addAction(QLatin1String("editorwindow_transform_flipvert"), d->flipVertAction); ac->setDefaultShortcut(d->flipVertAction, Qt::CTRL + Qt::Key_Slash); d->flipVertAction->setEnabled(false); // -- Standard 'Rotate' menu actions ---------------------------------------- d->rotateLeftAction = new QAction(QIcon::fromTheme(QLatin1String("object-rotate-left")), i18n("Rotate Left"), this); connect(d->rotateLeftAction, SIGNAL(triggered()), m_canvas, SLOT(slotRotate270())); connect(d->rotateLeftAction, SIGNAL(triggered()), this, SLOT(slotRotateLeftIntoQue())); ac->addAction(QLatin1String("editorwindow_transform_rotateleft"), d->rotateLeftAction); ac->setDefaultShortcut(d->rotateLeftAction, Qt::SHIFT + Qt::CTRL + Qt::Key_Left); d->rotateLeftAction->setEnabled(false); d->rotateRightAction = new QAction(QIcon::fromTheme(QLatin1String("object-rotate-right")), i18n("Rotate Right"), this); connect(d->rotateRightAction, SIGNAL(triggered()), m_canvas, SLOT(slotRotate90())); connect(d->rotateRightAction, SIGNAL(triggered()), this, SLOT(slotRotateRightIntoQue())); ac->addAction(QLatin1String("editorwindow_transform_rotateright"), d->rotateRightAction); ac->setDefaultShortcut(d->rotateRightAction, Qt::SHIFT + Qt::CTRL + Qt::Key_Right); d->rotateRightAction->setEnabled(false); m_showBarAction = thumbBar()->getToggleAction(this); ac->addAction(QLatin1String("editorwindow_showthumbs"), m_showBarAction); ac->setDefaultShortcut(m_showBarAction, Qt::CTRL + Qt::Key_T); // Provides a menu entry that allows showing/hiding the toolbar(s) setStandardToolBarMenuEnabled(true); // Provides a menu entry that allows showing/hiding the statusbar createStandardStatusBarAction(); // Standard 'Configure' menu actions createSettingsActions(); // --------------------------------------------------------------------------------- ThemeManager::instance()->registerThemeActions(this); connect(ThemeManager::instance(), SIGNAL(signalThemeChanged()), this, SLOT(slotThemeChanged())); // -- Keyboard-only actions -------------------------------------------------------- QAction* const altBackwardAction = new QAction(i18n("Previous Image"), this); ac->addAction(QLatin1String("editorwindow_backward_shift_space"), altBackwardAction); ac->setDefaultShortcut(altBackwardAction, Qt::SHIFT + Qt::Key_Space); connect(altBackwardAction, SIGNAL(triggered()), this, SLOT(slotBackward())); // -- Tool control actions --------------------------------------------------------- m_applyToolAction = new QAction(QIcon::fromTheme(QLatin1String("dialog-ok-apply")), i18n("OK"), this); ac->addAction(QLatin1String("editorwindow_applytool"), m_applyToolAction); ac->setDefaultShortcut(m_applyToolAction, Qt::Key_Return); connect(m_applyToolAction, SIGNAL(triggered()), this, SLOT(slotApplyTool())); m_closeToolAction = new QAction(QIcon::fromTheme(QLatin1String("dialog-cancel")), i18n("Cancel"), this); ac->addAction(QLatin1String("editorwindow_closetool"), m_closeToolAction); ac->setDefaultShortcut(m_closeToolAction, Qt::Key_Escape); connect(m_closeToolAction, SIGNAL(triggered()), this, SLOT(slotCloseTool())); toggleNonDestructiveActions(); toggleToolActions(); } void EditorWindow::setupStatusBar() { m_nameLabel = new StatusProgressBar(statusBar()); m_nameLabel->setAlignment(Qt::AlignCenter); statusBar()->addWidget(m_nameLabel, 100); d->infoLabel = new DAdjustableLabel(statusBar()); d->infoLabel->setAdjustedText(i18n("No selection")); d->infoLabel->setAlignment(Qt::AlignCenter); statusBar()->addWidget(d->infoLabel, 100); d->infoLabel->setToolTip(i18n("Information about current image selection")); m_resLabel = new DAdjustableLabel(statusBar()); m_resLabel->setAlignment(Qt::AlignCenter); statusBar()->addWidget(m_resLabel, 100); m_resLabel->setToolTip(i18n("Information about image size")); d->zoomBar = new DZoomBar(statusBar()); d->zoomBar->setZoomToFitAction(d->zoomFitToWindowAction); d->zoomBar->setZoomTo100Action(d->zoomTo100percents); d->zoomBar->setZoomPlusAction(d->zoomPlusAction); d->zoomBar->setZoomMinusAction(d->zoomMinusAction); d->zoomBar->setBarMode(DZoomBar::PreviewZoomCtrl); statusBar()->addPermanentWidget(d->zoomBar); connect(d->zoomBar, SIGNAL(signalZoomSliderChanged(int)), m_stackView, SLOT(slotZoomSliderChanged(int))); connect(d->zoomBar, SIGNAL(signalZoomValueEdited(double)), m_stackView, SLOT(setZoomFactor(double))); d->previewToolBar = new PreviewToolBar(statusBar()); d->previewToolBar->registerMenuActionGroup(this); d->previewToolBar->setEnabled(false); statusBar()->addPermanentWidget(d->previewToolBar); connect(d->previewToolBar, SIGNAL(signalPreviewModeChanged(int)), this, SIGNAL(signalPreviewModeChanged(int))); QWidget* const buttonsBox = new QWidget(statusBar()); QHBoxLayout* const hlay = new QHBoxLayout(buttonsBox); QButtonGroup* const buttonsGrp = new QButtonGroup(buttonsBox); buttonsGrp->setExclusive(false); d->underExposureIndicator = new QToolButton(buttonsBox); d->underExposureIndicator->setDefaultAction(d->viewUnderExpoAction); d->underExposureIndicator->setFocusPolicy(Qt::NoFocus); d->overExposureIndicator = new QToolButton(buttonsBox); d->overExposureIndicator->setDefaultAction(d->viewOverExpoAction); d->overExposureIndicator->setFocusPolicy(Qt::NoFocus); d->cmViewIndicator = new QToolButton(buttonsBox); d->cmViewIndicator->setDefaultAction(d->viewCMViewAction); d->cmViewIndicator->setFocusPolicy(Qt::NoFocus); buttonsGrp->addButton(d->underExposureIndicator); buttonsGrp->addButton(d->overExposureIndicator); buttonsGrp->addButton(d->cmViewIndicator); hlay->setSpacing(0); hlay->setContentsMargins(QMargins()); hlay->addWidget(d->underExposureIndicator); hlay->addWidget(d->overExposureIndicator); hlay->addWidget(d->cmViewIndicator); statusBar()->addPermanentWidget(buttonsBox); } -void EditorWindow::printImage(const QUrl&) -{ - DImg* const image = m_canvas->interface()->getImg(); - - if (!image || image->isNull()) - { - return; - } - - PrintHelper printHelp(this); - printHelp.print(*image); -} - void EditorWindow::slotAboutToShowUndoMenu() { m_undoAction->menu()->clear(); QStringList titles = m_canvas->interface()->getUndoHistory(); for (int i = 0; i < titles.size(); ++i) { QAction* const action = m_undoAction->menu()->addAction(titles.at(i), d->undoSignalMapper, SLOT(map())); d->undoSignalMapper->setMapping(action, i + 1); } } void EditorWindow::slotAboutToShowRedoMenu() { m_redoAction->menu()->clear(); QStringList titles = m_canvas->interface()->getRedoHistory(); for (int i = 0; i < titles.size(); ++i) { QAction* const action = m_redoAction->menu()->addAction(titles.at(i), d->redoSignalMapper, SLOT(map())); d->redoSignalMapper->setMapping(action, i + 1); } } void EditorWindow::slotIncreaseZoom() { m_stackView->increaseZoom(); } void EditorWindow::slotDecreaseZoom() { m_stackView->decreaseZoom(); } void EditorWindow::slotToggleFitToWindow() { d->zoomPlusAction->setEnabled(true); d->zoomBar->setEnabled(true); d->zoomMinusAction->setEnabled(true); m_stackView->toggleFitToWindow(); } void EditorWindow::slotFitToSelect() { d->zoomPlusAction->setEnabled(true); d->zoomBar->setEnabled(true); d->zoomMinusAction->setEnabled(true); m_stackView->fitToSelect(); } void EditorWindow::slotZoomTo100Percents() { d->zoomPlusAction->setEnabled(true); d->zoomBar->setEnabled(true); d->zoomMinusAction->setEnabled(true); m_stackView->zoomTo100Percent(); } void EditorWindow::slotZoomChanged(bool isMax, bool isMin, double zoom) { //qCDebug(DIGIKAM_GENERAL_LOG) << "EditorWindow::slotZoomChanged"; d->zoomPlusAction->setEnabled(!isMax); d->zoomMinusAction->setEnabled(!isMin); double zmin = m_stackView->zoomMin(); double zmax = m_stackView->zoomMax(); d->zoomBar->setZoom(zoom, zmin, zmax); } void EditorWindow::slotToggleOffFitToWindow() { d->zoomFitToWindowAction->blockSignals(true); d->zoomFitToWindowAction->setChecked(false); d->zoomFitToWindowAction->blockSignals(false); } void EditorWindow::readStandardSettings() { KSharedConfig::Ptr config = KSharedConfig::openConfig(); KConfigGroup group = config->group(configGroupName()); // Restore Canvas layout if (group.hasKey(d->configVerticalSplitterSizesEntry) && m_vSplitter) { QByteArray state; state = group.readEntry(d->configVerticalSplitterStateEntry, state); m_vSplitter->restoreState(QByteArray::fromBase64(state)); } // Restore full screen Mode readFullScreenSettings(group); // Restore Auto zoom action bool autoZoom = group.readEntry(d->configAutoZoomEntry, true); if (autoZoom) { d->zoomFitToWindowAction->trigger(); } slotSetUnderExposureIndicator(group.readEntry(d->configUnderExposureIndicatorEntry, false)); slotSetOverExposureIndicator(group.readEntry(d->configOverExposureIndicatorEntry, false)); d->previewToolBar->readSettings(group); } void EditorWindow::applyStandardSettings() { applyColorManagementSettings(); d->toolIface->updateICCSettings(); applyIOSettings(); // -- GUI Settings ------------------------------------------------------- KConfigGroup group = KSharedConfig::openConfig()->group(configGroupName()); d->legacyUpdateSplitterState(group); m_splitter->restoreState(group); readFullScreenSettings(group); slotThemeChanged(); // -- Exposure Indicators Settings --------------------------------------- d->exposureSettings->underExposureColor = group.readEntry(d->configUnderExposureColorEntry, QColor(Qt::white)); d->exposureSettings->underExposurePercent = group.readEntry(d->configUnderExposurePercentsEntry, 1.0); d->exposureSettings->overExposureColor = group.readEntry(d->configOverExposureColorEntry, QColor(Qt::black)); d->exposureSettings->overExposurePercent = group.readEntry(d->configOverExposurePercentsEntry, 1.0); d->exposureSettings->exposureIndicatorMode = group.readEntry(d->configExpoIndicatorModeEntry, true); d->toolIface->updateExposureSettings(); // -- Metadata Settings -------------------------------------------------- MetaEngineSettingsContainer writeSettings = MetaEngineSettings::instance()->settings(); m_setExifOrientationTag = writeSettings.exifSetOrientation; m_canvas->setExifOrient(writeSettings.exifRotate); } void EditorWindow::applyIOSettings() { // -- JPEG, PNG, TIFF, JPEG2000, PGF files format settings ---------------- KConfigGroup group = KSharedConfig::openConfig()->group(configGroupName()); m_IOFileSettings->JPEGCompression = JPEGSettings::convertCompressionForLibJpeg(group.readEntry(d->configJpegCompressionEntry, 75)); m_IOFileSettings->JPEGSubSampling = group.readEntry(d->configJpegSubSamplingEntry, 1); // Medium subsampling m_IOFileSettings->PNGCompression = PNGSettings::convertCompressionForLibPng(group.readEntry(d->configPngCompressionEntry, 1)); // TIFF compression setting. m_IOFileSettings->TIFFCompression = group.readEntry(d->configTiffCompressionEntry, false); // JPEG2000 quality slider settings : 1 - 100 m_IOFileSettings->JPEG2000Compression = group.readEntry(d->configJpeg2000CompressionEntry, 100); // JPEG2000 LossLess setting. m_IOFileSettings->JPEG2000LossLess = group.readEntry(d->configJpeg2000LossLessEntry, true); // PGF quality slider settings : 1 - 9 m_IOFileSettings->PGFCompression = group.readEntry(d->configPgfCompressionEntry, 3); // PGF LossLess setting. m_IOFileSettings->PGFLossLess = group.readEntry(d->configPgfLossLessEntry, true); // -- RAW images decoding settings ------------------------------------------------------ m_IOFileSettings->useRAWImport = group.readEntry(d->configUseRawImportToolEntry, false); DRawDecoderWidget::readSettings(m_IOFileSettings->rawDecodingSettings.rawPrm, group); // Raw Color Management settings: // If digiKam Color Management is enabled, no need to correct color of decoded RAW image, // else, sRGB color workspace will be used. ICCSettingsContainer settings = IccSettings::instance()->settings(); if (settings.enableCM) { if (settings.defaultUncalibratedBehavior & ICCSettingsContainer::AutomaticColors) { m_IOFileSettings->rawDecodingSettings.rawPrm.outputColorSpace = DRawDecoderSettings::CUSTOMOUTPUTCS; m_IOFileSettings->rawDecodingSettings.rawPrm.outputProfile = settings.workspaceProfile; } else { m_IOFileSettings->rawDecodingSettings.rawPrm.outputColorSpace = DRawDecoderSettings::RAWCOLOR; } } else { m_IOFileSettings->rawDecodingSettings.rawPrm.outputColorSpace = DRawDecoderSettings::SRGB; } } void EditorWindow::applyColorManagementSettings() { ICCSettingsContainer settings = IccSettings::instance()->settings(); d->toolIface->updateICCSettings(); m_canvas->setICCSettings(settings); d->viewCMViewAction->blockSignals(true); d->viewCMViewAction->setEnabled(settings.enableCM); d->viewCMViewAction->setChecked(settings.useManagedView); setColorManagedViewIndicatorToolTip(settings.enableCM, settings.useManagedView); d->viewCMViewAction->blockSignals(false); d->viewSoftProofAction->setEnabled(settings.enableCM && !settings.defaultProofProfile.isEmpty()); d->softProofOptionsAction->setEnabled(settings.enableCM); } void EditorWindow::saveStandardSettings() { KSharedConfig::Ptr config = KSharedConfig::openConfig(); KConfigGroup group = config->group(configGroupName()); group.writeEntry(d->configAutoZoomEntry, d->zoomFitToWindowAction->isChecked()); m_splitter->saveState(group); if (m_vSplitter) { group.writeEntry(d->configVerticalSplitterStateEntry, m_vSplitter->saveState().toBase64()); } group.writeEntry("Show Thumbbar", thumbBar()->shouldBeVisible()); group.writeEntry(d->configUnderExposureIndicatorEntry, d->exposureSettings->underExposureIndicator); group.writeEntry(d->configOverExposureIndicatorEntry, d->exposureSettings->overExposureIndicator); d->previewToolBar->writeSettings(group); config->sync(); } /** Method used by Editor Tools. Only tools based on imageregionwidget support zooming. TODO: Fix this behavior when editor tool preview widgets will be factored. */ void EditorWindow::toggleZoomActions(bool val) { d->zoomMinusAction->setEnabled(val); d->zoomPlusAction->setEnabled(val); d->zoomTo100percents->setEnabled(val); d->zoomFitToWindowAction->setEnabled(val); d->zoomBar->setEnabled(val); } void EditorWindow::readSettings() { readStandardSettings(); } void EditorWindow::saveSettings() { saveStandardSettings(); } void EditorWindow::toggleActions(bool val) { toggleStandardActions(val); } bool EditorWindow::actionEnabledState() const { return m_actionEnabledState; } void EditorWindow::toggleStandardActions(bool val) { d->zoomFitToSelectAction->setEnabled(val); toggleZoomActions(val); m_actionEnabledState = val; m_forwardAction->setEnabled(val); m_backwardAction->setEnabled(val); m_firstAction->setEnabled(val); m_lastAction->setEnabled(val); d->rotateLeftAction->setEnabled(val); d->rotateRightAction->setEnabled(val); d->flipHorizAction->setEnabled(val); d->flipVertAction->setEnabled(val); m_fileDeleteAction->setEnabled(val); m_saveAsAction->setEnabled(val); d->openWithAction->setEnabled(val); d->filePrintAction->setEnabled(val); m_exportAction->setEnabled(val); d->selectAllAction->setEnabled(val); d->selectNoneAction->setEnabled(val); d->slideShowAction->setEnabled(val); QList actions = DPluginLoader::instance()->pluginsActions(DPluginAction::Generic, this); foreach (DPluginAction* const ac, actions) { ac->setEnabled(val); } // these actions are special: They are turned off if val is false, // but if val is true, they may be turned on or off. if (val) { // Update actions by retrieving current values slotUndoStateChanged(); } else { m_openVersionAction->setEnabled(false); m_revertAction->setEnabled(false); m_saveAction->setEnabled(false); m_saveCurrentVersionAction->setEnabled(false); m_saveNewVersionAction->setEnabled(false); m_discardChangesAction->setEnabled(false); m_undoAction->setEnabled(false); m_redoAction->setEnabled(false); } // Tools actions d->insertTextAction->setEnabled(val); d->borderAction->setEnabled(val); d->textureAction->setEnabled(val); d->charcoalAction->setEnabled(val); d->colorEffectsAction->setEnabled(val); d->embossAction->setEnabled(val); d->oilpaintAction->setEnabled(val); d->blurfxAction->setEnabled(val); d->distortionfxAction->setEnabled(val); d->raindropAction->setEnabled(val); d->filmgrainAction->setEnabled(val); d->convertTo8Bits->setEnabled(val); d->convertTo16Bits->setEnabled(val); d->invertAction->setEnabled(val); d->BCGAction->setEnabled(val); d->CBAction->setEnabled(val); d->autoCorrectionAction->setEnabled(val); d->BWAction->setEnabled(val); d->HSLAction->setEnabled(val); d->profileMenuAction->setEnabled(val); d->colorSpaceConverter->setEnabled(val && IccSettings::instance()->isEnabled()); d->whitebalanceAction->setEnabled(val); d->channelMixerAction->setEnabled(val); d->curvesAction->setEnabled(val); d->levelsAction->setEnabled(val); d->filmAction->setEnabled(val); d->restorationAction->setEnabled(val); d->blurAction->setEnabled(val); //d->healCloneAction->setEnabled(val); d->sharpenAction->setEnabled(val); d->noiseReductionAction->setEnabled(val); d->localContrastAction->setEnabled(val); d->redeyeAction->setEnabled(val); d->lensdistortionAction->setEnabled(val); d->antivignettingAction->setEnabled(val); d->hotpixelsAction->setEnabled(val); d->resizeAction->setEnabled(val); d->autoCropAction->setEnabled(val); d->perspectiveAction->setEnabled(val); d->freerotationAction->setEnabled(val); d->sheartoolAction->setEnabled(val); d->aspectRatioCropAction->setEnabled(val); #ifdef HAVE_LENSFUN d->lensAutoFixAction->setEnabled(val); #endif #ifdef HAVE_LIBLQR_1 d->contentAwareResizingAction->setEnabled(val); #endif } void EditorWindow::toggleNonDestructiveActions() { m_saveAction->setVisible(!m_nonDestructive); m_saveAsAction->setVisible(!m_nonDestructive); m_revertAction->setVisible(!m_nonDestructive); m_openVersionAction->setVisible(m_nonDestructive); m_saveCurrentVersionAction->setVisible(m_nonDestructive); m_saveNewVersionAction->setVisible(m_nonDestructive); m_exportAction->setVisible(m_nonDestructive); m_discardChangesAction->setVisible(m_nonDestructive); } void EditorWindow::toggleToolActions(EditorTool* tool) { if (tool) { m_applyToolAction->setText(tool->toolSettings()->button(EditorToolSettings::Ok)->text()); m_applyToolAction->setIcon(tool->toolSettings()->button(EditorToolSettings::Ok)->icon()); m_applyToolAction->setToolTip(tool->toolSettings()->button(EditorToolSettings::Ok)->toolTip()); m_closeToolAction->setText(tool->toolSettings()->button(EditorToolSettings::Cancel)->text()); m_closeToolAction->setIcon(tool->toolSettings()->button(EditorToolSettings::Cancel)->icon()); m_closeToolAction->setToolTip(tool->toolSettings()->button(EditorToolSettings::Cancel)->toolTip()); } m_applyToolAction->setVisible(tool); m_closeToolAction->setVisible(tool); } void EditorWindow::slotLoadingProgress(const QString&, float progress) { m_nameLabel->setProgressValue((int)(progress * 100.0)); } void EditorWindow::slotSavingProgress(const QString&, float progress) { m_nameLabel->setProgressValue((int)(progress * 100.0)); if (m_savingProgressDialog) { m_savingProgressDialog->setValue((int)(progress * 100.0)); } } void EditorWindow::execSavingProgressDialog() { if (m_savingProgressDialog) { return; } m_savingProgressDialog = new QProgressDialog(this); m_savingProgressDialog->setWindowTitle(i18n("Saving image...")); m_savingProgressDialog->setLabelText(i18n("Please wait for the image to be saved...")); m_savingProgressDialog->setAttribute(Qt::WA_DeleteOnClose); m_savingProgressDialog->setAutoClose(true); m_savingProgressDialog->setMinimumDuration(1000); m_savingProgressDialog->setMaximum(100); // we must enter a fully modal dialog, no QEventLoop is sufficient for KWin to accept longer waiting times m_savingProgressDialog->setModal(true); m_savingProgressDialog->exec(); } bool EditorWindow::promptForOverWrite() { QUrl destination = saveDestinationUrl(); if (destination.isLocalFile()) { QFileInfo fi(m_canvas->currentImageFilePath()); QString warnMsg(i18n("About to overwrite file \"%1\"\nAre you sure?", QDir::toNativeSeparators(fi.fileName()))); return (DMessageBox::showContinueCancel(QMessageBox::Warning, this, i18n("Warning"), warnMsg, QLatin1String("editorWindowSaveOverwrite")) == QMessageBox::Yes); } else { // in this case it will handle the overwrite request return true; } } void EditorWindow::slotUndoStateChanged() { UndoState state = m_canvas->interface()->undoState(); // RAW conversion qualifies as a "non-undoable" action // You can save as new version, but cannot undo or revert m_undoAction->setEnabled(state.hasUndo); m_redoAction->setEnabled(state.hasRedo); m_revertAction->setEnabled(state.hasUndoableChanges); m_saveAction->setEnabled(state.hasChanges); m_saveCurrentVersionAction->setEnabled(state.hasChanges); m_saveNewVersionAction->setEnabled(state.hasChanges); m_discardChangesAction->setEnabled(state.hasUndoableChanges); m_openVersionAction->setEnabled(hasOriginalToRestore()); } bool EditorWindow::hasOriginalToRestore() { return m_canvas->interface()->getResolvedInitialHistory().hasOriginalReferredImage(); } DImageHistory EditorWindow::resolvedImageHistory(const DImageHistory& history) { // simple, database-less version DImageHistory r = history; QList::iterator it; for (it = r.entries().begin(); it != r.entries().end(); ++it) { QList::iterator hit; for (hit = it->referredImages.begin(); hit != it->referredImages.end();) { QFileInfo info(hit->m_filePath + QLatin1Char('/') + hit->m_fileName); if (!info.exists()) { hit = it->referredImages.erase(hit); } else { ++hit; } } } return r; } bool EditorWindow::promptUserSave(const QUrl& url, SaveAskMode mode, bool allowCancel) { if (d->currentWindowModalDialog) { d->currentWindowModalDialog->reject(); } if (m_canvas->interface()->undoState().hasUndoableChanges) { // if window is minimized, show it if (isMinimized()) { KWindowSystem::unminimizeWindow(winId()); } bool shallSave = true; bool shallDiscard = false; bool newVersion = false; if (mode == AskIfNeeded) { if (m_nonDestructive) { if (versionManager()->settings().editorClosingMode == VersionManagerSettings::AutoSave) { shallSave = true; } else { QPointer dialog = new VersioningPromptUserSaveDialog(this); dialog->exec(); if (!dialog) { return false; } shallSave = dialog->shallSave() || dialog->newVersion(); shallDiscard = dialog->shallDiscard(); newVersion = dialog->newVersion(); } } else { QString boxMessage; boxMessage = i18nc("@info", "The image %1 has been modified.
" "Do you want to save it?
", url.fileName()); int result; if (allowCancel) { result = QMessageBox::warning(this, qApp->applicationName(), boxMessage, QMessageBox::Save | QMessageBox::Discard | QMessageBox::Cancel); } else { result = QMessageBox::warning(this, qApp->applicationName(), boxMessage, QMessageBox::Save | QMessageBox::Discard); } shallSave = (result == QMessageBox::Save); shallDiscard = (result == QMessageBox::Discard); } } if (shallSave) { bool saving = false; switch (mode) { case AskIfNeeded: if (m_nonDestructive) { if (newVersion) { saving = saveNewVersion(); } else { // will know on its own if new version is required saving = saveCurrentVersion(); } } else { if (m_canvas->isReadOnly()) { saving = saveAs(); } else if (promptForOverWrite()) { saving = save(); } } break; case OverwriteWithoutAsking: if (m_nonDestructive) { if (newVersion) { saving = saveNewVersion(); } else { // will know on its own if new version is required saving = saveCurrentVersion(); } } else { if (m_canvas->isReadOnly()) { saving = saveAs(); } else { saving = save(); } } break; case AlwaysSaveAs: if (m_nonDestructive) { saving = saveNewVersion(); } else { saving = saveAs(); } break; } // save and saveAs return false if they were canceled and did not enter saving at all // In this case, do not call enterWaitingLoop because quitWaitingloop will not be called. if (saving) { // Waiting for asynchronous image file saving operation running in separate thread. m_savingContext.synchronizingState = SavingContext::SynchronousSaving; enterWaitingLoop(); m_savingContext.synchronizingState = SavingContext::NormalSaving; return m_savingContext.synchronousSavingResult; } else { return false; } } else if (shallDiscard) { // Discard m_saveAction->setEnabled(false); return true; } else { return false; } } return true; } bool EditorWindow::promptUserDelete(const QUrl& url) { if (d->currentWindowModalDialog) { d->currentWindowModalDialog->reject(); } if (m_canvas->interface()->undoState().hasUndoableChanges) { // if window is minimized, show it if (isMinimized()) { KWindowSystem::unminimizeWindow(winId()); } QString boxMessage = i18nc("@info", "The image %1 has been modified.
" "All changes will be lost.", url.fileName()); int result = DMessageBox::showContinueCancel(QMessageBox::Warning, this, QString(), boxMessage); if (result == QMessageBox::Cancel) { return false; } } return true; } bool EditorWindow::waitForSavingToComplete() { // avoid reentrancy - return false means we have reentered the loop already. if (m_savingContext.synchronizingState == SavingContext::SynchronousSaving) { return false; } if (m_savingContext.savingState != SavingContext::SavingStateNone) { // Waiting for asynchronous image file saving operation running in separate thread. m_savingContext.synchronizingState = SavingContext::SynchronousSaving; enterWaitingLoop(); m_savingContext.synchronizingState = SavingContext::NormalSaving; } return true; } void EditorWindow::enterWaitingLoop() { //d->waitingLoop->exec(QEventLoop::ExcludeUserInputEvents); execSavingProgressDialog(); } void EditorWindow::quitWaitingLoop() { //d->waitingLoop->quit(); if (m_savingProgressDialog) { m_savingProgressDialog->close(); } } void EditorWindow::slotSelected(bool val) { // Update menu actions. d->cropAction->setEnabled(val); d->zoomFitToSelectAction->setEnabled(val); d->copyAction->setEnabled(val); QRect sel = m_canvas->getSelectedArea(); // Update histogram into sidebar. emit signalSelectionChanged(sel); // Update status bar if (val) { slotSelectionSetText(sel); } else { setToolInfoMessage(i18n("No selection")); } } void EditorWindow::slotPrepareToLoad() { // Disable actions as appropriate during loading emit signalNoCurrentItem(); unsetCursor(); m_animLogo->stop(); toggleActions(false); slotUpdateItemInfo(); } void EditorWindow::slotLoadingStarted(const QString& /*filename*/) { setCursor(Qt::WaitCursor); toggleActions(false); m_animLogo->start(); m_nameLabel->setProgressBarMode(StatusProgressBar::ProgressBarMode, i18n("Loading:")); } void EditorWindow::slotLoadingFinished(const QString& filename, bool success) { m_nameLabel->setProgressBarMode(StatusProgressBar::TextMode); // Enable actions as appropriate after loading // No need to re-enable image properties sidebar here, it's will be done // automatically by a signal from canvas toggleActions(success); slotUpdateItemInfo(); unsetCursor(); m_animLogo->stop(); if (success) { colorManage(); // Set a history which contains all available files as referredImages DImageHistory resolved = resolvedImageHistory(m_canvas->interface()->getInitialImageHistory()); m_canvas->interface()->setResolvedInitialHistory(resolved); } else { DNotificationPopup::message(DNotificationPopup::Boxed, i18n("Cannot load \"%1\"", filename), m_canvas, m_canvas->mapToGlobal(QPoint(30, 30))); } } void EditorWindow::resetOrigin() { // With versioning, "only" resetting undo history does not work anymore // as we calculate undo state based on the initial history stored in the DImg resetOriginSwitchFile(); } void EditorWindow::resetOriginSwitchFile() { DImageHistory resolved = resolvedImageHistory(m_canvas->interface()->getItemHistory()); m_canvas->interface()->switchToLastSaved(resolved); } void EditorWindow::colorManage() { if (!IccSettings::instance()->isEnabled()) { return; } DImg image = m_canvas->currentImage(); if (image.isNull()) { return; } if (!IccManager::needsPostLoadingManagement(image)) { return; } IccPostLoadingManager manager(image, m_canvas->currentImageFilePath()); if (!manager.hasValidWorkspace()) { QString message = i18n("Cannot open the specified working space profile (\"%1\"). " "No color transformation will be applied. " "Please check the color management " "configuration in digiKam's setup.", IccSettings::instance()->settings().workspaceProfile); QMessageBox::information(this, qApp->applicationName(), message); } // Show dialog and get transform from user choice IccTransform trans = manager.postLoadingManage(this); // apply transform in thread. // Do _not_ test for willHaveEffect() here - there are more side effects when calling this method m_canvas->applyTransform(trans); slotUpdateItemInfo(); } void EditorWindow::slotNameLabelCancelButtonPressed() { // If we saving an image... if (m_savingContext.savingState != SavingContext::SavingStateNone) { m_savingContext.abortingSaving = true; m_canvas->abortSaving(); } // If we preparing SlideShow... m_cancelSlideShow = true; } void EditorWindow::slotFileOriginChanged(const QString&) { // implemented in subclass } bool EditorWindow::saveOrSaveAs() { if (m_canvas->isReadOnly()) { return saveAs(); } return save(); } void EditorWindow::slotSavingStarted(const QString& /*filename*/) { setCursor(Qt::WaitCursor); m_animLogo->start(); // Disable actions as appropriate during saving emit signalNoCurrentItem(); toggleActions(false); m_nameLabel->setProgressBarMode(StatusProgressBar::CancelProgressBarMode, i18n("Saving:")); } void EditorWindow::slotSavingFinished(const QString& filename, bool success) { Q_UNUSED(filename); qCDebug(DIGIKAM_GENERAL_LOG) << filename << success << (m_savingContext.savingState != SavingContext::SavingStateNone); // only handle this if we really wanted to save a file... if (m_savingContext.savingState != SavingContext::SavingStateNone) { m_savingContext.executedOperation = m_savingContext.savingState; m_savingContext.savingState = SavingContext::SavingStateNone; if (!success) { if (!m_savingContext.abortingSaving) { QMessageBox::critical(this, qApp->applicationName(), i18n("Failed to save file\n\"%1\"\nto\n\"%2\".", m_savingContext.destinationURL.fileName(), m_savingContext.destinationURL.toLocalFile())); } finishSaving(false); return; } moveFile(); } else { qCWarning(DIGIKAM_GENERAL_LOG) << "Why was slotSavingFinished called if we did not want to save a file?"; } } void EditorWindow::movingSaveFileFinished(bool successful) { if (!successful) { finishSaving(false); return; } // now that we know the real destination file name, pass it to be recorded in image history m_canvas->interface()->setLastSaved(m_savingContext.destinationURL.toLocalFile()); // remove image from cache since it has changed LoadingCacheInterface::fileChanged(m_savingContext.destinationURL.toLocalFile()); ThumbnailLoadThread::deleteThumbnail(m_savingContext.destinationURL.toLocalFile()); // restore state of disabled actions. saveIsComplete can start any other task // (loading!) which might itself in turn change states finishSaving(true); switch (m_savingContext.executedOperation) { case SavingContext::SavingStateNone: break; case SavingContext::SavingStateSave: saveIsComplete(); break; case SavingContext::SavingStateSaveAs: saveAsIsComplete(); break; case SavingContext::SavingStateVersion: saveVersionIsComplete(); break; } // Take all actions necessary to update information and re-enable sidebar slotChanged(); } void EditorWindow::finishSaving(bool success) { m_savingContext.synchronousSavingResult = success; delete m_savingContext.saveTempFile; m_savingContext.saveTempFile = 0; // Exit of internal Qt event loop to unlock promptUserSave() method. if (m_savingContext.synchronizingState == SavingContext::SynchronousSaving) { quitWaitingLoop(); } // Enable actions as appropriate after saving toggleActions(true); unsetCursor(); m_animLogo->stop(); m_nameLabel->setProgressBarMode(StatusProgressBar::TextMode); /*if (m_savingProgressDialog) { m_savingProgressDialog->close(); }*/ // On error, continue using current image if (!success) { /* Why this? * m_canvas->switchToLastSaved(m_savingContext.srcURL.toLocalFile());*/ } } void EditorWindow::setupTempSaveFile(const QUrl& url) { // if the destination url is on local file system, try to set the temp file // location to the destination folder, otherwise use a local default QString tempDir = url.adjusted(QUrl::RemoveFilename|QUrl::StripTrailingSlash).toLocalFile(); if (!url.isLocalFile() || tempDir.isEmpty()) { tempDir = QDir::tempPath(); } QFileInfo fi(url.toLocalFile()); QString suffix = fi.suffix(); // use magic file extension which tells the digikamalbums ioslave to ignore the file m_savingContext.saveTempFile = new SafeTemporaryFile(tempDir + QLatin1String("/EditorWindow-XXXXXX.digikamtempfile.") + suffix); m_savingContext.saveTempFile->setAutoRemove(false); if (!m_savingContext.saveTempFile->open()) { QMessageBox::critical(this, qApp->applicationName(), i18n("Could not open a temporary file in the folder \"%1\": %2 (%3)", QDir::toNativeSeparators(tempDir), m_savingContext.saveTempFile->errorString(), m_savingContext.saveTempFile->error())); return; } m_savingContext.saveTempFileName = m_savingContext.saveTempFile->fileName(); delete m_savingContext.saveTempFile; m_savingContext.saveTempFile = 0; } void EditorWindow::startingSave(const QUrl& url) { qCDebug(DIGIKAM_GENERAL_LOG) << "startSaving url = " << url; // avoid any reentrancy. Should be impossible anyway since actions will be disabled. if (m_savingContext.savingState != SavingContext::SavingStateNone) { return; } m_savingContext = SavingContext(); if (!checkPermissions(url)) { return; } setupTempSaveFile(url); m_savingContext.srcURL = url; m_savingContext.destinationURL = m_savingContext.srcURL; m_savingContext.destinationExisted = true; m_savingContext.originalFormat = m_canvas->currentImageFileFormat(); m_savingContext.format = m_savingContext.originalFormat; m_savingContext.abortingSaving = false; m_savingContext.savingState = SavingContext::SavingStateSave; m_savingContext.executedOperation = SavingContext::SavingStateNone; m_canvas->interface()->saveAs(m_savingContext.saveTempFileName, m_IOFileSettings, m_setExifOrientationTag && m_canvas->exifRotated(), m_savingContext.format, m_savingContext.destinationURL.toLocalFile()); } bool EditorWindow::showFileSaveDialog(const QUrl& initialUrl, QUrl& newURL) { QString all; QStringList list = supportedImageMimeTypes(QIODevice::WriteOnly, all); DFileDialog* const imageFileSaveDialog = new DFileDialog(this); imageFileSaveDialog->setWindowTitle(i18n("New Image File Name")); imageFileSaveDialog->setDirectoryUrl(initialUrl.adjusted(QUrl::RemoveFilename | QUrl::StripTrailingSlash)); imageFileSaveDialog->setAcceptMode(QFileDialog::AcceptSave); imageFileSaveDialog->setFileMode(QFileDialog::AnyFile); imageFileSaveDialog->setNameFilters(list); // restore old settings for the dialog KSharedConfig::Ptr config = KSharedConfig::openConfig(); KConfigGroup group = config->group(configGroupName()); const QString optionLastExtension = QLatin1String("LastSavedImageExtension"); QString ext = group.readEntry(optionLastExtension, "png"); foreach(const QString& s, list) { if (s.contains(QString::fromLatin1("*.%1").arg(ext))) { imageFileSaveDialog->selectNameFilter(s); break; } } // adjust extension of proposed filename QString fileName = initialUrl.fileName(); if (!fileName.isNull()) { int lastDot = fileName.lastIndexOf(QLatin1Char('.')); QString completeBaseName = (lastDot == -1) ? fileName : fileName.left(lastDot); fileName = completeBaseName + QLatin1Char('.') + ext; } if (!fileName.isNull()) { imageFileSaveDialog->selectFile(fileName); } // Start dialog and check if canceled. int result; if (d->currentWindowModalDialog) { // go application-modal - we will create utter confusion if descending into more than one window-modal dialog imageFileSaveDialog->setModal(true); result = imageFileSaveDialog->exec(); } else { imageFileSaveDialog->setWindowModality(Qt::WindowModal); d->currentWindowModalDialog = imageFileSaveDialog; result = imageFileSaveDialog->exec(); d->currentWindowModalDialog = 0; } if (result != QDialog::Accepted || !imageFileSaveDialog) { qCDebug(DIGIKAM_GENERAL_LOG) << "File Save Dialog rejected"; return false; } QList urls = imageFileSaveDialog->selectedUrls(); if (urls.isEmpty()) { qCDebug(DIGIKAM_GENERAL_LOG) << "no target url"; return false; } newURL = urls.first(); newURL.setPath(QDir::cleanPath(newURL.path())); QFileInfo fi(newURL.fileName()); if (fi.suffix().isEmpty()) { ext = imageFileSaveDialog->selectedNameFilter().section(QLatin1String("*."), 1, 1); ext = ext.left(ext.length() - 1); if (ext.isEmpty()) { ext = QLatin1String("jpg"); } newURL.setPath(newURL.path() + QLatin1Char('.') + ext); } qCDebug(DIGIKAM_GENERAL_LOG) << "Writing file to " << newURL; //-- Show Settings Dialog ---------------------------------------------- const QString configShowImageSettingsDialog = QLatin1String("ShowImageSettingsDialog"); bool showDialog = group.readEntry(configShowImageSettingsDialog, true); FileSaveOptionsBox* const options = new FileSaveOptionsBox(); if (showDialog && options->discoverFormat(newURL.fileName(), DImg::NONE) != DImg::NONE) { FileSaveOptionsDlg* const fileSaveOptionsDialog = new FileSaveOptionsDlg(this, options); options->setImageFileFormat(newURL.fileName()); if (d->currentWindowModalDialog) { // go application-modal - we will create utter confusion if descending into more than one window-modal dialog fileSaveOptionsDialog->setModal(true); result = fileSaveOptionsDialog->exec(); } else { fileSaveOptionsDialog->setWindowModality(Qt::WindowModal); d->currentWindowModalDialog = fileSaveOptionsDialog; result = fileSaveOptionsDialog->exec(); d->currentWindowModalDialog = 0; } if (result != QDialog::Accepted || !fileSaveOptionsDialog) { return false; } } // write settings to config options->applySettings(); // read settings from config to local container applyIOSettings(); // select the format to save the image with m_savingContext.format = selectValidSavingFormat(newURL); if (m_savingContext.format.isNull()) { QMessageBox::critical(this, qApp->applicationName(), i18n("Unable to determine the format to save the target image with.")); return false; } if (!newURL.isValid()) { QMessageBox::critical(this, qApp->applicationName(), i18n("Cannot Save: Found file path %1 is invalid.", newURL.toDisplayString())); qCWarning(DIGIKAM_GENERAL_LOG) << "target URL is not valid !"; return false; } group.writeEntry(optionLastExtension, m_savingContext.format); config->sync(); return true; } QString EditorWindow::selectValidSavingFormat(const QUrl& targetUrl) { qCDebug(DIGIKAM_GENERAL_LOG) << "Trying to find a saving format from targetUrl = " << targetUrl; // build a list of valid types QString all; supportedImageMimeTypes(QIODevice::WriteOnly, all); qCDebug(DIGIKAM_GENERAL_LOG) << "Qt Offered types: " << all; QStringList validTypes = all.split(QLatin1String("*."), QString::SkipEmptyParts); validTypes.replaceInStrings(QLatin1String(" "), QString()); qCDebug(DIGIKAM_GENERAL_LOG) << "Writable formats: " << validTypes; // determine the format to use the format provided in the filename QString suffix; if (targetUrl.isLocalFile()) { // for local files QFileInfo can be used QFileInfo fi(targetUrl.toLocalFile()); suffix = fi.suffix(); qCDebug(DIGIKAM_GENERAL_LOG) << "Possible format from local file: " << suffix; } else { // for remote files string manipulation is needed unfortunately QString fileName = targetUrl.fileName(); const int periodLocation = fileName.lastIndexOf(QLatin1Char('.')); if (periodLocation >= 0) { suffix = fileName.right(fileName.size() - periodLocation - 1); } qCDebug(DIGIKAM_GENERAL_LOG) << "Possible format from remote file: " << suffix; } if (!suffix.isEmpty() && validTypes.contains(suffix, Qt::CaseInsensitive)) { qCDebug(DIGIKAM_GENERAL_LOG) << "Using format from target url " << suffix; return suffix; } // another way to determine the format is to use the original file { QString originalFormat = QString::fromUtf8(QImageReader::imageFormat(m_savingContext.srcURL.toLocalFile())); if (validTypes.contains(originalFormat, Qt::CaseInsensitive)) { qCDebug(DIGIKAM_GENERAL_LOG) << "Using format from original file: " << originalFormat; return originalFormat; } } qCDebug(DIGIKAM_GENERAL_LOG) << "No suitable format found"; return QString(); } bool EditorWindow::startingSaveAs(const QUrl& url) { qCDebug(DIGIKAM_GENERAL_LOG) << "startSavingAs called"; if (m_savingContext.savingState != SavingContext::SavingStateNone) { return false; } m_savingContext = SavingContext(); m_savingContext.srcURL = url; QUrl suggested = m_savingContext.srcURL; // Run dialog ------------------------------------------------------------------- QUrl newURL; if (!showFileSaveDialog(suggested, newURL)) { return false; } // if new and original URL are equal use save() ------------------------------ QUrl currURL(m_savingContext.srcURL); currURL.setPath(QDir::cleanPath(currURL.path())); newURL.setPath(QDir::cleanPath(newURL.path())); if (currURL.matches(newURL, QUrl::None)) { save(); return false; } // Check for overwrite ---------------------------------------------------------- QFileInfo fi(newURL.toLocalFile()); m_savingContext.destinationExisted = fi.exists(); if (m_savingContext.destinationExisted) { if (!checkOverwrite(newURL)) { return false; } // There will be two message boxes if the file is not writable. // This may be controversial, and it may be changed, but it was a deliberate decision. if (!checkPermissions(newURL)) { return false; } } // Now do the actual saving ----------------------------------------------------- setupTempSaveFile(newURL); m_savingContext.destinationURL = newURL; m_savingContext.originalFormat = m_canvas->currentImageFileFormat(); m_savingContext.savingState = SavingContext::SavingStateSaveAs; m_savingContext.executedOperation = SavingContext::SavingStateNone; m_savingContext.abortingSaving = false; // in any case, destructive (Save as) or non (Export), mark as New Version m_canvas->interface()->setHistoryIsBranch(true); m_canvas->interface()->saveAs(m_savingContext.saveTempFileName, m_IOFileSettings, m_setExifOrientationTag && m_canvas->exifRotated(), m_savingContext.format.toLower(), m_savingContext.destinationURL.toLocalFile()); return true; } bool EditorWindow::startingSaveCurrentVersion(const QUrl& url) { return startingSaveVersion(url, false, false, QString()); } bool EditorWindow::startingSaveNewVersion(const QUrl& url) { return startingSaveVersion(url, true, false, QString()); } bool EditorWindow::startingSaveNewVersionAs(const QUrl& url) { return startingSaveVersion(url, true, true, QString()); } bool EditorWindow::startingSaveNewVersionInFormat(const QUrl& url, const QString& format) { return startingSaveVersion(url, true, false, format); } VersionFileOperation EditorWindow::saveVersionFileOperation(const QUrl& url, bool fork) { DImageHistory resolvedHistory = m_canvas->interface()->getResolvedInitialHistory(); DImageHistory history = m_canvas->interface()->getItemHistory(); VersionFileInfo currentName(url.adjusted(QUrl::RemoveFilename | QUrl::StripTrailingSlash).toLocalFile(), url.fileName(), m_canvas->currentImageFileFormat()); return versionManager()->operation(fork ? VersionManager::NewVersionName : VersionManager::CurrentVersionName, currentName, resolvedHistory, history); } VersionFileOperation EditorWindow::saveAsVersionFileOperation(const QUrl& url, const QUrl& saveUrl, const QString& format) { DImageHistory resolvedHistory = m_canvas->interface()->getResolvedInitialHistory(); DImageHistory history = m_canvas->interface()->getItemHistory(); VersionFileInfo currentName(url.adjusted(QUrl::RemoveFilename | QUrl::StripTrailingSlash).toLocalFile(), url.fileName(), m_canvas->currentImageFileFormat()); VersionFileInfo saveLocation(saveUrl.adjusted(QUrl::RemoveFilename).toLocalFile(), saveUrl.fileName(), format); return versionManager()->operationNewVersionAs(currentName, saveLocation, resolvedHistory, history); } VersionFileOperation EditorWindow::saveInFormatVersionFileOperation(const QUrl& url, const QString& format) { DImageHistory resolvedHistory = m_canvas->interface()->getResolvedInitialHistory(); DImageHistory history = m_canvas->interface()->getItemHistory(); VersionFileInfo currentName(url.adjusted(QUrl::RemoveFilename | QUrl::StripTrailingSlash).toLocalFile(), url.fileName(), m_canvas->currentImageFileFormat()); return versionManager()->operationNewVersionInFormat(currentName, format, resolvedHistory, history); } bool EditorWindow::startingSaveVersion(const QUrl& url, bool fork, bool saveAs, const QString& format) { qCDebug(DIGIKAM_GENERAL_LOG) << "Saving image" << url << "non-destructive, new version:" << fork << ", saveAs:" << saveAs << "format:" << format; if (m_savingContext.savingState != SavingContext::SavingStateNone) { return false; } m_savingContext = SavingContext(); m_savingContext.versionFileOperation = saveVersionFileOperation(url, fork); m_canvas->interface()->setHistoryIsBranch(fork); if (saveAs) { QUrl suggested = m_savingContext.versionFileOperation.saveFile.fileUrl(); QUrl selectedUrl; if (!showFileSaveDialog(suggested, selectedUrl)) { return false; } m_savingContext.versionFileOperation = saveAsVersionFileOperation(url, selectedUrl, m_savingContext.format); } else if (!format.isNull()) { m_savingContext.versionFileOperation = saveInFormatVersionFileOperation(url, format); } const QUrl newURL = m_savingContext.versionFileOperation.saveFile.fileUrl(); qCDebug(DIGIKAM_GENERAL_LOG) << "Writing file to " << newURL; if (!newURL.isValid()) { QMessageBox::critical(this, qApp->applicationName(), i18nc("@info", "Cannot save file %1 to " "the suggested version file name %2", url.fileName(), newURL.fileName())); qCWarning(DIGIKAM_GENERAL_LOG) << "target URL is not valid !"; return false; } QFileInfo fi(newURL.toLocalFile()); m_savingContext.destinationExisted = fi.exists(); // Check for overwrite (saveAs only) -------------------------------------------- if (m_savingContext.destinationExisted) { // So, should we refuse to overwrite the original? // It's a frontal crash against non-destructive principles. // It is tempting to refuse, yet I think the user has to decide in the end /*QUrl currURL(m_savingContext.srcURL); currURL.cleanPath(); newURL.cleanPath(); if (currURL.equals(newURL)) { ... return false; }*/ // check for overwrite, unless the operation explicitly tells us to overwrite if (!(m_savingContext.versionFileOperation.tasks & VersionFileOperation::Replace) && !checkOverwrite(newURL)) { return false; } // There will be two message boxes if the file is not writable. // This may be controversial, and it may be changed, but it was a deliberate decision. if (!checkPermissions(newURL)) { return false; } } setupTempSaveFile(newURL); m_savingContext.srcURL = url; m_savingContext.destinationURL = newURL; m_savingContext.originalFormat = m_canvas->currentImageFileFormat(); m_savingContext.format = m_savingContext.versionFileOperation.saveFile.format; m_savingContext.abortingSaving = false; m_savingContext.savingState = SavingContext::SavingStateVersion; m_savingContext.executedOperation = SavingContext::SavingStateNone; m_canvas->interface()->saveAs(m_savingContext.saveTempFileName, m_IOFileSettings, m_setExifOrientationTag && m_canvas->exifRotated(), m_savingContext.format.toLower(), m_savingContext.versionFileOperation); return true; } bool EditorWindow::checkPermissions(const QUrl& url) { //TODO: Check that the permissions can actually be changed // if write permissions are not available. QFileInfo fi(url.toLocalFile()); if (fi.exists() && !fi.isWritable()) { int result = QMessageBox::warning(this, i18n("Overwrite File?"), i18n("You do not have write permissions " "for the file named \"%1\". " "Are you sure you want " "to overwrite it?", url.fileName()), QMessageBox::Save | QMessageBox::Cancel); if (result != QMessageBox::Save) { return false; } } return true; } bool EditorWindow::checkOverwrite(const QUrl& url) { int result = QMessageBox::warning(this, i18n("Overwrite File?"), i18n("A file named \"%1\" already " "exists. Are you sure you want " "to overwrite it?", url.fileName()), QMessageBox::Save | QMessageBox::Cancel); return (result == QMessageBox::Save); } bool EditorWindow::moveLocalFile(const QString& org, const QString& dst) { QString sidecarOrg = DMetadata::sidecarFilePathForFile(org); QString source = m_savingContext.srcURL.toLocalFile(); if (QFileInfo(sidecarOrg).exists()) { QString sidecarDst = DMetadata::sidecarFilePathForFile(dst); if (!DFileOperations::localFileRename(source, sidecarOrg, sidecarDst)) { qCDebug(DIGIKAM_GENERAL_LOG) << "Failed to move sidecar file"; } } if (!DFileOperations::localFileRename(source, org, dst)) { QMessageBox::critical(this, i18n("Error Saving File"), i18n("Failed to overwrite original file")); return false; } return true; } void EditorWindow::moveFile() { // Move local file. if (m_savingContext.executedOperation == SavingContext::SavingStateVersion) { // check if we need to move the current file to an intermediate name if (m_savingContext.versionFileOperation.tasks & VersionFileOperation::MoveToIntermediate) { //qCDebug(DIGIKAM_GENERAL_LOG) << "MoveToIntermediate: Moving " << m_savingContext.srcURL.toLocalFile() << "to" // << m_savingContext.versionFileOperation.intermediateForLoadedFile.filePath() moveLocalFile(m_savingContext.srcURL.toLocalFile(), m_savingContext.versionFileOperation.intermediateForLoadedFile.filePath()); LoadingCacheInterface::fileChanged(m_savingContext.destinationURL.toLocalFile()); ThumbnailLoadThread::deleteThumbnail(m_savingContext.destinationURL.toLocalFile()); } } bool moveSuccessful = moveLocalFile(m_savingContext.saveTempFileName, m_savingContext.destinationURL.toLocalFile()); if (m_savingContext.executedOperation == SavingContext::SavingStateVersion) { if (moveSuccessful && m_savingContext.versionFileOperation.tasks & VersionFileOperation::SaveAndDelete) { QFile file(m_savingContext.versionFileOperation.loadedFile.filePath()); file.remove(); } } movingSaveFileFinished(moveSuccessful); } void EditorWindow::slotDiscardChanges() { m_canvas->interface()->rollbackToOrigin(); } void EditorWindow::slotOpenOriginal() { // no-op in this base class } void EditorWindow::slotColorManagementOptionsChanged() { applyColorManagementSettings(); applyIOSettings(); } void EditorWindow::slotToggleColorManagedView() { if (!IccSettings::instance()->isEnabled()) { return; } bool cmv = !IccSettings::instance()->settings().useManagedView; IccSettings::instance()->setUseManagedView(cmv); } void EditorWindow::setColorManagedViewIndicatorToolTip(bool available, bool cmv) { QString tooltip; if (available) { if (cmv) { tooltip = i18n("Color-Managed View is enabled."); } else { tooltip = i18n("Color-Managed View is disabled."); } } else { tooltip = i18n("Color Management is not configured, so the Color-Managed View is not available."); } d->cmViewIndicator->setToolTip(tooltip); } void EditorWindow::slotSoftProofingOptions() { // Adjusts global settings QPointer dlg = new SoftProofDialog(this); dlg->exec(); d->viewSoftProofAction->setChecked(dlg->shallEnableSoftProofView()); slotUpdateSoftProofingState(); delete dlg; } void EditorWindow::slotUpdateSoftProofingState() { bool on = d->viewSoftProofAction->isChecked(); m_canvas->setSoftProofingEnabled(on); d->toolIface->updateICCSettings(); } void EditorWindow::slotSetUnderExposureIndicator(bool on) { d->exposureSettings->underExposureIndicator = on; d->toolIface->updateExposureSettings(); d->viewUnderExpoAction->setChecked(on); setUnderExposureToolTip(on); } void EditorWindow::setUnderExposureToolTip(bool on) { d->underExposureIndicator->setToolTip( on ? i18n("Under-Exposure indicator is enabled") : i18n("Under-Exposure indicator is disabled")); } void EditorWindow::slotSetOverExposureIndicator(bool on) { d->exposureSettings->overExposureIndicator = on; d->toolIface->updateExposureSettings(); d->viewOverExpoAction->setChecked(on); setOverExposureToolTip(on); } void EditorWindow::setOverExposureToolTip(bool on) { d->overExposureIndicator->setToolTip( on ? i18n("Over-Exposure indicator is enabled") : i18n("Over-Exposure indicator is disabled")); } void EditorWindow::slotToggleSlideShow() { SlideShowSettings settings; settings.readFromConfig(); slideShow(settings); } void EditorWindow::slotSelectionChanged(const QRect& sel) { slotSelectionSetText(sel); emit signalSelectionChanged(sel); } void EditorWindow::slotSelectionSetText(const QRect& sel) { setToolInfoMessage(QString::fromLatin1("(%1, %2) (%3 x %4)").arg(sel.x()).arg(sel.y()).arg(sel.width()).arg(sel.height())); } void EditorWindow::slotComponentsInfo() { LibsInfoDlg* const dlg = new LibsInfoDlg(this); dlg->show(); } void EditorWindow::setToolStartProgress(const QString& toolName) { m_animLogo->start(); m_nameLabel->setProgressValue(0); m_nameLabel->setProgressBarMode(StatusProgressBar::CancelProgressBarMode, QString::fromUtf8("%1:").arg(toolName)); } void EditorWindow::setToolProgress(int progress) { m_nameLabel->setProgressValue(progress); } void EditorWindow::setToolStopProgress() { m_animLogo->stop(); m_nameLabel->setProgressValue(0); m_nameLabel->setProgressBarMode(StatusProgressBar::TextMode); slotUpdateItemInfo(); } void EditorWindow::slotCloseTool() { if (d->toolIface) { d->toolIface->slotCloseTool(); } } void EditorWindow::slotApplyTool() { if (d->toolIface) { d->toolIface->slotApplyTool(); } } void EditorWindow::setPreviewModeMask(int mask) { d->previewToolBar->setPreviewModeMask(mask); } PreviewToolBar::PreviewMode EditorWindow::previewMode() const { return d->previewToolBar->previewMode(); } void EditorWindow::setToolInfoMessage(const QString& txt) { d->infoLabel->setAdjustedText(txt); } VersionManager* EditorWindow::versionManager() const { return &d->defaultVersionManager; } void EditorWindow::setupSelectToolsAction() { // Create action model ActionItemModel* const actionModel = new ActionItemModel(this); actionModel->setMode(ActionItemModel::ToplevelMenuCategory | ActionItemModel::SortCategoriesByInsertionOrder); // Builtin actions QString transformCategory = i18nc("@title Image Transform", "Transform"); actionModel->addAction(d->rotateLeftAction, transformCategory); actionModel->addAction(d->rotateRightAction, transformCategory); actionModel->addAction(d->flipHorizAction, transformCategory); actionModel->addAction(d->flipVertAction, transformCategory); actionModel->addAction(d->cropAction, transformCategory); actionModel->addAction(d->autoCropAction, transformCategory); actionModel->addAction(d->aspectRatioCropAction, transformCategory); actionModel->addAction(d->resizeAction, transformCategory); actionModel->addAction(d->sheartoolAction, transformCategory); actionModel->addAction(d->freerotationAction, transformCategory); actionModel->addAction(d->perspectiveAction, transformCategory); #ifdef HAVE_LIBLQR_1 actionModel->addAction(d->contentAwareResizingAction, transformCategory); #endif QString decorateCategory = i18nc("@title Image Decorate", "Decorate"); actionModel->addAction(d->textureAction, decorateCategory); actionModel->addAction(d->borderAction, decorateCategory); actionModel->addAction(d->insertTextAction, decorateCategory); QString effectsCategory = i18nc("@title Image Effect", "Effects"); actionModel->addAction(d->filmgrainAction, effectsCategory); actionModel->addAction(d->raindropAction, effectsCategory); actionModel->addAction(d->distortionfxAction, effectsCategory); actionModel->addAction(d->blurfxAction, effectsCategory); actionModel->addAction(d->oilpaintAction, effectsCategory); actionModel->addAction(d->embossAction, effectsCategory); actionModel->addAction(d->charcoalAction, effectsCategory); actionModel->addAction(d->colorEffectsAction, effectsCategory); QString colorsCategory = i18nc("@title Image Colors", "Colors"); actionModel->addAction(d->convertTo8Bits, colorsCategory); actionModel->addAction(d->convertTo16Bits, colorsCategory); actionModel->addAction(d->invertAction, colorsCategory); actionModel->addAction(d->BCGAction, colorsCategory); actionModel->addAction(d->CBAction, colorsCategory); actionModel->addAction(d->autoCorrectionAction, colorsCategory); actionModel->addAction(d->BWAction, colorsCategory); actionModel->addAction(d->HSLAction, colorsCategory); actionModel->addAction(d->whitebalanceAction, colorsCategory); actionModel->addAction(d->channelMixerAction, colorsCategory); actionModel->addAction(d->curvesAction, colorsCategory); actionModel->addAction(d->levelsAction, colorsCategory); actionModel->addAction(d->filmAction, colorsCategory); actionModel->addAction(d->colorSpaceConverter, colorsCategory); QString enhanceCategory = i18nc("@title Image Enhance", "Enhance"); actionModel->addAction(d->restorationAction, enhanceCategory); actionModel->addAction(d->blurAction, enhanceCategory); //actionModel->addAction(d->healCloneAction, enhanceCategory); actionModel->addAction(d->sharpenAction, enhanceCategory); actionModel->addAction(d->noiseReductionAction, enhanceCategory); actionModel->addAction(d->localContrastAction, enhanceCategory); actionModel->addAction(d->redeyeAction, enhanceCategory); actionModel->addAction(d->lensdistortionAction, enhanceCategory); actionModel->addAction(d->antivignettingAction, enhanceCategory); actionModel->addAction(d->hotpixelsAction, enhanceCategory); #ifdef HAVE_LENSFUN actionModel->addAction(d->lensAutoFixAction, enhanceCategory); #endif QString postCategory = i18nc("@title Post Processing Tools", "Post-Processing"); foreach (DPluginAction* const ac, DPluginLoader::instance()->pluginsActions(DPluginAction::GenericTool, this)) { actionModel->addAction(ac, postCategory); } foreach (DPluginAction* const ac, DPluginLoader::instance()->pluginsActions(DPluginAction::GenericMetadata, this)) { actionModel->addAction(ac, postCategory); } QString exportCategory = i18nc("@title Export Tools", "Export"); foreach (DPluginAction* const ac, DPluginLoader::instance()->pluginsActions(DPluginAction::GenericExport, this)) { actionModel->addAction(ac, exportCategory); } QString importCategory = i18nc("@title Import Tools", "Import"); foreach (DPluginAction* const ac, DPluginLoader::instance()->pluginsActions(DPluginAction::GenericImport, this)) { actionModel->addAction(ac, importCategory); } // setup categorized view DCategorizedSortFilterProxyModel* const filterModel = actionModel->createFilterModel(); ActionCategorizedView* const selectToolsActionView = new ActionCategorizedView; selectToolsActionView->setupIconMode(); selectToolsActionView->setModel(filterModel); selectToolsActionView->adjustGridSize(); connect(selectToolsActionView, SIGNAL(clicked(QModelIndex)), actionModel, SLOT(trigger(QModelIndex))); EditorToolIface::editorToolIface()->setToolsIconView(selectToolsActionView); } void EditorWindow::slotThemeChanged() { KSharedConfig::Ptr config = KSharedConfig::openConfig(); KConfigGroup group = config->group(configGroupName()); if (!group.readEntry(d->configUseThemeBackgroundColorEntry, true)) { m_bgColor = group.readEntry(d->configBackgroundColorEntry, QColor(Qt::black)); } else { m_bgColor = palette().color(QPalette::Base); } m_canvas->setBackgroundBrush(QBrush(m_bgColor)); d->toolIface->themeChanged(); } void EditorWindow::addAction2ContextMenu(const QString& actionName, bool addDisabled) { if (!m_contextMenu) { return; } QAction* const action = actionCollection()->action(actionName); if (action && (action->isEnabled() || addDisabled)) { m_contextMenu->addAction(action); } } void EditorWindow::showSideBars(bool visible) { if (visible) { rightSideBar()->restore(QList() << thumbBar(), d->fullscreenSizeBackup); } else { // See bug #166472, a simple backup()/restore() will hide non-sidebar splitter child widgets // in horizontal mode thumbbar wont be member of the splitter, it is just ignored then rightSideBar()->backup(QList() << thumbBar(), &d->fullscreenSizeBackup); } } void EditorWindow::slotToggleRightSideBar() { rightSideBar()->isExpanded() ? rightSideBar()->shrink() : rightSideBar()->expand(); } void EditorWindow::slotPreviousRightSideBarTab() { rightSideBar()->activePreviousTab(); } void EditorWindow::slotNextRightSideBarTab() { rightSideBar()->activeNextTab(); } void EditorWindow::showThumbBar(bool visible) { visible ? thumbBar()->restoreVisibility() : thumbBar()->hide(); } bool EditorWindow::thumbbarVisibility() const { return thumbBar()->isVisible(); } void EditorWindow::customizedFullScreenMode(bool set) { set ? m_canvas->setBackgroundBrush(QBrush(Qt::black)) : m_canvas->setBackgroundBrush(QBrush(m_bgColor)); showStatusBarAction()->setEnabled(!set); toolBarMenuAction()->setEnabled(!set); showMenuBarAction()->setEnabled(!set); m_showBarAction->setEnabled(!set); } void EditorWindow::addServicesMenuForUrl(const QUrl& url) { KService::List offers = DFileOperations::servicesForOpenWith(QList() << url); qCDebug(DIGIKAM_GENERAL_LOG) << offers.count() << " services found to open " << url; if (m_servicesMenu) { delete m_servicesMenu; m_servicesMenu = 0; } if (m_serviceAction) { delete m_serviceAction; m_serviceAction = 0; } if (!offers.isEmpty()) { m_servicesMenu = new QMenu(this); QAction* const serviceAction = m_servicesMenu->menuAction(); serviceAction->setText(i18n("Open With")); foreach(const KService::Ptr& service, offers) { QString name = service->name().replace(QLatin1Char('&'), QLatin1String("&&")); QAction* const action = m_servicesMenu->addAction(name); action->setIcon(QIcon::fromTheme(service->icon())); action->setData(service->name()); d->servicesMap[name] = service; } #ifdef HAVE_KIO m_servicesMenu->addSeparator(); m_servicesMenu->addAction(i18n("Other...")); m_contextMenu->addAction(serviceAction); connect(m_servicesMenu, SIGNAL(triggered(QAction*)), this, SLOT(slotOpenWith(QAction*))); } else { m_serviceAction = new QAction(i18n("Open With..."), this); m_contextMenu->addAction(m_serviceAction); connect(m_servicesMenu, SIGNAL(triggered()), this, SLOT(slotOpenWith())); #endif // HAVE_KIO } } void EditorWindow::openWith(const QUrl& url, QAction* action) { KService::Ptr service; QString name = action ? action->data().toString() : QString(); #ifdef HAVE_KIO if (name.isEmpty()) { QPointer dlg = new KOpenWithDialog(QList() << url); if (dlg->exec() != KOpenWithDialog::Accepted) { delete dlg; return; } service = dlg->service(); if (!service) { // User entered a custom command if (!dlg->text().isEmpty()) { DFileOperations::runFiles(dlg->text(), QList() << url); } delete dlg; return; } delete dlg; } else #endif // HAVE_KIO { service = d->servicesMap[name]; } DFileOperations::runFiles(service.data(), QList() << url); } void EditorWindow::loadTool(EditorTool* const tool) { EditorToolIface::editorToolIface()->loadTool(tool); connect(tool, SIGNAL(okClicked()), this, SLOT(slotToolDone())); connect(tool, SIGNAL(cancelClicked()), this, SLOT(slotToolDone())); } void EditorWindow::slotToolDone() { EditorToolIface::editorToolIface()->unLoadTool(); } void EditorWindow::slotInvert() { qApp->setOverrideCursor(Qt::WaitCursor); ImageIface iface; InvertFilter invert(iface.original(), 0L); invert.startFilterDirectly(); iface.setOriginal(i18n("Invert"), invert.filterAction(), invert.getTargetImage()); qApp->restoreOverrideCursor(); } void EditorWindow::slotConvertTo8Bits() { ImageIface iface; if (!iface.originalSixteenBit()) { QMessageBox::critical(qApp->activeWindow(), qApp->applicationName(), i18n("This image is already using a depth of 8 bits / color / pixel.")); return; } else { if (DMessageBox::showContinueCancel(QMessageBox::Warning, qApp->activeWindow(), qApp->applicationName(), i18n("Performing this operation will reduce image color quality. " "Do you want to continue?"), QLatin1String("ToolColor16To8Bits")) == QMessageBox::Cancel) { return; } } qApp->setOverrideCursor(Qt::WaitCursor); iface.convertOriginalColorDepth(32); qApp->restoreOverrideCursor(); } void EditorWindow::slotConvertTo16Bits() { ImageIface iface; if (iface.originalSixteenBit()) { QMessageBox::critical(qApp->activeWindow(), qApp->applicationName(), i18n("This image is already using a depth of 16 bits / color / pixel.")); return; } qApp->setOverrideCursor(Qt::WaitCursor); iface.convertOriginalColorDepth(64); qApp->restoreOverrideCursor(); } void EditorWindow::slotRotateLeftIntoQue() { m_transformQue.append(TransformType::RotateLeft); } void EditorWindow::slotRotateRightIntoQue() { m_transformQue.append(TransformType::RotateRight); } void EditorWindow::slotFlipHIntoQue() { m_transformQue.append(TransformType::FlipHorizontal); } void EditorWindow::slotFlipVIntoQue() { m_transformQue.append(TransformType::FlipVertical); } void EditorWindow::registerPluginsActions() { DXmlGuiWindow::registerPluginsActions(); DPluginLoader* const dpl = DPluginLoader::instance(); dpl->registerEditorPlugins(this); QList actions = dpl->pluginsActions(DPluginAction::Editor, this); foreach (DPluginAction* const ac, actions) { actionCollection()->addActions(QList() << ac); } } } // namespace Digikam diff --git a/core/utilities/imageeditor/editor/editorwindow.h b/core/utilities/imageeditor/editor/editorwindow.h index 91d537065d..51e2c32e3c 100644 --- a/core/utilities/imageeditor/editor/editorwindow.h +++ b/core/utilities/imageeditor/editor/editorwindow.h @@ -1,404 +1,401 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2006-01-20 * Description : core image editor GUI implementation * * Copyright (C) 2006-2019 by Gilles Caulier * Copyright (C) 2009-2011 by Andi Clemens * Copyright (C) 2015 by Mohamed_Anwer * * 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, 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. * * ============================================================ */ #ifndef DIGIKAM_IMAGE_EDITOR_WINDOW_H #define DIGIKAM_IMAGE_EDITOR_WINDOW_H // C++ includes #include // Qt includes #include #include #include #include #include #include // Local includes #include "digikam_export.h" #include "digikam_config.h" #include "thumbbardock.h" #include "previewtoolbar.h" #include "savingcontext.h" #include "dxmlguiwindow.h" class QSplitter; class QMenu; class QAction; class KSelectAction; class KToolBarPopupAction; namespace Digikam { class DAdjustableLabel; class DCategorizedView; class Canvas; class DImageHistory; class EditorTool; class EditorStackView; class ExposureSettingsContainer; class IOFileSettings; class ICCSettingsContainer; class Sidebar; class SidebarSplitter; class SlideShowSettings; class StatusProgressBar; class VersionManager; class VersionFileOperation; class IccProfile; class DIGIKAM_EXPORT EditorWindow : public DXmlGuiWindow { Q_OBJECT public: enum TransformType { RotateLeft, RotateRight, FlipHorizontal, FlipVertical }; explicit EditorWindow(const QString& name); ~EditorWindow(); const static QString CONFIG_GROUP_NAME; void registerPluginsActions(); void loadTool(EditorTool* const tool); bool actionEnabledState() const; public Q_SLOTS: virtual void slotSetup() = 0; virtual void slotSetupICC() = 0; Q_SIGNALS: void signalSelectionChanged(const QRect&); void signalNoCurrentItem(); void signalPreviewModeChanged(int); void signalToolApplied(); protected: bool m_nonDestructive; bool m_setExifOrientationTag; bool m_editingOriginalImage; bool m_actionEnabledState; bool m_cancelSlideShow; DAdjustableLabel* m_resLabel; QColor m_bgColor; SidebarSplitter* m_splitter; QSplitter* m_vSplitter; QAction* m_openVersionAction; QAction* m_saveAction; QAction* m_saveAsAction; KToolBarPopupAction* m_saveNewVersionAction; QAction* m_saveCurrentVersionAction; QAction* m_saveNewVersionAsAction; QMenu* m_saveNewVersionInFormatAction; QAction* m_exportAction; QAction* m_revertAction; QAction* m_discardChangesAction; QAction* m_fileDeleteAction; QAction* m_forwardAction; QAction* m_backwardAction; QAction* m_lastAction; QAction* m_firstAction; QAction* m_applyToolAction; QAction* m_closeToolAction; QAction* m_showBarAction; KToolBarPopupAction* m_undoAction; KToolBarPopupAction* m_redoAction; QMenu* m_contextMenu; QMenu* m_servicesMenu; QAction* m_serviceAction; EditorStackView* m_stackView; Canvas* m_canvas; StatusProgressBar* m_nameLabel; IOFileSettings* m_IOFileSettings; QPointer m_savingProgressDialog; SavingContext m_savingContext; QString m_formatForRAWVersioning; QString m_formatForSubversions; //using QVector to store transforms QVector m_transformQue; protected: enum SaveAskMode { AskIfNeeded, OverwriteWithoutAsking, AlwaysSaveAs, SaveVersionWithoutAsking = OverwriteWithoutAsking, AlwaysNewVersion = AlwaysSaveAs }; protected: void saveStandardSettings(); void readStandardSettings(); void applyStandardSettings(); void applyIOSettings(); void applyColorManagementSettings(); void setupStandardConnections(); void setupStandardActions(); void setupStatusBar(); void setupContextMenu(); void setupSelectToolsAction(); void toggleStandardActions(bool val); void toggleZoomActions(bool val); void toggleNonDestructiveActions(); void toggleToolActions(EditorTool* tool = 0); - void printImage(const QUrl& url); - bool promptForOverWrite(); bool promptUserDelete(const QUrl& url); bool promptUserSave(const QUrl& url, SaveAskMode mode = AskIfNeeded, bool allowCancel = true); bool waitForSavingToComplete(); void startingSave(const QUrl& url); bool startingSaveAs(const QUrl& url); bool startingSaveCurrentVersion(const QUrl& url); bool startingSaveNewVersion(const QUrl& url); bool startingSaveNewVersionAs(const QUrl& url); bool startingSaveNewVersionInFormat(const QUrl& url, const QString& format); bool checkPermissions(const QUrl& url); bool checkOverwrite(const QUrl& url); bool moveLocalFile(const QString& src, const QString& dest); void movingSaveFileFinished(bool successful); void colorManage(); void execSavingProgressDialog(); void resetOrigin(); void resetOriginSwitchFile(); void addServicesMenuForUrl(const QUrl& url); void openWith(const QUrl& url, QAction* action); EditorStackView* editorStackView() const; ExposureSettingsContainer* exposureSettings() const; VersionFileOperation saveVersionFileOperation(const QUrl& url, bool fork); VersionFileOperation saveAsVersionFileOperation(const QUrl& url, const QUrl& saveLocation, const QString& format); VersionFileOperation saveInFormatVersionFileOperation(const QUrl& url, const QString& format); virtual bool hasOriginalToRestore(); virtual DImageHistory resolvedImageHistory(const DImageHistory& history); virtual void moveFile(); virtual void finishSaving(bool success); virtual void readSettings(); virtual void saveSettings(); virtual void toggleActions(bool val); virtual ThumbBarDock* thumbBar() const = 0; virtual Sidebar* rightSideBar() const = 0; virtual void slideShow(SlideShowSettings& settings) = 0; virtual void setupConnections() = 0; virtual void setupActions() = 0; virtual void setupUserArea() = 0; virtual void addServicesMenu() = 0; virtual VersionManager* versionManager() const; /** * Hook method that subclasses must implement to return the destination url * of the image to save. This may also be a remote url. * * This method will only be called while saving. * * @return destination for the file that is currently being saved. */ virtual QUrl saveDestinationUrl() = 0; virtual void saveIsComplete() = 0; virtual void saveAsIsComplete() = 0; virtual void saveVersionIsComplete() = 0; protected Q_SLOTS: void slotAboutToShowUndoMenu(); void slotAboutToShowRedoMenu(); void slotSelected(bool); void slotLoadingProgress(const QString& filePath, float progress); void slotSavingProgress(const QString& filePath, float progress); void slotNameLabelCancelButtonPressed(); virtual void slotPrepareToLoad(); virtual void slotLoadingStarted(const QString& filename); virtual void slotLoadingFinished(const QString& filename, bool success); virtual void slotSavingStarted(const QString& filename); virtual void slotFileOriginChanged(const QString& filePath); virtual void slotComponentsInfo(); virtual void slotDiscardChanges(); virtual void slotOpenOriginal(); virtual bool saveOrSaveAs(); virtual bool saveAs() = 0; virtual bool save() = 0; virtual bool saveNewVersion() = 0; virtual bool saveCurrentVersion() = 0; virtual bool saveNewVersionAs() = 0; virtual bool saveNewVersionInFormat(const QString&) = 0; - virtual void slotFilePrint() = 0; virtual void slotFileWithDefaultApplication() = 0; virtual void slotDeleteCurrentItem() = 0; virtual void slotBackward() = 0; virtual void slotForward() = 0; virtual void slotFirst() = 0; virtual void slotLast() = 0; virtual void slotUpdateItemInfo() = 0; virtual void slotChanged() = 0; virtual void slotContextMenu() = 0; virtual void slotRevert() = 0; virtual void slotAddedDropedItems(QDropEvent* e) = 0; virtual void slotOpenWith(QAction* action=0) = 0; private Q_SLOTS: void slotSetUnderExposureIndicator(bool); void slotSetOverExposureIndicator(bool); void slotColorManagementOptionsChanged(); void slotToggleColorManagedView(); void slotSoftProofingOptions(); void slotUpdateSoftProofingState(); void slotSavingFinished(const QString& filename, bool success); void slotToggleSlideShow(); void slotZoomTo100Percents(); void slotZoomChanged(bool isMax, bool isMin, double zoom); void slotSelectionChanged(const QRect& sel); void slotSelectionSetText(const QRect& sel); void slotToggleFitToWindow(); void slotToggleOffFitToWindow(); void slotFitToSelect(); void slotIncreaseZoom(); void slotDecreaseZoom(); void slotCloseTool(); void slotApplyTool(); void slotUndoStateChanged(); void slotThemeChanged(); void slotToggleRightSideBar(); void slotPreviousRightSideBarTab(); void slotNextRightSideBarTab(); void slotToolDone(); void slotInvert(); void slotConvertTo8Bits(); void slotConvertTo16Bits(); void slotRotateLeftIntoQue(); void slotRotateRightIntoQue(); void slotFlipHIntoQue(); void slotFlipVIntoQue(); private: void enterWaitingLoop(); void quitWaitingLoop(); void showSideBars(bool visible); void showThumbBar(bool visible); void customizedFullScreenMode(bool set); bool thumbbarVisibility() const; void setColorManagedViewIndicatorToolTip(bool available, bool cmv); void setUnderExposureToolTip(bool uei); void setOverExposureToolTip(bool oei); void setToolStartProgress(const QString& toolName); void setToolProgress(int progress); void setToolStopProgress(); void setToolInfoMessage(const QString& txt); bool startingSaveVersion(const QUrl& url, bool subversion, bool saveAs, const QString& format); void setPreviewModeMask(int mask); PreviewToolBar::PreviewMode previewMode() const; bool showFileSaveDialog(const QUrl& initialUrl, QUrl& newURL); /** * Sets up a temp file to save image contents to and updates the saving * context to use this file * * @param url file to save the image to */ void setupTempSaveFile(const QUrl& url); /** * Sets the format to use in the saving context. Therefore multiple sources * are used starting with the extension found in the save dialog. * * @param filter filter selected in the dialog * @param targetUrl target url selected for the file to save * @return The valid extension which could be found, or a null string */ QString selectValidSavingFormat(const QUrl& targetUrl); void addAction2ContextMenu(const QString& actionName, bool addDisabled = false); private: class Private; Private* const d; friend class EditorToolIface; }; } // namespace Digikam #endif // DIGIKAM_IMAGE_EDITOR_WINDOW_H diff --git a/core/utilities/imageeditor/main/imagewindow.h b/core/utilities/imageeditor/main/imagewindow.h index 7fe5b701d6..c1c58a9ffb 100644 --- a/core/utilities/imageeditor/main/imagewindow.h +++ b/core/utilities/imageeditor/main/imagewindow.h @@ -1,228 +1,224 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2004-02-12 * Description : digiKam image editor GUI * * Copyright (C) 2004-2005 by Renchi Raju * Copyright (C) 2004-2019 by Gilles Caulier * * 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, 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. * * ============================================================ */ #ifndef DIGIKAM_IMAGE_WINDOW_H #define DIGIKAM_IMAGE_WINDOW_H // Qt includes #include #include #include // Local includes #include "editorwindow.h" #include "iteminfo.h" class QDragMoveEvent; class QDropEvent; namespace Digikam { class SlideShowSettings; class CollectionImageChangeset; class ImageWindow : public EditorWindow { Q_OBJECT public: ~ImageWindow(); static ImageWindow* imageWindow(); static bool imageWindowCreated(); bool queryClose(); void toggleTag(int tagID); public: DInfoInterface* infoIface(DPluginAction* const ac); virtual VersionManager* versionManager() const; public Q_SLOTS: void loadItemInfos(const ItemInfoList& imageInfoList, const ItemInfo& imageInfoCurrent, const QString& caption); void openImage(const ItemInfo& info); void slotAssignPickLabel(int pickId); void slotAssignColorLabel(int colorId); void slotAssignRating(int rating); Q_SIGNALS: void signalURLChanged(const QUrl& url); void signalSavingDialogProgress(float value); private: ImageWindow(); void loadIndex(const QModelIndex& index); void closeEvent(QCloseEvent* e); void showEvent(QShowEvent*); void dragMoveEvent(QDragMoveEvent* e); void dropEvent(QDropEvent* e); bool save(); bool saveAs(); bool saveNewVersion(); bool saveCurrentVersion(); bool saveNewVersionAs(); bool saveNewVersionInFormat(const QString& format); QUrl saveDestinationUrl(); bool hasOriginalToRestore(); DImageHistory resolvedImageHistory(const DImageHistory& history); void prepareImageToSave(); void saveFaceTagsToImage(const ItemInfo& info); void saveIsComplete(); void saveAsIsComplete(); void saveVersionIsComplete(); void setViewToURL(const QUrl& url); void deleteCurrentItem(bool ask, bool permanently); void removeCurrent(); void assignPickLabel(const ItemInfo& info, int pickId); void assignColorLabel(const ItemInfo& info, int colorId); void assignRating(const ItemInfo& info, int rating); void toggleTag(const ItemInfo& info, int tagID); ThumbBarDock* thumbBar() const; Sidebar* rightSideBar() const; Q_SIGNALS: // private signals void loadCurrentLater(); private Q_SLOTS: void slotLoadItemInfosStage2(); void slotThumbBarModelReady(); void slotForward(); void slotBackward(); void slotFirst(); void slotLast(); void slotFileWithDefaultApplication(); void slotToMainWindow(); void slotThumbBarImageSelected(const ItemInfo&); void slotLoadCurrent(); void slotDeleteCurrentItem(); void slotDeleteCurrentItemPermanently(); void slotDeleteCurrentItemPermanentlyDirectly(); void slotTrashCurrentItemDirectly(); void slotChanged(); void slotUpdateItemInfo(); void slotFileOriginChanged(const QString&); void slotRevert(); void slotOpenOriginal(); void slotAssignTag(int tagID); void slotRemoveTag(int tagID); void slotRatingChanged(const QUrl&, int); void slotColorLabelChanged(const QUrl&, int); void slotPickLabelChanged(const QUrl&, int); void slotToggleTag(const QUrl&, int); void slotFileMetadataChanged(const QUrl&); //void slotCollectionImageChange(const CollectionImageChangeset&); //void slotRowsAboutToBeRemoved(const QModelIndex& parent, int start, int end); void slotDroppedOnThumbbar(const QList& infos); void slotComponentsInfo(); void slotDBStat(); void slotAddedDropedItems(QDropEvent*); void slotOpenWith(QAction* action=0); void slotRightSideBarActivateTitles(); void slotRightSideBarActivateComments(); void slotRightSideBarActivateAssignedTags(); // -- Internal setup methods implemented in imagewindow_config.cpp ---------------------------------------- public Q_SLOTS: void slotSetup(); void slotSetupICC(); void slotSetupChanged(); // -- Internal setup methods implemented in imagewindow_setup.cpp ---------------------------------------- private: void setupActions(); void setupConnections(); void setupUserArea(); void addServicesMenu(); private Q_SLOTS: void slotContextMenu(); // -- Extra tool methods implemented in imagewindow_tools.cpp ---------------------------------------- -private Q_SLOTS: - - void slotFilePrint(); - private: void slideShow(SlideShowSettings& settings); // -- Import tools methods implemented in imagewindow_import.cpp ------------------------------------- private Q_SLOTS: void slotImportedImagefromScanner(const QUrl& url); // -- Internal private container -------------------------------------------------------------------- private: static ImageWindow* m_instance; class Private; Private* const d; }; } // namespace Digikam #endif // DIGIKAM_IMAGE_WINDOW_H diff --git a/core/utilities/imageeditor/main/imagewindow_tools.cpp b/core/utilities/imageeditor/main/imagewindow_tools.cpp index 3d7043d019..8562a12b17 100644 --- a/core/utilities/imageeditor/main/imagewindow_tools.cpp +++ b/core/utilities/imageeditor/main/imagewindow_tools.cpp @@ -1,121 +1,116 @@ /* ============================================================ * * This file is a part of digiKam project * http://www.digikam.org * * Date : 2004-11-22 * Description : digiKam image editor - extra tools * * Copyright (C) 2004-2019 by Gilles Caulier * * 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, 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. * * ============================================================ */ #include "imagewindow.h" #include "imagewindow_p.h" namespace Digikam { -void ImageWindow::slotFilePrint() -{ - printImage(d->currentUrl()); -} - void ImageWindow::slideShow(SlideShowSettings& settings) { m_cancelSlideShow = false; settings.exifRotate = MetaEngineSettings::instance()->settings().exifRotate; if (!d->imageInfoModel->isEmpty()) { // We have started image editor from Album GUI. we get picture comments from database. m_nameLabel->setProgressBarMode(StatusProgressBar::CancelProgressBarMode, i18n("Preparing slideshow. Please wait...")); float cnt = (float)d->imageInfoModel->rowCount(); int i = 0; foreach (const ItemInfo& info, d->imageInfoModel->imageInfos()) { SlidePictureInfo pictInfo; pictInfo.comment = info.comment(); pictInfo.rating = info.rating(); pictInfo.colorLabel = info.colorLabel(); pictInfo.pickLabel = info.pickLabel(); pictInfo.photoInfo = info.photoInfoContainer(); settings.pictInfoMap.insert(info.fileUrl(), pictInfo); settings.fileList << info.fileUrl(); m_nameLabel->setProgressValue((int)((i++ / cnt) * 100.0)); qApp->processEvents(); } } /* else { // We have started image editor from Camera GUI. we get picture comments from metadata. m_nameLabel->setProgressBarMode(StatusProgressBar::CancelProgressBarMode, i18n("Preparing slideshow. Please wait...")); cnt = (float)d->urlList.count(); DMetadata meta; settings.fileList = d->urlList; for (QList::Iterator it = d->urlList.begin() ; !m_cancelSlideShow && (it != d->urlList.end()) ; ++it) { SlidePictureInfo pictInfo; meta.load((*it).toLocalFile()); pictInfo.comment = meta.getItemComments()[QString("x-default")].caption; pictInfo.photoInfo = meta.getPhotographInformation(); settings.pictInfoMap.insert(*it, pictInfo); m_nameLabel->setProgressValue((int)((i++/cnt)*100.0)); qApp->processEvents(); } } */ m_nameLabel->setProgressBarMode(StatusProgressBar::TextMode, QString()); if (!m_cancelSlideShow) { QPointer slide = new SlideShow(settings); TagsActionMngr::defaultManager()->registerActionsToWidget(slide); if (settings.startWithCurrent) { slide->setCurrentItem(d->currentUrl()); } connect(slide, SIGNAL(signalRatingChanged(QUrl,int)), this, SLOT(slotRatingChanged(QUrl,int))); connect(slide, SIGNAL(signalColorLabelChanged(QUrl,int)), this, SLOT(slotColorLabelChanged(QUrl,int))); connect(slide, SIGNAL(signalPickLabelChanged(QUrl,int)), this, SLOT(slotPickLabelChanged(QUrl,int))); connect(slide, SIGNAL(signalToggleTag(QUrl,int)), this, SLOT(slotToggleTag(QUrl,int))); slide->show(); } } } // namespace Digikam