From 637356e895628dd248443cebf838e89358125940 Mon Sep 17 00:00:00 2001 From: Jeremy Hu Date: Thu, 25 Oct 2018 14:27:59 +0800 Subject: [PATCH] Fix undo Add a crc64 hash check for history keeping to avoid repeated snapshot. Besides, before, there is a logic error in the undo implementation, which recover the most recent snapshot from undo stack, so user need undo twice and at the second undo get the expected result. This incorrect behavior got fixed. --- ACKNOWLEDGEMENTS.html | 42 + dust3d.pro | 5 + src/document.cpp | 35 +- src/document.h | 3 + src/documentwindow.cp | 1341 +++++++++++++++++ src/documentwindow.cpp | 8 +- src/snapshot.cpp | 5 +- src/snapshot.h | 97 +- thirdparty/simpleuv/simpleuv/chartpacker.cpp | 12 +- thirdparty/simpleuv/simpleuv/parametrize.cpp | 2 +- thirdparty/simpleuv/simpleuv/uvunwrapper.cpp | 4 +- .../simpleuv/thirdparty/squeezer/maxrects.c | 2 +- 12 files changed, 1532 insertions(+), 24 deletions(-) create mode 100644 src/documentwindow.cp diff --git a/ACKNOWLEDGEMENTS.html b/ACKNOWLEDGEMENTS.html index 20b71c5a..b7b70eef 100644 --- a/ACKNOWLEDGEMENTS.html +++ b/ACKNOWLEDGEMENTS.html @@ -1086,3 +1086,45 @@ https://www.reddit.com/r/gamedev/comments/5iuf3h/i_am_writting_a_3d_monster_mode
     https://www.gamedev.net/articles/programming/graphics/how-to-work-with-fbx-sdk-r3582
 
+ +

crc64

+
+    /* Redis uses the CRC64 variant with "Jones" coefficients and init value of 0.
+    *
+    * Specification of this CRC64 variant follows:
+    * Name: crc-64-jones
+    * Width: 64 bites
+    * Poly: 0xad93d23594c935a9
+    * Reflected In: True
+    * Xor_In: 0xffffffffffffffff
+    * Reflected_Out: True
+    * Xor_Out: 0x0
+    * Check("123456789"): 0xe9c6d914c4b8d9ca
+    *
+    * Copyright (c) 2012, Salvatore Sanfilippo 
+    * All rights reserved.
+    *
+    * Redistribution and use in source and binary forms, with or without
+    * modification, are permitted provided that the following conditions are met:
+    *
+    *   * Redistributions of source code must retain the above copyright notice,
+    *     this list of conditions and the following disclaimer.
+    *   * Redistributions in binary form must reproduce the above copyright
+    *     notice, this list of conditions and the following disclaimer in the
+    *     documentation and/or other materials provided with the distribution.
+    *   * Neither the name of Redis nor the names of its contributors may be used
+    *     to endorse or promote products derived from this software without
+    *     specific prior written permission.
+    *
+    * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
+    * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
+    * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
+    * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
+    * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
+    * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
+    * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
+    * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
+    * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
+    * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
+    * POSSIBILITY OF SUCH DAMAGE. */
+
\ No newline at end of file diff --git a/dust3d.pro b/dust3d.pro index 03117592..47d80b8d 100644 --- a/dust3d.pro +++ b/dust3d.pro @@ -276,6 +276,11 @@ SOURCES += src/main.cpp HEADERS += src/version.h +INCLUDEPATH += thirdparty/crc64 + +SOURCES += thirdparty/crc64/crc64.c +HEADERS += thirdparty/crc64/crc64.h + INCLUDEPATH += thirdparty/miniz SOURCES += thirdparty/miniz/miniz.c diff --git a/src/document.cpp b/src/document.cpp index 92040a34..eaff33c3 100644 --- a/src/document.cpp +++ b/src/document.cpp @@ -6,6 +6,7 @@ #include #include #include +#include #include "document.h" #include "util.h" #include "snapshotxml.h" @@ -1326,7 +1327,7 @@ void Document::addFromSnapshot(const Snapshot &snapshot, bool fromPaste) emit motionListChanged(); } -void Document::reset() +void Document::silentReset() { originX = 0.0; originY = 0.0; @@ -1344,6 +1345,11 @@ void Document::reset() motionIdList.clear(); rootComponent = Component(); removeRigResults(); +} + +void Document::reset() +{ + silentReset(); emit cleanup(); emit skeletonChanged(); } @@ -2285,21 +2291,27 @@ void Document::setPartColorState(QUuid partId, bool hasColor, QColor color) void Document::saveSnapshot() { - if (m_undoItems.size() + 1 > m_maxSnapshot) - m_undoItems.pop_front(); HistoryItem item; toSnapshot(&item.snapshot); + item.hash = item.snapshot.hash(); + if (!m_undoItems.empty() && item.hash == m_undoItems[m_undoItems.size() - 1].hash) { + qDebug() << "Snapshot has the same hash:" << item.hash << "skipped"; + return; + } + if (m_undoItems.size() + 1 > m_maxSnapshot) + m_undoItems.pop_front(); m_undoItems.push_back(item); - qDebug() << "Undo items:" << m_undoItems.size(); + qDebug() << "Snapshot saved with hash:" << item.hash << " History count:" << m_undoItems.size(); } void Document::undo() { - if (m_undoItems.empty()) + if (!undoable()) return; m_redoItems.push_back(m_undoItems.back()); - fromSnapshot(m_undoItems.back().snapshot); m_undoItems.pop_back(); + const auto &item = m_undoItems.back(); + fromSnapshot(item.snapshot); qDebug() << "Undo/Redo items:" << m_undoItems.size() << m_redoItems.size(); } @@ -2308,11 +2320,18 @@ void Document::redo() if (m_redoItems.empty()) return; m_undoItems.push_back(m_redoItems.back()); - fromSnapshot(m_redoItems.back().snapshot); + const auto &item = m_redoItems.back(); + fromSnapshot(item.snapshot); m_redoItems.pop_back(); qDebug() << "Undo/Redo items:" << m_undoItems.size() << m_redoItems.size(); } +void Document::clearHistories() +{ + m_undoItems.clear(); + m_redoItems.clear(); +} + void Document::paste() { const QClipboard *clipboard = QApplication::clipboard(); @@ -2371,7 +2390,7 @@ bool Document::hasPastableMotionsInClipboard() const bool Document::undoable() const { - return !m_undoItems.empty(); + return m_undoItems.size() >= 2; } bool Document::redoable() const diff --git a/src/document.h b/src/document.h index 680f4af1..f6d675a5 100644 --- a/src/document.h +++ b/src/document.h @@ -200,6 +200,7 @@ enum class SkeletonProfile class HistoryItem { public: + uint32_t hash; Snapshot snapshot; }; @@ -773,6 +774,8 @@ public slots: void batchChangeBegin(); void batchChangeEnd(); void reset(); + void clearHistories(); + void silentReset(); void breakEdge(QUuid edgeId); void setXlockState(bool locked); void setYlockState(bool locked); diff --git a/src/documentwindow.cp b/src/documentwindow.cp new file mode 100644 index 00000000..b408adeb --- /dev/null +++ b/src/documentwindow.cp @@ -0,0 +1,1341 @@ +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include "documentwindow.h" +#include "skeletongraphicswidget.h" +#include "theme.h" +#include "ds3file.h" +#include "snapshot.h" +#include "snapshotxml.h" +#include "logbrowser.h" +#include "util.h" +#include "aboutwidget.h" +#include "version.h" +#include "gltffile.h" +#include "graphicscontainerwidget.h" +#include "parttreewidget.h" +#include "rigwidget.h" +#include "markiconcreator.h" +#include "motionmanagewidget.h" +#include "materialmanagewidget.h" +#include "imageforever.h" +#include "spinnableawesomebutton.h" +#include "fbxfile.h" +#include "shortcuts.h" + +int SkeletonDocumentWindow::m_modelRenderWidgetInitialX = 16; +int SkeletonDocumentWindow::m_modelRenderWidgetInitialY = 16; +int SkeletonDocumentWindow::m_modelRenderWidgetInitialSize = 128; +int SkeletonDocumentWindow::m_skeletonRenderWidgetInitialX = SkeletonDocumentWindow::m_modelRenderWidgetInitialX + SkeletonDocumentWindow::m_modelRenderWidgetInitialSize + 16; +int SkeletonDocumentWindow::m_skeletonRenderWidgetInitialY = SkeletonDocumentWindow::m_modelRenderWidgetInitialY; +int SkeletonDocumentWindow::m_skeletonRenderWidgetInitialSize = SkeletonDocumentWindow::m_modelRenderWidgetInitialSize; + +LogBrowser *g_logBrowser = nullptr; +std::set g_documentWindows; +QTextBrowser *g_acknowlegementsWidget = nullptr; +AboutWidget *g_aboutWidget = nullptr; +QTextBrowser *g_contributorsWidget = nullptr; + +void outputMessage(QtMsgType type, const QMessageLogContext &context, const QString &msg) +{ + if (g_logBrowser) + g_logBrowser->outputMessage(type, msg, context.file, context.line); +} + +void SkeletonDocumentWindow::showAcknowlegements() +{ + if (!g_acknowlegementsWidget) { + g_acknowlegementsWidget = new QTextBrowser; + g_acknowlegementsWidget->setWindowTitle(unifiedWindowTitle(tr("Acknowlegements"))); + g_acknowlegementsWidget->setMinimumSize(QSize(400, 300)); + QFile file(":/ACKNOWLEDGEMENTS.html"); + file.open(QFile::ReadOnly | QFile::Text); + QTextStream stream(&file); + g_acknowlegementsWidget->setHtml(stream.readAll()); + } + g_acknowlegementsWidget->show(); + g_acknowlegementsWidget->activateWindow(); + g_acknowlegementsWidget->raise(); +} + +void SkeletonDocumentWindow::showContributors() +{ + if (!g_contributorsWidget) { + g_contributorsWidget = new QTextBrowser; + g_contributorsWidget->setWindowTitle(unifiedWindowTitle(tr("Contributors"))); + g_contributorsWidget->setMinimumSize(QSize(400, 300)); + QFile authors(":/AUTHORS"); + authors.open(QFile::ReadOnly | QFile::Text); + QFile contributors(":/CONTRIBUTORS"); + contributors.open(QFile::ReadOnly | QFile::Text); + g_contributorsWidget->setHtml("

AUTHORS

" + authors.readAll() + "

CONTRIBUTORS

" + contributors.readAll() + "
"); + } + g_contributorsWidget->show(); + g_contributorsWidget->activateWindow(); + g_contributorsWidget->raise(); +} + +void SkeletonDocumentWindow::showAbout() +{ + if (!g_aboutWidget) { + g_aboutWidget = new AboutWidget; + } + g_aboutWidget->show(); + g_aboutWidget->activateWindow(); + g_aboutWidget->raise(); +} + +SkeletonDocumentWindow::SkeletonDocumentWindow() : + m_document(nullptr), + m_firstShow(true), + m_documentSaved(true), + m_exportPreviewWidget(nullptr), + m_advanceSettingWidget(nullptr) +{ + if (!g_logBrowser) { + g_logBrowser = new LogBrowser; + qInstallMessageHandler(&outputMessage); + } + + g_documentWindows.insert(this); + + m_document = new Document; + + QVBoxLayout *toolButtonLayout = new QVBoxLayout; + toolButtonLayout->setSpacing(0); + toolButtonLayout->setContentsMargins(5, 10, 4, 0); + + QPushButton *addButton = new QPushButton(QChar(fa::plus)); + Theme::initAwesomeButton(addButton); + + QPushButton *selectButton = new QPushButton(QChar(fa::mousepointer)); + Theme::initAwesomeButton(selectButton); + + QPushButton *dragButton = new QPushButton(QChar(fa::handrocko)); + Theme::initAwesomeButton(dragButton); + + QPushButton *zoomInButton = new QPushButton(QChar(fa::searchplus)); + Theme::initAwesomeButton(zoomInButton); + + QPushButton *zoomOutButton = new QPushButton(QChar(fa::searchminus)); + Theme::initAwesomeButton(zoomOutButton); + + m_xlockButton = new QPushButton(QChar('X')); + initLockButton(m_xlockButton); + updateXlockButtonState(); + + m_ylockButton = new QPushButton(QChar('Y')); + initLockButton(m_ylockButton); + updateYlockButtonState(); + + m_zlockButton = new QPushButton(QChar('Z')); + initLockButton(m_zlockButton); + updateZlockButtonState(); + + m_radiusLockButton = new QPushButton(QChar(fa::bullseye)); + Theme::initAwesomeButton(m_radiusLockButton); + updateRadiusLockButtonState(); + + QPushButton *rotateCounterclockwiseButton = new QPushButton(QChar(fa::rotateleft)); + Theme::initAwesomeButton(rotateCounterclockwiseButton); + + QPushButton *rotateClockwiseButton = new QPushButton(QChar(fa::rotateright)); + Theme::initAwesomeButton(rotateClockwiseButton); + + SpinnableAwesomeButton *regenerateButton = new SpinnableAwesomeButton(); + regenerateButton->setAwesomeIcon(QChar(fa::recycle)); + connect(m_document, &Document::meshGenerating, this, [=]() { + regenerateButton->showSpinner(true); + }); + connect(m_document, &Document::postProcessing, this, [=]() { + regenerateButton->showSpinner(true); + }); + connect(m_document, &Document::textureGenerating, this, [=]() { + regenerateButton->showSpinner(true); + }); + connect(m_document, &Document::resultTextureChanged, this, [=]() { + regenerateButton->showSpinner(false); + }); + connect(regenerateButton->button(), &QPushButton::clicked, m_document, &Document::regenerateMesh); + + toolButtonLayout->addWidget(addButton); + toolButtonLayout->addWidget(selectButton); + toolButtonLayout->addWidget(dragButton); + toolButtonLayout->addWidget(zoomInButton); + toolButtonLayout->addWidget(zoomOutButton); + toolButtonLayout->addSpacing(10); + toolButtonLayout->addWidget(m_xlockButton); + toolButtonLayout->addWidget(m_ylockButton); + toolButtonLayout->addWidget(m_zlockButton); + toolButtonLayout->addWidget(m_radiusLockButton); + toolButtonLayout->addSpacing(10); + toolButtonLayout->addWidget(rotateCounterclockwiseButton); + toolButtonLayout->addWidget(rotateClockwiseButton); + toolButtonLayout->addSpacing(10); + toolButtonLayout->addWidget(regenerateButton); + + + QLabel *verticalLogoLabel = new QLabel; + QImage verticalLogoImage; + verticalLogoImage.load(":/resources/dust3d-vertical.png"); + verticalLogoLabel->setPixmap(QPixmap::fromImage(verticalLogoImage)); + + QHBoxLayout *logoLayout = new QHBoxLayout; + logoLayout->addWidget(verticalLogoLabel); + logoLayout->setContentsMargins(0, 0, 0, 0); + + QVBoxLayout *mainLeftLayout = new QVBoxLayout; + mainLeftLayout->setSpacing(0); + mainLeftLayout->setContentsMargins(0, 0, 0, 0); + mainLeftLayout->addLayout(toolButtonLayout); + mainLeftLayout->addStretch(); + mainLeftLayout->addLayout(logoLayout); + mainLeftLayout->addSpacing(10); + + SkeletonGraphicsWidget *graphicsWidget = new SkeletonGraphicsWidget(m_document); + m_graphicsWidget = graphicsWidget; + + GraphicsContainerWidget *containerWidget = new GraphicsContainerWidget; + containerWidget->setGraphicsWidget(graphicsWidget); + QGridLayout *containerLayout = new QGridLayout; + containerLayout->setSpacing(0); + containerLayout->setContentsMargins(1, 0, 0, 0); + containerLayout->addWidget(graphicsWidget); + containerWidget->setLayout(containerLayout); + containerWidget->setMinimumSize(400, 400); + + m_modelRenderWidget = new ModelWidget(containerWidget); + m_modelRenderWidget->setMinimumSize(SkeletonDocumentWindow::m_modelRenderWidgetInitialSize, SkeletonDocumentWindow::m_modelRenderWidgetInitialSize); + m_modelRenderWidget->setSizePolicy(QSizePolicy::Minimum, QSizePolicy::Minimum); + m_modelRenderWidget->move(SkeletonDocumentWindow::m_modelRenderWidgetInitialX, SkeletonDocumentWindow::m_modelRenderWidgetInitialY); + + m_graphicsWidget->setModelWidget(m_modelRenderWidget); + + m_document->setSharedContextWidget(m_modelRenderWidget); + + setTabPosition(Qt::RightDockWidgetArea, QTabWidget::East); + + QDockWidget *partTreeDocker = new QDockWidget(tr("Parts"), this); + partTreeDocker->setAllowedAreas(Qt::RightDockWidgetArea); + PartTreeWidget *partTreeWidget = new PartTreeWidget(m_document, partTreeDocker); + partTreeDocker->setWidget(partTreeWidget); + addDockWidget(Qt::RightDockWidgetArea, partTreeDocker); + connect(partTreeDocker, &QDockWidget::topLevelChanged, [=](bool topLevel) { + Q_UNUSED(topLevel); + for (const auto &part: m_document->partMap) + partTreeWidget->partPreviewChanged(part.first); + }); + + QDockWidget *materialDocker = new QDockWidget(tr("Materials"), this); + materialDocker->setAllowedAreas(Qt::RightDockWidgetArea); + MaterialManageWidget *materialManageWidget = new MaterialManageWidget(m_document, materialDocker); + materialDocker->setWidget(materialManageWidget); + connect(materialManageWidget, &MaterialManageWidget::registerDialog, this, &SkeletonDocumentWindow::registerDialog); + connect(materialManageWidget, &MaterialManageWidget::unregisterDialog, this, &SkeletonDocumentWindow::unregisterDialog); + addDockWidget(Qt::RightDockWidgetArea, materialDocker); + connect(materialDocker, &QDockWidget::topLevelChanged, [=](bool topLevel) { + Q_UNUSED(topLevel); + for (const auto &material: m_document->materialMap) + emit m_document->materialPreviewChanged(material.first); + }); + + QDockWidget *rigDocker = new QDockWidget(tr("Rig"), this); + rigDocker->setAllowedAreas(Qt::RightDockWidgetArea); + m_rigWidget = new RigWidget(m_document, rigDocker); + rigDocker->setWidget(m_rigWidget); + addDockWidget(Qt::RightDockWidgetArea, rigDocker); + connect(rigDocker, &QDockWidget::topLevelChanged, [=](bool topLevel) { + Q_UNUSED(topLevel); + updateRigWeightRenderWidget(); + }); + + QDockWidget *poseDocker = new QDockWidget(tr("Poses"), this); + poseDocker->setAllowedAreas(Qt::RightDockWidgetArea); + PoseManageWidget *poseManageWidget = new PoseManageWidget(m_document, poseDocker); + poseDocker->setWidget(poseManageWidget); + connect(poseManageWidget, &PoseManageWidget::registerDialog, this, &SkeletonDocumentWindow::registerDialog); + connect(poseManageWidget, &PoseManageWidget::unregisterDialog, this, &SkeletonDocumentWindow::unregisterDialog); + addDockWidget(Qt::RightDockWidgetArea, poseDocker); + connect(poseDocker, &QDockWidget::topLevelChanged, [=](bool topLevel) { + Q_UNUSED(topLevel); + for (const auto &pose: m_document->poseMap) + emit m_document->posePreviewChanged(pose.first); + }); + + QDockWidget *motionDocker = new QDockWidget(tr("Motions"), this); + motionDocker->setAllowedAreas(Qt::RightDockWidgetArea); + MotionManageWidget *motionManageWidget = new MotionManageWidget(m_document, motionDocker); + motionDocker->setWidget(motionManageWidget); + connect(motionManageWidget, &MotionManageWidget::registerDialog, this, &SkeletonDocumentWindow::registerDialog); + connect(motionManageWidget, &MotionManageWidget::unregisterDialog, this, &SkeletonDocumentWindow::unregisterDialog); + addDockWidget(Qt::RightDockWidgetArea, motionDocker); + + tabifyDockWidget(partTreeDocker, materialDocker); + tabifyDockWidget(materialDocker, rigDocker); + tabifyDockWidget(rigDocker, poseDocker); + tabifyDockWidget(poseDocker, motionDocker); + + partTreeDocker->raise(); + + QHBoxLayout *mainLayout = new QHBoxLayout; + mainLayout->setSpacing(0); + mainLayout->setContentsMargins(0, 0, 0, 0); + mainLayout->addLayout(mainLeftLayout); + mainLayout->addWidget(containerWidget); + mainLayout->addSpacing(3); + + QWidget *centralWidget = new QWidget; + centralWidget->setLayout(mainLayout); + + setCentralWidget(centralWidget); + setWindowTitle(APP_NAME); + + m_fileMenu = menuBar()->addMenu(tr("File")); + + m_newWindowAction = new QAction(tr("New Window"), this); + connect(m_newWindowAction, &QAction::triggered, this, &SkeletonDocumentWindow::newWindow, Qt::QueuedConnection); + m_fileMenu->addAction(m_newWindowAction); + + m_newDocumentAction = new QAction(tr("New"), this); + connect(m_newDocumentAction, &QAction::triggered, this, &SkeletonDocumentWindow::newDocument); + m_fileMenu->addAction(m_newDocumentAction); + + m_openAction = new QAction(tr("Open..."), this); + connect(m_openAction, &QAction::triggered, this, &SkeletonDocumentWindow::open, Qt::QueuedConnection); + m_fileMenu->addAction(m_openAction); + + m_saveAction = new QAction(tr("Save"), this); + connect(m_saveAction, &QAction::triggered, this, &SkeletonDocumentWindow::save, Qt::QueuedConnection); + m_fileMenu->addAction(m_saveAction); + + m_saveAsAction = new QAction(tr("Save As..."), this); + connect(m_saveAsAction, &QAction::triggered, this, &SkeletonDocumentWindow::saveAs, Qt::QueuedConnection); + m_fileMenu->addAction(m_saveAsAction); + + m_saveAllAction = new QAction(tr("Save All"), this); + connect(m_saveAllAction, &QAction::triggered, this, &SkeletonDocumentWindow::saveAll, Qt::QueuedConnection); + m_fileMenu->addAction(m_saveAllAction); + + m_fileMenu->addSeparator(); + + //m_exportMenu = m_fileMenu->addMenu(tr("Export")); + + m_exportAction = new QAction(tr("Export..."), this); + connect(m_exportAction, &QAction::triggered, this, &SkeletonDocumentWindow::showExportPreview, Qt::QueuedConnection); + m_fileMenu->addAction(m_exportAction); + + m_exportAsObjAction = new QAction(tr("Export as OBJ..."), this); + connect(m_exportAsObjAction, &QAction::triggered, this, &SkeletonDocumentWindow::exportObjResult, Qt::QueuedConnection); + m_fileMenu->addAction(m_exportAsObjAction); + + //m_exportRenderedAsImageAction = new QAction(tr("Export as PNG..."), this); + //connect(m_exportRenderedAsImageAction, &QAction::triggered, this, &SkeletonDocumentWindow::exportRenderedResult, Qt::QueuedConnection); + //m_fileMenu->addAction(m_exportRenderedAsImageAction); + + //m_exportAsObjPlusMaterialsAction = new QAction(tr("Wavefront (.obj + .mtl)..."), this); + //connect(m_exportAsObjPlusMaterialsAction, &QAction::triggered, this, &SkeletonDocumentWindow::exportObjPlusMaterialsResult, Qt::QueuedConnection); + //m_exportMenu->addAction(m_exportAsObjPlusMaterialsAction); + + m_fileMenu->addSeparator(); + + m_changeTurnaroundAction = new QAction(tr("Change Reference Sheet..."), this); + connect(m_changeTurnaroundAction, &QAction::triggered, this, &SkeletonDocumentWindow::changeTurnaround, Qt::QueuedConnection); + m_fileMenu->addAction(m_changeTurnaroundAction); + + m_fileMenu->addSeparator(); + + connect(m_fileMenu, &QMenu::aboutToShow, [=]() { + m_exportAsObjAction->setEnabled(m_graphicsWidget->hasItems()); + //m_exportAsObjPlusMaterialsAction->setEnabled(m_graphicsWidget->hasItems()); + m_exportAction->setEnabled(m_graphicsWidget->hasItems()); + //m_exportRenderedAsImageAction->setEnabled(m_graphicsWidget->hasItems()); + }); + + m_editMenu = menuBar()->addMenu(tr("Edit")); + + m_addAction = new QAction(tr("Add..."), this); + connect(m_addAction, &QAction::triggered, [=]() { + m_document->setEditMode(DocumentEditMode::Add); + }); + m_editMenu->addAction(m_addAction); + + m_undoAction = new QAction(tr("Undo"), this); + connect(m_undoAction, &QAction::triggered, m_document, &Document::undo); + m_editMenu->addAction(m_undoAction); + + m_redoAction = new QAction(tr("Redo"), this); + connect(m_redoAction, &QAction::triggered, m_document, &Document::redo); + m_editMenu->addAction(m_redoAction); + + m_deleteAction = new QAction(tr("Delete"), this); + connect(m_deleteAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::deleteSelected); + m_editMenu->addAction(m_deleteAction); + + m_breakAction = new QAction(tr("Break"), this); + connect(m_breakAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::breakSelected); + m_editMenu->addAction(m_breakAction); + + m_connectAction = new QAction(tr("Connect"), this); + connect(m_connectAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::connectSelected); + m_editMenu->addAction(m_connectAction); + + m_cutAction = new QAction(tr("Cut"), this); + connect(m_cutAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::cut); + m_editMenu->addAction(m_cutAction); + + m_copyAction = new QAction(tr("Copy"), this); + connect(m_copyAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::copy); + m_editMenu->addAction(m_copyAction); + + m_pasteAction = new QAction(tr("Paste"), this); + connect(m_pasteAction, &QAction::triggered, m_document, &Document::paste); + m_editMenu->addAction(m_pasteAction); + + m_flipHorizontallyAction = new QAction(tr("H Flip"), this); + connect(m_flipHorizontallyAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::flipHorizontally); + m_editMenu->addAction(m_flipHorizontallyAction); + + m_flipVerticallyAction = new QAction(tr("V Flip"), this); + connect(m_flipVerticallyAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::flipVertically); + m_editMenu->addAction(m_flipVerticallyAction); + + m_rotateClockwiseAction = new QAction(tr("Rotate 90D CW"), this); + connect(m_rotateClockwiseAction, &QAction::triggered, [=] { + m_graphicsWidget->rotateClockwise90Degree(); + }); + m_editMenu->addAction(m_rotateClockwiseAction); + + m_rotateCounterclockwiseAction = new QAction(tr("Rotate 90D CCW"), this); + connect(m_rotateCounterclockwiseAction, &QAction::triggered, [=] { + m_graphicsWidget->rotateCounterclockwise90Degree(); + }); + m_editMenu->addAction(m_rotateCounterclockwiseAction); + + m_switchXzAction = new QAction(tr("Switch XZ"), this); + connect(m_switchXzAction, &QAction::triggered, [=] { + m_graphicsWidget->switchSelectedXZ(); + }); + m_editMenu->addAction(m_switchXzAction); + + m_alignToMenu = new QMenu(tr("Align To")); + + m_alignToLocalCenterAction = new QAction(tr("Local Center"), this); + connect(m_alignToLocalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToLocalCenter); + m_alignToMenu->addAction(m_alignToLocalCenterAction); + + m_alignToLocalVerticalCenterAction = new QAction(tr("Local Vertical Center"), this); + connect(m_alignToLocalVerticalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToLocalVerticalCenter); + m_alignToMenu->addAction(m_alignToLocalVerticalCenterAction); + + m_alignToLocalHorizontalCenterAction = new QAction(tr("Local Horizontal Center"), this); + connect(m_alignToLocalHorizontalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToLocalHorizontalCenter); + m_alignToMenu->addAction(m_alignToLocalHorizontalCenterAction); + + m_alignToGlobalCenterAction = new QAction(tr("Global Center"), this); + connect(m_alignToGlobalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToGlobalCenter); + m_alignToMenu->addAction(m_alignToGlobalCenterAction); + + m_alignToGlobalVerticalCenterAction = new QAction(tr("Global Vertical Center"), this); + connect(m_alignToGlobalVerticalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToGlobalVerticalCenter); + m_alignToMenu->addAction(m_alignToGlobalVerticalCenterAction); + + m_alignToGlobalHorizontalCenterAction = new QAction(tr("Global Horizontal Center"), this); + connect(m_alignToGlobalHorizontalCenterAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::alignSelectedToGlobalHorizontalCenter); + m_alignToMenu->addAction(m_alignToGlobalHorizontalCenterAction); + + m_editMenu->addMenu(m_alignToMenu); + + m_markAsMenu = new QMenu(tr("Mark As")); + + m_markAsNoneAction = new QAction(tr("None"), this); + connect(m_markAsNoneAction, &QAction::triggered, [=]() { + m_graphicsWidget->setSelectedNodesBoneMark(BoneMark::None); + }); + m_markAsMenu->addAction(m_markAsNoneAction); + + m_markAsMenu->addSeparator(); + + for (int i = 0; i < (int)BoneMark::Count - 1; i++) { + BoneMark boneMark = (BoneMark)(i + 1); + m_markAsActions[i] = new QAction(MarkIconCreator::createIcon(boneMark), BoneMarkToDispName(boneMark), this); + connect(m_markAsActions[i], &QAction::triggered, [=]() { + m_graphicsWidget->setSelectedNodesBoneMark(boneMark); + }); + m_markAsMenu->addAction(m_markAsActions[i]); + } + + m_editMenu->addMenu(m_markAsMenu); + + m_selectAllAction = new QAction(tr("Select All"), this); + connect(m_selectAllAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::selectAll); + m_editMenu->addAction(m_selectAllAction); + + m_selectPartAllAction = new QAction(tr("Select Part"), this); + connect(m_selectPartAllAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::selectPartAll); + m_editMenu->addAction(m_selectPartAllAction); + + m_unselectAllAction = new QAction(tr("Unselect All"), this); + connect(m_unselectAllAction, &QAction::triggered, m_graphicsWidget, &SkeletonGraphicsWidget::unselectAll); + m_editMenu->addAction(m_unselectAllAction); + + connect(m_editMenu, &QMenu::aboutToShow, [=]() { + m_undoAction->setEnabled(m_document->undoable()); + m_redoAction->setEnabled(m_document->redoable()); + m_deleteAction->setEnabled(m_graphicsWidget->hasSelection()); + m_breakAction->setEnabled(m_graphicsWidget->hasEdgeSelection()); + m_connectAction->setEnabled(m_graphicsWidget->hasTwoDisconnectedNodesSelection()); + m_cutAction->setEnabled(m_graphicsWidget->hasSelection()); + m_copyAction->setEnabled(m_graphicsWidget->hasSelection()); + m_pasteAction->setEnabled(m_document->hasPastableNodesInClipboard()); + m_flipHorizontallyAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_flipVerticallyAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_rotateClockwiseAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_rotateCounterclockwiseAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_switchXzAction->setEnabled(m_graphicsWidget->hasSelection()); + m_alignToGlobalCenterAction->setEnabled(m_graphicsWidget->hasSelection() && m_document->originSettled()); + m_alignToGlobalVerticalCenterAction->setEnabled(m_graphicsWidget->hasSelection() && m_document->originSettled()); + m_alignToGlobalHorizontalCenterAction->setEnabled(m_graphicsWidget->hasSelection() && m_document->originSettled()); + m_alignToLocalCenterAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_alignToLocalVerticalCenterAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_alignToLocalHorizontalCenterAction->setEnabled(m_graphicsWidget->hasMultipleSelection()); + m_alignToMenu->setEnabled((m_graphicsWidget->hasSelection() && m_document->originSettled()) || m_graphicsWidget->hasMultipleSelection()); + m_selectAllAction->setEnabled(m_graphicsWidget->hasItems()); + m_selectPartAllAction->setEnabled(m_graphicsWidget->hasItems()); + m_unselectAllAction->setEnabled(m_graphicsWidget->hasSelection()); + }); + + m_viewMenu = menuBar()->addMenu(tr("View")); + + auto isModelSitInVisibleArea = [](ModelWidget *modelWidget) { + QRect parentRect = QRect(QPoint(0, 0), modelWidget->parentWidget()->size()); + return parentRect.contains(modelWidget->geometry().center()); + }; + + m_resetModelWidgetPosAction = new QAction(tr("Show Model"), this); + connect(m_resetModelWidgetPosAction, &QAction::triggered, [=]() { + if (!isModelSitInVisibleArea(m_modelRenderWidget)) { + m_modelRenderWidget->move(SkeletonDocumentWindow::m_modelRenderWidgetInitialX, SkeletonDocumentWindow::m_modelRenderWidgetInitialY); + } + }); + m_viewMenu->addAction(m_resetModelWidgetPosAction); + + //m_toggleWireframeAction = new QAction(tr("Toggle Wireframe"), this); + //connect(m_toggleWireframeAction, &QAction::triggered, [=]() { + // m_modelRenderWidget->toggleWireframe(); + //}); + //m_viewMenu->addAction(m_toggleWireframeAction); + + //m_toggleSmoothNormalAction = new QAction(tr("Toggle Smooth Normal"), this); + //connect(m_toggleSmoothNormalAction, &QAction::triggered, [=]() { + // m_document->toggleSmoothNormal(); + //}); + //m_viewMenu->addAction(m_toggleSmoothNormalAction); + + connect(m_viewMenu, &QMenu::aboutToShow, [=]() { + m_resetModelWidgetPosAction->setEnabled(!isModelSitInVisibleArea(m_modelRenderWidget)); + }); + + m_windowMenu = menuBar()->addMenu(tr("Window")); + + m_showPartsListAction = new QAction(tr("Parts"), this); + connect(m_showPartsListAction, &QAction::triggered, [=]() { + partTreeDocker->show(); + partTreeDocker->raise(); + }); + m_windowMenu->addAction(m_showPartsListAction); + + m_showMaterialsAction = new QAction(tr("Materials"), this); + connect(m_showMaterialsAction, &QAction::triggered, [=]() { + materialDocker->show(); + materialDocker->raise(); + }); + m_windowMenu->addAction(m_showMaterialsAction); + + m_showRigAction = new QAction(tr("Rig"), this); + connect(m_showRigAction, &QAction::triggered, [=]() { + rigDocker->show(); + rigDocker->raise(); + }); + m_windowMenu->addAction(m_showRigAction); + + m_showPosesAction = new QAction(tr("Poses"), this); + connect(m_showPosesAction, &QAction::triggered, [=]() { + poseDocker->show(); + poseDocker->raise(); + }); + m_windowMenu->addAction(m_showPosesAction); + + m_showMotionsAction = new QAction(tr("Motions"), this); + connect(m_showMotionsAction, &QAction::triggered, [=]() { + motionDocker->show(); + motionDocker->raise(); + }); + m_windowMenu->addAction(m_showMotionsAction); + + QMenu *dialogsMenu = m_windowMenu->addMenu(tr("Dialogs")); + connect(dialogsMenu, &QMenu::aboutToShow, [=]() { + dialogsMenu->clear(); + if (this->m_dialogs.empty()) { + QAction *action = dialogsMenu->addAction(tr("None")); + action->setEnabled(false); + return; + } + for (const auto &dialog: this->m_dialogs) { + QAction *action = dialogsMenu->addAction(dialog->windowTitle()); + connect(action, &QAction::triggered, [=]() { + dialog->show(); + dialog->raise(); + }); + } + }); + + m_showDebugDialogAction = new QAction(tr("Debug"), this); + connect(m_showDebugDialogAction, &QAction::triggered, g_logBrowser, &LogBrowser::showDialog); + m_windowMenu->addAction(m_showDebugDialogAction); + + m_showAdvanceSettingAction = new QAction(tr("Advance"), this); + connect(m_showAdvanceSettingAction, &QAction::triggered, this, &SkeletonDocumentWindow::showAdvanceSetting); +#ifndef NDEBUG + m_windowMenu->addAction(m_showAdvanceSettingAction); +#endif + + m_helpMenu = menuBar()->addMenu(tr("Help")); + + m_viewSourceAction = new QAction(tr("Fork me on GitHub"), this); + connect(m_viewSourceAction, &QAction::triggered, this, &SkeletonDocumentWindow::viewSource); + m_helpMenu->addAction(m_viewSourceAction); + + m_helpMenu->addSeparator(); + + m_seeReferenceGuideAction = new QAction(tr("Reference Guide"), this); + connect(m_seeReferenceGuideAction, &QAction::triggered, this, &SkeletonDocumentWindow::seeReferenceGuide); + m_helpMenu->addAction(m_seeReferenceGuideAction); + + m_helpMenu->addSeparator(); + + m_aboutAction = new QAction(tr("About"), this); + connect(m_aboutAction, &QAction::triggered, this, &SkeletonDocumentWindow::about); + m_helpMenu->addAction(m_aboutAction); + + m_reportIssuesAction = new QAction(tr("Report Issues"), this); + connect(m_reportIssuesAction, &QAction::triggered, this, &SkeletonDocumentWindow::reportIssues); + m_helpMenu->addAction(m_reportIssuesAction); + + m_helpMenu->addSeparator(); + + m_seeContributorsAction = new QAction(tr("Contributors"), this); + connect(m_seeContributorsAction, &QAction::triggered, this, &SkeletonDocumentWindow::seeContributors); + m_helpMenu->addAction(m_seeContributorsAction); + + m_seeAcknowlegementsAction = new QAction(tr("Acknowlegements"), this); + connect(m_seeAcknowlegementsAction, &QAction::triggered, this, &SkeletonDocumentWindow::seeAcknowlegements); + m_helpMenu->addAction(m_seeAcknowlegementsAction); + + connect(containerWidget, &GraphicsContainerWidget::containerSizeChanged, + graphicsWidget, &SkeletonGraphicsWidget::canvasResized); + + connect(m_document, &Document::turnaroundChanged, + graphicsWidget, &SkeletonGraphicsWidget::turnaroundChanged); + + connect(rotateCounterclockwiseButton, &QPushButton::clicked, graphicsWidget, &SkeletonGraphicsWidget::rotateAllMainProfileCounterclockwise90DegreeAlongOrigin); + connect(rotateClockwiseButton, &QPushButton::clicked, graphicsWidget, &SkeletonGraphicsWidget::rotateAllMainProfileClockwise90DegreeAlongOrigin); + + connect(addButton, &QPushButton::clicked, [=]() { + m_document->setEditMode(DocumentEditMode::Add); + }); + + connect(selectButton, &QPushButton::clicked, [=]() { + m_document->setEditMode(DocumentEditMode::Select); + }); + + connect(dragButton, &QPushButton::clicked, [=]() { + m_document->setEditMode(DocumentEditMode::Drag); + }); + + connect(zoomInButton, &QPushButton::clicked, [=]() { + m_document->setEditMode(DocumentEditMode::ZoomIn); + }); + + connect(zoomOutButton, &QPushButton::clicked, [=]() { + m_document->setEditMode(DocumentEditMode::ZoomOut); + }); + + connect(m_xlockButton, &QPushButton::clicked, [=]() { + m_document->setXlockState(!m_document->xlocked); + }); + connect(m_ylockButton, &QPushButton::clicked, [=]() { + m_document->setYlockState(!m_document->ylocked); + }); + connect(m_zlockButton, &QPushButton::clicked, [=]() { + m_document->setZlockState(!m_document->zlocked); + }); + connect(m_radiusLockButton, &QPushButton::clicked, [=]() { + m_document->setRadiusLockState(!m_document->radiusLocked); + }); + + m_partListDockerVisibleSwitchConnection = connect(m_document, &Document::skeletonChanged, [=]() { + if (m_graphicsWidget->hasItems()) { + if (partTreeDocker->isHidden()) + partTreeDocker->show(); + disconnect(m_partListDockerVisibleSwitchConnection); + } + }); + + connect(m_document, &Document::editModeChanged, graphicsWidget, &SkeletonGraphicsWidget::editModeChanged); + + connect(graphicsWidget, &SkeletonGraphicsWidget::zoomRenderedModelBy, m_modelRenderWidget, &ModelWidget::zoom); + + connect(graphicsWidget, &SkeletonGraphicsWidget::addNode, m_document, &Document::addNode); + connect(graphicsWidget, &SkeletonGraphicsWidget::scaleNodeByAddRadius, m_document, &Document::scaleNodeByAddRadius); + connect(graphicsWidget, &SkeletonGraphicsWidget::moveNodeBy, m_document, &Document::moveNodeBy); + connect(graphicsWidget, &SkeletonGraphicsWidget::setNodeOrigin, m_document, &Document::setNodeOrigin); + connect(graphicsWidget, &SkeletonGraphicsWidget::setNodeBoneMark, m_document, &Document::setNodeBoneMark); + connect(graphicsWidget, &SkeletonGraphicsWidget::removeNode, m_document, &Document::removeNode); + connect(graphicsWidget, &SkeletonGraphicsWidget::setEditMode, m_document, &Document::setEditMode); + connect(graphicsWidget, &SkeletonGraphicsWidget::removeEdge, m_document, &Document::removeEdge); + connect(graphicsWidget, &SkeletonGraphicsWidget::addEdge, m_document, &Document::addEdge); + connect(graphicsWidget, &SkeletonGraphicsWidget::groupOperationAdded, m_document, &Document::saveSnapshot); + connect(graphicsWidget, &SkeletonGraphicsWidget::undo, m_document, &Document::undo); + connect(graphicsWidget, &SkeletonGraphicsWidget::redo, m_document, &Document::redo); + connect(graphicsWidget, &SkeletonGraphicsWidget::paste, m_document, &Document::paste); + connect(graphicsWidget, &SkeletonGraphicsWidget::batchChangeBegin, m_document, &Document::batchChangeBegin); + connect(graphicsWidget, &SkeletonGraphicsWidget::batchChangeEnd, m_document, &Document::batchChangeEnd); + connect(graphicsWidget, &SkeletonGraphicsWidget::breakEdge, m_document, &Document::breakEdge); + connect(graphicsWidget, &SkeletonGraphicsWidget::moveOriginBy, m_document, &Document::moveOriginBy); + connect(graphicsWidget, &SkeletonGraphicsWidget::partChecked, m_document, &Document::partChecked); + connect(graphicsWidget, &SkeletonGraphicsWidget::partUnchecked, m_document, &Document::partUnchecked); + connect(graphicsWidget, &SkeletonGraphicsWidget::switchNodeXZ, m_document, &Document::switchNodeXZ); + + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartLockState, m_document, &Document::setPartLockState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartVisibleState, m_document, &Document::setPartVisibleState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartSubdivState, m_document, &Document::setPartSubdivState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartDisableState, m_document, &Document::setPartDisableState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartXmirrorState, m_document, &Document::setPartXmirrorState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartRoundState, m_document, &Document::setPartRoundState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setPartWrapState, m_document, &Document::setPartWrapState); + + connect(graphicsWidget, &SkeletonGraphicsWidget::setXlockState, m_document, &Document::setXlockState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setYlockState, m_document, &Document::setYlockState); + connect(graphicsWidget, &SkeletonGraphicsWidget::setZlockState, m_document, &Document::setZlockState); + + connect(graphicsWidget, &SkeletonGraphicsWidget::enableAllPositionRelatedLocks, m_document, &Document::enableAllPositionRelatedLocks); + connect(graphicsWidget, &SkeletonGraphicsWidget::disableAllPositionRelatedLocks, m_document, &Document::disableAllPositionRelatedLocks); + + connect(graphicsWidget, &SkeletonGraphicsWidget::changeTurnaround, this, &SkeletonDocumentWindow::changeTurnaround); + connect(graphicsWidget, &SkeletonGraphicsWidget::save, this, &SkeletonDocumentWindow::save); + connect(graphicsWidget, &SkeletonGraphicsWidget::open, this, &SkeletonDocumentWindow::open); + + connect(m_document, &Document::optionsChanged, m_document, &Document::saveSnapshot); + + connect(m_document, &Document::nodeAdded, graphicsWidget, &SkeletonGraphicsWidget::nodeAdded); + connect(m_document, &Document::nodeRemoved, graphicsWidget, &SkeletonGraphicsWidget::nodeRemoved); + connect(m_document, &Document::edgeAdded, graphicsWidget, &SkeletonGraphicsWidget::edgeAdded); + connect(m_document, &Document::edgeRemoved, graphicsWidget, &SkeletonGraphicsWidget::edgeRemoved); + connect(m_document, &Document::nodeRadiusChanged, graphicsWidget, &SkeletonGraphicsWidget::nodeRadiusChanged); + connect(m_document, &Document::nodeBoneMarkChanged, graphicsWidget, &SkeletonGraphicsWidget::nodeBoneMarkChanged); + connect(m_document, &Document::nodeOriginChanged, graphicsWidget, &SkeletonGraphicsWidget::nodeOriginChanged); + connect(m_document, &Document::partVisibleStateChanged, graphicsWidget, &SkeletonGraphicsWidget::partVisibleStateChanged); + connect(m_document, &Document::partDisableStateChanged, graphicsWidget, &SkeletonGraphicsWidget::partVisibleStateChanged); + connect(m_document, &Document::cleanup, graphicsWidget, &SkeletonGraphicsWidget::removeAllContent); + connect(m_document, &Document::originChanged, graphicsWidget, &SkeletonGraphicsWidget::originChanged); + connect(m_document, &Document::checkPart, graphicsWidget, &SkeletonGraphicsWidget::selectPartAllById); + connect(m_document, &Document::enableBackgroundBlur, graphicsWidget, &SkeletonGraphicsWidget::enableBackgroundBlur); + connect(m_document, &Document::disableBackgroundBlur, graphicsWidget, &SkeletonGraphicsWidget::disableBackgroundBlur); + connect(m_document, &Document::uncheckAll, graphicsWidget, &SkeletonGraphicsWidget::unselectAll); + connect(m_document, &Document::checkNode, graphicsWidget, &SkeletonGraphicsWidget::addSelectNode); + connect(m_document, &Document::checkEdge, graphicsWidget, &SkeletonGraphicsWidget::addSelectEdge); + + connect(partTreeWidget, &PartTreeWidget::currentComponentChanged, m_document, &Document::setCurrentCanvasComponentId); + connect(partTreeWidget, &PartTreeWidget::moveComponentUp, m_document, &Document::moveComponentUp); + connect(partTreeWidget, &PartTreeWidget::moveComponentDown, m_document, &Document::moveComponentDown); + connect(partTreeWidget, &PartTreeWidget::moveComponentToTop, m_document, &Document::moveComponentToTop); + connect(partTreeWidget, &PartTreeWidget::moveComponentToBottom, m_document, &Document::moveComponentToBottom); + connect(partTreeWidget, &PartTreeWidget::checkPart, m_document, &Document::checkPart); + connect(partTreeWidget, &PartTreeWidget::createNewComponentAndMoveThisIn, m_document, &Document::createNewComponentAndMoveThisIn); + connect(partTreeWidget, &PartTreeWidget::createNewChildComponent, m_document, &Document::createNewChildComponent); + connect(partTreeWidget, &PartTreeWidget::renameComponent, m_document, &Document::renameComponent); + connect(partTreeWidget, &PartTreeWidget::setComponentExpandState, m_document, &Document::setComponentExpandState); + connect(partTreeWidget, &PartTreeWidget::setComponentSmoothAll, m_document, &Document::setComponentSmoothAll); + connect(partTreeWidget, &PartTreeWidget::setComponentSmoothSeam, m_document, &Document::setComponentSmoothSeam); + connect(partTreeWidget, &PartTreeWidget::moveComponent, m_document, &Document::moveComponent); + connect(partTreeWidget, &PartTreeWidget::removeComponent, m_document, &Document::removeComponent); + connect(partTreeWidget, &PartTreeWidget::hideOtherComponents, m_document, &Document::hideOtherComponents); + connect(partTreeWidget, &PartTreeWidget::lockOtherComponents, m_document, &Document::lockOtherComponents); + connect(partTreeWidget, &PartTreeWidget::hideAllComponents, m_document, &Document::hideAllComponents); + connect(partTreeWidget, &PartTreeWidget::showAllComponents, m_document, &Document::showAllComponents); + connect(partTreeWidget, &PartTreeWidget::collapseAllComponents, m_document, &Document::collapseAllComponents); + connect(partTreeWidget, &PartTreeWidget::expandAllComponents, m_document, &Document::expandAllComponents); + connect(partTreeWidget, &PartTreeWidget::lockAllComponents, m_document, &Document::lockAllComponents); + connect(partTreeWidget, &PartTreeWidget::unlockAllComponents, m_document, &Document::unlockAllComponents); + connect(partTreeWidget, &PartTreeWidget::setPartLockState, m_document, &Document::setPartLockState); + connect(partTreeWidget, &PartTreeWidget::setPartVisibleState, m_document, &Document::setPartVisibleState); + connect(partTreeWidget, &PartTreeWidget::setComponentInverseState, m_document, &Document::setComponentInverseState); + connect(partTreeWidget, &PartTreeWidget::hideDescendantComponents, m_document, &Document::hideDescendantComponents); + connect(partTreeWidget, &PartTreeWidget::showDescendantComponents, m_document, &Document::showDescendantComponents); + connect(partTreeWidget, &PartTreeWidget::lockDescendantComponents, m_document, &Document::lockDescendantComponents); + connect(partTreeWidget, &PartTreeWidget::unlockDescendantComponents, m_document, &Document::unlockDescendantComponents); + + connect(partTreeWidget, &PartTreeWidget::addPartToSelection, graphicsWidget, &SkeletonGraphicsWidget::addPartToSelection); + + connect(m_document, &Document::componentNameChanged, partTreeWidget, &PartTreeWidget::componentNameChanged); + connect(m_document, &Document::componentChildrenChanged, partTreeWidget, &PartTreeWidget::componentChildrenChanged); + connect(m_document, &Document::componentRemoved, partTreeWidget, &PartTreeWidget::componentRemoved); + connect(m_document, &Document::componentAdded, partTreeWidget, &PartTreeWidget::componentAdded); + connect(m_document, &Document::componentExpandStateChanged, partTreeWidget, &PartTreeWidget::componentExpandStateChanged); + connect(m_document, &Document::partPreviewChanged, partTreeWidget, &PartTreeWidget::partPreviewChanged); + connect(m_document, &Document::partLockStateChanged, partTreeWidget, &PartTreeWidget::partLockStateChanged); + connect(m_document, &Document::partVisibleStateChanged, partTreeWidget, &PartTreeWidget::partVisibleStateChanged); + connect(m_document, &Document::partSubdivStateChanged, partTreeWidget, &PartTreeWidget::partSubdivStateChanged); + connect(m_document, &Document::partDisableStateChanged, partTreeWidget, &PartTreeWidget::partDisableStateChanged); + connect(m_document, &Document::partXmirrorStateChanged, partTreeWidget, &PartTreeWidget::partXmirrorStateChanged); + connect(m_document, &Document::partDeformThicknessChanged, partTreeWidget, &PartTreeWidget::partDeformChanged); + connect(m_document, &Document::partDeformWidthChanged, partTreeWidget, &PartTreeWidget::partDeformChanged); + connect(m_document, &Document::partRoundStateChanged, partTreeWidget, &PartTreeWidget::partRoundStateChanged); + connect(m_document, &Document::partWrapStateChanged, partTreeWidget, &PartTreeWidget::partWrapStateChanged); + connect(m_document, &Document::partColorStateChanged, partTreeWidget, &PartTreeWidget::partColorStateChanged); + connect(m_document, &Document::partMaterialIdChanged, partTreeWidget, &PartTreeWidget::partMaterialIdChanged); + connect(m_document, &Document::partRemoved, partTreeWidget, &PartTreeWidget::partRemoved); + connect(m_document, &Document::cleanup, partTreeWidget, &PartTreeWidget::removeAllContent); + connect(m_document, &Document::partChecked, partTreeWidget, &PartTreeWidget::partChecked); + connect(m_document, &Document::partUnchecked, partTreeWidget, &PartTreeWidget::partUnchecked); + + connect(m_document, &Document::skeletonChanged, m_document, &Document::generateMesh); + //connect(m_document, &SkeletonDocument::resultMeshChanged, [=]() { + // if ((m_exportPreviewWidget && m_exportPreviewWidget->isVisible())) { + // m_document->postProcess(); + // } + //}); + //connect(m_document, &SkeletonDocument::textureChanged, [=]() { + // if ((m_exportPreviewWidget && m_exportPreviewWidget->isVisible())) { + // m_document->generateTexture(); + // } + //}); + connect(m_document, &Document::textureChanged, m_document, &Document::generateTexture); + connect(m_document, &Document::resultMeshChanged, m_document, &Document::postProcess); + connect(m_document, &Document::resultMeshChanged, m_document, &Document::generateRig); + connect(m_document, &Document::rigChanged, m_document, &Document::generateRig); + connect(m_document, &Document::postProcessedResultChanged, m_document, &Document::generateTexture); + //connect(m_document, &SkeletonDocument::resultTextureChanged, m_document, &SkeletonDocument::bakeAmbientOcclusionTexture); + connect(m_document, &Document::resultTextureChanged, [=]() { + if (m_document->isMeshGenerating()) + return; + m_modelRenderWidget->updateMesh(m_document->takeResultTextureMesh()); + }); + + connect(m_document, &Document::resultMeshChanged, [=]() { + m_modelRenderWidget->updateMesh(m_document->takeResultMesh()); + }); + + connect(m_document, &Document::posesChanged, m_document, &Document::generateMotions); + connect(m_document, &Document::motionsChanged, m_document, &Document::generateMotions); + + connect(graphicsWidget, &SkeletonGraphicsWidget::cursorChanged, [=]() { + m_modelRenderWidget->setCursor(graphicsWidget->cursor()); + //m_skeletonRenderWidget->setCursor(graphicsWidget->cursor()); + }); + + connect(m_document, &Document::skeletonChanged, this, &SkeletonDocumentWindow::documentChanged); + connect(m_document, &Document::turnaroundChanged, this, &SkeletonDocumentWindow::documentChanged); + connect(m_document, &Document::optionsChanged, this, &SkeletonDocumentWindow::documentChanged); + connect(m_document, &Document::rigChanged, this, &SkeletonDocumentWindow::documentChanged); + + connect(m_modelRenderWidget, &ModelWidget::customContextMenuRequested, [=](const QPoint &pos) { + graphicsWidget->showContextMenu(graphicsWidget->mapFromGlobal(m_modelRenderWidget->mapToGlobal(pos))); + }); + + connect(m_document, &Document::xlockStateChanged, this, &SkeletonDocumentWindow::updateXlockButtonState); + connect(m_document, &Document::ylockStateChanged, this, &SkeletonDocumentWindow::updateYlockButtonState); + connect(m_document, &Document::zlockStateChanged, this, &SkeletonDocumentWindow::updateZlockButtonState); + connect(m_document, &Document::radiusLockStateChanged, this, &SkeletonDocumentWindow::updateRadiusLockButtonState); + + connect(m_rigWidget, &RigWidget::setRigType, m_document, &Document::setRigType); + + connect(m_document, &Document::rigTypeChanged, m_rigWidget, &RigWidget::rigTypeChanged); + connect(m_document, &Document::resultRigChanged, m_rigWidget, &RigWidget::updateResultInfo); + connect(m_document, &Document::resultRigChanged, this, &SkeletonDocumentWindow::updateRigWeightRenderWidget); + + //connect(m_document, &SkeletonDocument::resultRigChanged, tetrapodPoseEditWidget, &TetrapodPoseEditWidget::updatePreview); + + connect(m_document, &Document::poseAdded, this, [=](QUuid poseId) { + Q_UNUSED(poseId); + m_document->generatePosePreviews(); + }); + connect(m_document, &Document::poseParametersChanged, this, [=](QUuid poseId) { + Q_UNUSED(poseId); + m_document->generatePosePreviews(); + }); + connect(m_document, &Document::resultRigChanged, m_document, &Document::generatePosePreviews); + + connect(m_document, &Document::resultRigChanged, m_document, &Document::generateMotions); + + connect(m_document, &Document::materialAdded, this, [=](QUuid materialId) { + Q_UNUSED(materialId); + m_document->generateMaterialPreviews(); + }); + connect(m_document, &Document::materialLayersChanged, this, [=](QUuid materialId) { + Q_UNUSED(materialId); + m_document->generateMaterialPreviews(); + }); + + initShortCuts(this, m_graphicsWidget); + + connect(this, &SkeletonDocumentWindow::initialized, m_document, &Document::uiReady); + + QTimer *timer = new QTimer(this); + timer->setInterval(250); + connect(timer, &QTimer::timeout, [=] { + QWidget *focusedWidget = QApplication::focusWidget(); + //qDebug() << (focusedWidget ? ("Focused on:" + QString(focusedWidget->metaObject()->className()) + " title:" + focusedWidget->windowTitle()) : "No Focus") << " isActive:" << isActiveWindow(); + if (nullptr == focusedWidget && isActiveWindow()) + graphicsWidget->setFocus(); + }); + timer->start(); +} + +SkeletonDocumentWindow *SkeletonDocumentWindow::createDocumentWindow() +{ + SkeletonDocumentWindow *documentWindow = new SkeletonDocumentWindow(); + documentWindow->setAttribute(Qt::WA_DeleteOnClose); + documentWindow->showMaximized(); + return documentWindow; +} + +void SkeletonDocumentWindow::closeEvent(QCloseEvent *event) +{ + if (m_documentSaved) { + event->accept(); + return; + } + + QMessageBox::StandardButton answer = QMessageBox::question(this, + APP_NAME, + tr("Do you really want to close while there are unsaved changes?"), + QMessageBox::Yes | QMessageBox::No); + if (answer == QMessageBox::Yes) + event->accept(); + else + event->ignore(); +} + +void SkeletonDocumentWindow::setCurrentFilename(const QString &filename) +{ + m_currentFilename = filename; + m_documentSaved = true; + updateTitle(); +} + +void SkeletonDocumentWindow::updateTitle() +{ + QString appName = APP_NAME; + QString appVer = APP_HUMAN_VER; + setWindowTitle(QString("%1 %2 %3%4").arg(appName).arg(appVer).arg(m_currentFilename).arg(m_documentSaved ? "" : "*")); +} + +void SkeletonDocumentWindow::documentChanged() +{ + if (m_documentSaved) { + m_documentSaved = false; + updateTitle(); + } +} + +void SkeletonDocumentWindow::newWindow() +{ + SkeletonDocumentWindow::createDocumentWindow(); +} + +void SkeletonDocumentWindow::newDocument() +{ + if (!m_documentSaved) { + QMessageBox::StandardButton answer = QMessageBox::question(this, + APP_NAME, + tr("Do you really want to create new document and lose the unsaved changes?"), + QMessageBox::Yes | QMessageBox::No); + if (answer != QMessageBox::Yes) + return; + } + m_document->reset(); +} + +void SkeletonDocumentWindow::saveAs() +{ + QString filename = QFileDialog::getSaveFileName(this, QString(), QString(), + tr("Dust3D Document (*.ds3)")); + if (filename.isEmpty()) { + return; + } + saveTo(filename); +} + +void SkeletonDocumentWindow::saveAll() +{ + for (auto &window: g_documentWindows) { + window->save(); + } +} + +void SkeletonDocumentWindow::viewSource() +{ + QString url = APP_REPOSITORY_URL; + qDebug() << "viewSource:" << url; + QDesktopServices::openUrl(QUrl(url)); +} + +void SkeletonDocumentWindow::about() +{ + SkeletonDocumentWindow::showAbout(); +} + +void SkeletonDocumentWindow::reportIssues() +{ + QString url = APP_ISSUES_URL; + qDebug() << "reportIssues:" << url; + QDesktopServices::openUrl(QUrl(url)); +} + +void SkeletonDocumentWindow::seeReferenceGuide() +{ + QString url = APP_REFERENCE_GUIDE_URL; + qDebug() << "referenceGuide:" << url; + QDesktopServices::openUrl(QUrl(url)); +} + +void SkeletonDocumentWindow::seeAcknowlegements() +{ + SkeletonDocumentWindow::showAcknowlegements(); +} + +void SkeletonDocumentWindow::seeContributors() +{ + SkeletonDocumentWindow::showContributors(); +} + +void SkeletonDocumentWindow::initLockButton(QPushButton *button) +{ + QFont font; + font.setWeight(QFont::Light); + font.setPixelSize(Theme::toolIconFontSize); + font.setBold(false); + + button->setFont(font); + button->setFixedSize(Theme::toolIconSize, Theme::toolIconSize); + button->setStyleSheet("QPushButton {color: #f7d9c8}"); + button->setFocusPolicy(Qt::NoFocus); +} + +SkeletonDocumentWindow::~SkeletonDocumentWindow() +{ + g_documentWindows.erase(this); +} + +void SkeletonDocumentWindow::showEvent(QShowEvent *event) +{ + QMainWindow::showEvent(event); + if (m_firstShow) { + m_firstShow = false; + updateTitle(); + m_document->silentReset(); + m_graphicsWidget->setFocus(); + emit initialized(); + } +} + +void SkeletonDocumentWindow::mousePressEvent(QMouseEvent *event) +{ + QMainWindow::mousePressEvent(event); +} + +void SkeletonDocumentWindow::changeTurnaround() +{ + QString fileName = QFileDialog::getOpenFileName(this, QString(), QString(), + tr("Image Files (*.png *.jpg *.bmp)")).trimmed(); + if (fileName.isEmpty()) + return; + QImage image; + if (!image.load(fileName)) + return; + m_document->updateTurnaround(image); +} + +void SkeletonDocumentWindow::save() +{ + saveTo(m_currentFilename); +} + +void SkeletonDocumentWindow::saveTo(const QString &saveAsFilename) +{ + QString filename = saveAsFilename; + + if (filename.isEmpty()) { + filename = QFileDialog::getSaveFileName(this, QString(), QString(), + tr("Dust3D Document (*.ds3)")); + if (filename.isEmpty()) { + return; + } + } + + QApplication::setOverrideCursor(Qt::WaitCursor); + + Ds3FileWriter ds3Writer; + + QByteArray modelXml; + QXmlStreamWriter stream(&modelXml); + Snapshot snapshot; + m_document->toSnapshot(&snapshot); + saveSkeletonToXmlStream(&snapshot, &stream); + if (modelXml.size() > 0) + ds3Writer.add("model.xml", "model", &modelXml); + + QByteArray imageByteArray; + QBuffer pngBuffer(&imageByteArray); + if (!m_document->turnaround.isNull()) { + pngBuffer.open(QIODevice::WriteOnly); + m_document->turnaround.save(&pngBuffer, "PNG"); + if (imageByteArray.size() > 0) + ds3Writer.add("canvas.png", "asset", &imageByteArray); + } + + for (auto &material: snapshot.materials) { + for (auto &layer: material.second) { + for (auto &mapItem: layer.second) { + auto findImageIdString = mapItem.find("linkData"); + if (findImageIdString == mapItem.end()) + continue; + QUuid imageId = QUuid(findImageIdString->second); + const QImage *image = ImageForever::get(imageId); + if (nullptr == image) + continue; + QByteArray imageByteArray; + QBuffer pngBuffer(&imageByteArray); + pngBuffer.open(QIODevice::WriteOnly); + image->save(&pngBuffer, "PNG"); + if (imageByteArray.size() > 0) + ds3Writer.add("images/" + imageId.toString() + ".png", "asset", &imageByteArray); + } + } + } + + if (ds3Writer.save(filename)) { + setCurrentFilename(filename); + } + + QApplication::restoreOverrideCursor(); +} + +void SkeletonDocumentWindow::open() +{ + if (!m_documentSaved) { + QMessageBox::StandardButton answer = QMessageBox::question(this, + APP_NAME, + tr("Do you really want to open another file and lose the unsaved changes?"), + QMessageBox::Yes | QMessageBox::No); + if (answer != QMessageBox::Yes) + return; + } + + QString filename = QFileDialog::getOpenFileName(this, QString(), QString(), + tr("Dust3D Document (*.ds3)")); + if (filename.isEmpty()) + return; + + QApplication::setOverrideCursor(Qt::WaitCursor); + Ds3FileReader ds3Reader(filename); + + for (int i = 0; i < ds3Reader.items().size(); ++i) { + Ds3ReaderItem item = ds3Reader.items().at(i); + if (item.type == "asset") { + if (item.name.startsWith("images/")) { + QString filename = item.name.split("/")[1]; + QString imageIdString = filename.split(".")[0]; + QUuid imageId = QUuid(imageIdString); + if (!imageId.isNull()) { + QByteArray data; + ds3Reader.loadItem(item.name, &data); + QImage image = QImage::fromData(data, "PNG"); + (void)ImageForever::add(&image, imageId); + } + } + } + } + + for (int i = 0; i < ds3Reader.items().size(); ++i) { + Ds3ReaderItem item = ds3Reader.items().at(i); + if (item.type == "model") { + QByteArray data; + ds3Reader.loadItem(item.name, &data); + QXmlStreamReader stream(data); + Snapshot snapshot; + loadSkeletonFromXmlStream(&snapshot, stream); + m_document->fromSnapshot(snapshot); + m_document->saveSnapshot(); + } else if (item.type == "asset") { + if (item.name == "canvas.png") { + QByteArray data; + ds3Reader.loadItem(item.name, &data); + QImage image = QImage::fromData(data, "PNG"); + m_document->updateTurnaround(image); + } + } + } + QApplication::restoreOverrideCursor(); + + setCurrentFilename(filename); +} + +void SkeletonDocumentWindow::showAdvanceSetting() +{ + if (nullptr == m_advanceSettingWidget) { + m_advanceSettingWidget = new AdvanceSettingWidget(m_document, this); + } + m_advanceSettingWidget->show(); + m_advanceSettingWidget->raise(); +} + +void SkeletonDocumentWindow::exportObjResult() +{ + QString filename = QFileDialog::getSaveFileName(this, QString(), QString(), + tr("Wavefront (*.obj)")); + if (filename.isEmpty()) { + return; + } + QApplication::setOverrideCursor(Qt::WaitCursor); + MeshLoader *resultMesh = m_document->takeResultMesh(); + if (nullptr != resultMesh) { + resultMesh->exportAsObj(filename); + delete resultMesh; + } + QApplication::restoreOverrideCursor(); +} + +void SkeletonDocumentWindow::showExportPreview() +{ + if (nullptr == m_exportPreviewWidget) { + m_exportPreviewWidget = new ExportPreviewWidget(m_document, this); + connect(m_exportPreviewWidget, &ExportPreviewWidget::regenerate, m_document, &Document::regenerateMesh); + connect(m_exportPreviewWidget, &ExportPreviewWidget::saveAsGltf, this, &SkeletonDocumentWindow::exportGltfResult); + connect(m_exportPreviewWidget, &ExportPreviewWidget::saveAsFbx, this, &SkeletonDocumentWindow::exportFbxResult); + connect(m_document, &Document::resultMeshChanged, m_exportPreviewWidget, &ExportPreviewWidget::checkSpinner); + connect(m_document, &Document::exportReady, m_exportPreviewWidget, &ExportPreviewWidget::checkSpinner); + connect(m_document, &Document::resultTextureChanged, m_exportPreviewWidget, &ExportPreviewWidget::updateTexturePreview); + connect(m_document, &Document::resultBakedTextureChanged, m_exportPreviewWidget, &ExportPreviewWidget::updateTexturePreview); + registerDialog(m_exportPreviewWidget); + } + m_exportPreviewWidget->show(); + m_exportPreviewWidget->raise(); +} + +void SkeletonDocumentWindow::exportFbxResult() +{ + QString filename = QFileDialog::getSaveFileName(this, QString(), QString(), + tr("Autodesk FBX (.fbx)")); + if (filename.isEmpty()) { + return; + } + if (!m_document->isExportReady()) { + qDebug() << "Export but document is not export ready"; + return; + } + QApplication::setOverrideCursor(Qt::WaitCursor); + Outcome skeletonResult = m_document->currentPostProcessedResultContext(); + FbxFileWriter fbxFileWriter(skeletonResult, m_document->resultRigBones(), m_document->resultRigWeights(), filename); + fbxFileWriter.save(); + QApplication::restoreOverrideCursor(); +} + +void SkeletonDocumentWindow::exportGltfResult() +{ + QString filename = QFileDialog::getSaveFileName(this, QString(), QString(), + tr("GL Transmission Format (.gltf)")); + if (filename.isEmpty()) { + return; + } + if (!m_document->isExportReady()) { + qDebug() << "Export but document is not export ready"; + return; + } + QApplication::setOverrideCursor(Qt::WaitCursor); + Outcome skeletonResult = m_document->currentPostProcessedResultContext(); + GltfFileWriter gltfFileWriter(skeletonResult, m_document->resultRigBones(), m_document->resultRigWeights(), filename); + gltfFileWriter.save(); + if (m_document->textureImage) + m_document->textureImage->save(gltfFileWriter.textureFilenameInGltf()); + QFileInfo nameInfo(filename); + QString borderFilename = nameInfo.path() + QDir::separator() + nameInfo.completeBaseName() + "-BORDER.png"; + if (m_document->textureBorderImage) + m_document->textureBorderImage->save(borderFilename); + QString ambientOcclusionFilename = nameInfo.path() + QDir::separator() + nameInfo.completeBaseName() + "-AMBIENT-OCCLUSION.png"; + if (m_document->textureAmbientOcclusionImage) + m_document->textureAmbientOcclusionImage->save(ambientOcclusionFilename); + QString colorFilename = nameInfo.path() + QDir::separator() + nameInfo.completeBaseName() + "-COLOR.png"; + if (m_document->textureColorImage) + m_document->textureColorImage->save(colorFilename); + QApplication::restoreOverrideCursor(); +} + +void SkeletonDocumentWindow::updateXlockButtonState() +{ + if (m_document->xlocked) + m_xlockButton->setStyleSheet("QPushButton {color: #252525}"); + else + m_xlockButton->setStyleSheet("QPushButton {color: #fc6621}"); +} + +void SkeletonDocumentWindow::updateYlockButtonState() +{ + if (m_document->ylocked) + m_ylockButton->setStyleSheet("QPushButton {color: #252525}"); + else + m_ylockButton->setStyleSheet("QPushButton {color: #2a5aac}"); +} + +void SkeletonDocumentWindow::updateZlockButtonState() +{ + if (m_document->zlocked) + m_zlockButton->setStyleSheet("QPushButton {color: #252525}"); + else + m_zlockButton->setStyleSheet("QPushButton {color: #aaebc4}"); +} + +void SkeletonDocumentWindow::updateRadiusLockButtonState() +{ + if (m_document->radiusLocked) + m_radiusLockButton->setStyleSheet("QPushButton {color: #252525}"); + else + m_radiusLockButton->setStyleSheet("QPushButton {color: " + Theme::white.name() + "}"); +} + +void SkeletonDocumentWindow::updateRigWeightRenderWidget() +{ + MeshLoader *resultRigWeightMesh = m_document->takeResultRigWeightMesh(); + if (nullptr == resultRigWeightMesh) { + m_rigWidget->rigWeightRenderWidget()->hide(); + } else { + m_rigWidget->rigWeightRenderWidget()->updateMesh(resultRigWeightMesh); + m_rigWidget->rigWeightRenderWidget()->show(); + m_rigWidget->rigWeightRenderWidget()->update(); + } +} + +void SkeletonDocumentWindow::registerDialog(QWidget *widget) +{ + m_dialogs.push_back(widget); +} + +void SkeletonDocumentWindow::unregisterDialog(QWidget *widget) +{ + m_dialogs.erase(std::remove(m_dialogs.begin(), m_dialogs.end(), widget), m_dialogs.end()); +} diff --git a/src/documentwindow.cpp b/src/documentwindow.cpp index c655b426..45defe1f 100644 --- a/src/documentwindow.cpp +++ b/src/documentwindow.cpp @@ -738,7 +738,7 @@ SkeletonDocumentWindow::SkeletonDocumentWindow() : connect(graphicsWidget, &SkeletonGraphicsWidget::changeTurnaround, this, &SkeletonDocumentWindow::changeTurnaround); connect(graphicsWidget, &SkeletonGraphicsWidget::save, this, &SkeletonDocumentWindow::save); connect(graphicsWidget, &SkeletonGraphicsWidget::open, this, &SkeletonDocumentWindow::open); - + connect(m_document, &Document::nodeAdded, graphicsWidget, &SkeletonGraphicsWidget::nodeAdded); connect(m_document, &Document::nodeRemoved, graphicsWidget, &SkeletonGraphicsWidget::nodeRemoved); connect(m_document, &Document::edgeAdded, graphicsWidget, &SkeletonGraphicsWidget::edgeAdded); @@ -966,7 +966,9 @@ void SkeletonDocumentWindow::newDocument() if (answer != QMessageBox::Yes) return; } + m_document->clearHistories(); m_document->reset(); + m_document->saveSnapshot(); } void SkeletonDocumentWindow::saveAs() @@ -1153,6 +1155,10 @@ void SkeletonDocumentWindow::open() QApplication::setOverrideCursor(Qt::WaitCursor); Ds3FileReader ds3Reader(filename); + m_document->clearHistories(); + m_document->reset(); + m_document->saveSnapshot(); + for (int i = 0; i < ds3Reader.items().size(); ++i) { Ds3ReaderItem item = ds3Reader.items().at(i); if (item.type == "asset") { diff --git a/src/snapshot.cpp b/src/snapshot.cpp index 68aa9cbd..aba25393 100644 --- a/src/snapshot.cpp +++ b/src/snapshot.cpp @@ -2,7 +2,7 @@ #include "snapshot.h" #include "util.h" -void Snapshot::resolveBoundingBox(QRectF *mainProfile, QRectF *sideProfile, const QString &partId) +void Snapshot::resolveBoundingBox(QRectF *mainProfile, QRectF *sideProfile, const QString &partId) const { float left = 0; bool leftFirstTime = true; @@ -50,9 +50,6 @@ void Snapshot::resolveBoundingBox(QRectF *mainProfile, QRectF *sideProfile, cons } *mainProfile = QRectF(QPointF(left, top), QPointF(right, bottom)); *sideProfile = QRectF(QPointF(zLeft, top), QPointF(zRight, bottom)); - //qDebug() << "resolveBoundingBox left:" << left << "top:" << top << "right:" << right << "bottom:" << bottom << " zLeft:" << zLeft << "zRight:" << zRight; - //qDebug() << "mainHeight:" << mainProfile->height() << "mainWidth:" << mainProfile->width(); - //qDebug() << "sideHeight:" << sideProfile->height() << "sideWidth:" << sideProfile->width(); } diff --git a/src/snapshot.h b/src/snapshot.h index bc0b6ca7..df05d152 100644 --- a/src/snapshot.h +++ b/src/snapshot.h @@ -5,6 +5,9 @@ #include #include #include +extern "C" { +#include +} class Snapshot { @@ -18,8 +21,98 @@ public: std::vector, std::map>>> poses; // std::pair std::vector, std::vector>>> motions; // std::pair std::vector, std::vector, std::vector>>>>> materials; // std::pair layer: std::pair -public: - void resolveBoundingBox(QRectF *mainProfile, QRectF *sideProfile, const QString &partId=QString()); + + uint64_t hash() const + { + std::vector buffer; + auto addQStringToBuffer = [&buffer](const QString &str) { + auto byteArray = str.toUtf8(); + for (const auto &byte: byteArray) + buffer.push_back(byte); + }; + for (const auto &item: canvas) { + addQStringToBuffer(item.first); + addQStringToBuffer(item.second); + } + for (const auto &item: nodes) { + addQStringToBuffer(item.first); + for (const auto &subItem: item.second) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + } + for (const auto &item: edges) { + addQStringToBuffer(item.first); + for (const auto &subItem: item.second) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + } + for (const auto &item: parts) { + addQStringToBuffer(item.first); + for (const auto &subItem: item.second) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + } + for (const auto &item: components) { + addQStringToBuffer(item.first); + for (const auto &subItem: item.second) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + } + for (const auto &item: rootComponent) { + addQStringToBuffer(item.first); + addQStringToBuffer(item.second); + } + for (const auto &item: poses) { + for (const auto &subItem: item.first) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + for (const auto &subItem: item.second) { + addQStringToBuffer(subItem.first); + for (const auto &subSubItem: subItem.second) { + addQStringToBuffer(subSubItem.first); + addQStringToBuffer(subSubItem.second); + } + } + } + for (const auto &item: motions) { + for (const auto &subItem: item.first) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + for (const auto &subItem: item.second) { + for (const auto &subSubItem: subItem) { + addQStringToBuffer(subSubItem.first); + addQStringToBuffer(subSubItem.second); + } + } + } + for (const auto &item: materials) { + for (const auto &subItem: item.first) { + addQStringToBuffer(subItem.first); + addQStringToBuffer(subItem.second); + } + for (const auto &subItem: item.second) { + for (const auto &subSubItem: subItem.first) { + addQStringToBuffer(subSubItem.first); + addQStringToBuffer(subSubItem.second); + } + for (const auto &subSubItem: subItem.second) { + for (const auto &subSubSubItem: subSubItem) { + addQStringToBuffer(subSubSubItem.first); + addQStringToBuffer(subSubSubItem.second); + } + } + } + } + return crc64(0, buffer.data(), buffer.size()); + } + + void resolveBoundingBox(QRectF *mainProfile, QRectF *sideProfile, const QString &partId=QString()) const; }; #endif diff --git a/thirdparty/simpleuv/simpleuv/chartpacker.cpp b/thirdparty/simpleuv/simpleuv/chartpacker.cpp index b1731cf8..b8fdfa78 100644 --- a/thirdparty/simpleuv/simpleuv/chartpacker.cpp +++ b/thirdparty/simpleuv/simpleuv/chartpacker.cpp @@ -32,12 +32,14 @@ bool ChartPacker::tryPack(float textureSize) std::vector rects; int width = textureSize * m_floatToIntFactor; int height = width; - qDebug() << "Try the " << m_tryNum << "nth times pack with factor:" << m_textureSizeFactor << " size:" << width << "x" << height; + if (m_tryNum > 3) { + qDebug() << "Try the " << m_tryNum << "nth times pack with factor:" << m_textureSizeFactor << " size:" << width << "x" << height; + } for (const auto &chartSize: m_chartSizes) { maxRectsSize r; r.width = chartSize.first * m_floatToIntFactor; r.height = chartSize.second * m_floatToIntFactor; - qDebug() << " :chart " << r.width << "x" << r.height; + //qDebug() << " :chart " << r.width << "x" << r.height; rects.push_back(r); } const maxRectsFreeRectChoiceHeuristic methods[] = { @@ -51,13 +53,13 @@ bool ChartPacker::tryPack(float textureSize) float bestOccupancy = 0; std::vector bestResult; for (size_t i = 0; i < sizeof(methods) / sizeof(methods[0]); ++i) { - qDebug() << "Test method[" << methods[i] << "]"; + //qDebug() << "Test method[" << methods[i] << "]"; std::vector result(rects.size()); if (0 != maxRects(width, height, rects.size(), rects.data(), methods[i], true, result.data(), &occupancy)) { - qDebug() << " method[" << methods[i] << "] failed"; + //qDebug() << " method[" << methods[i] << "] failed"; continue; } - qDebug() << " method[" << methods[i] << "] occupancy:" << occupancy; + //qDebug() << " method[" << methods[i] << "] occupancy:" << occupancy; if (occupancy > bestOccupancy) { bestResult = result; bestOccupancy = occupancy; diff --git a/thirdparty/simpleuv/simpleuv/parametrize.cpp b/thirdparty/simpleuv/simpleuv/parametrize.cpp index 77539d26..b3334a8f 100644 --- a/thirdparty/simpleuv/simpleuv/parametrize.cpp +++ b/thirdparty/simpleuv/simpleuv/parametrize.cpp @@ -17,7 +17,7 @@ bool parametrize(const std::vector &verticies, if (verticies.empty() || faces.empty()) return false; - qDebug() << "parametrize vertices:" << verticies.size() << "faces:" << faces.size(); + //qDebug() << "parametrize vertices:" << verticies.size() << "faces:" << faces.size(); Eigen::MatrixXd V(verticies.size(), 3); Eigen::MatrixXi F(faces.size(), 3); diff --git a/thirdparty/simpleuv/simpleuv/uvunwrapper.cpp b/thirdparty/simpleuv/simpleuv/uvunwrapper.cpp index 874b080a..421dec56 100644 --- a/thirdparty/simpleuv/simpleuv/uvunwrapper.cpp +++ b/thirdparty/simpleuv/simpleuv/uvunwrapper.cpp @@ -310,8 +310,8 @@ void UvUnwrapper::calculateSizeAndRemoveInvalidCharts() item.coords[i].uv[1] -= top; } } - qDebug() << "left:" << left << "top:" << top << "right:" << right << "bottom:" << bottom; - qDebug() << "width:" << size.first << "height:" << size.second; + //qDebug() << "left:" << left << "top:" << top << "right:" << right << "bottom:" << bottom; + //qDebug() << "width:" << size.first << "height:" << size.second; m_chartSizes.push_back(size); m_charts.push_back(chart); } diff --git a/thirdparty/simpleuv/thirdparty/squeezer/maxrects.c b/thirdparty/simpleuv/thirdparty/squeezer/maxrects.c index f745d00c..6d068940 100755 --- a/thirdparty/simpleuv/thirdparty/squeezer/maxrects.c +++ b/thirdparty/simpleuv/thirdparty/squeezer/maxrects.c @@ -645,7 +645,7 @@ static int startLayout(maxRectsContext *ctx) { loop = loop->next; } if (!bestNode) { - fprintf(stderr, "%s: %s\n", __FUNCTION__, "find bestRect failed"); + //fprintf(stderr, "%s: %s\n", __FUNCTION__, "find bestRect failed"); return -1; } if (bestNode->width != bestRect->width ||