Updated Ukrainian translation.
[LameXP.git] / src / Dialog_MainWindow.cpp
blobee34902a98364dba9bc9ecd973f86bbf4c52eaf9
1 ///////////////////////////////////////////////////////////////////////////////
2 // LameXP - Audio Encoder Front-End
3 // Copyright (C) 2004-2013 LoRd_MuldeR <MuldeR2@GMX.de>
4 //
5 // This program is free software; you can redistribute it and/or modify
6 // it under the terms of the GNU General Public License as published by
7 // the Free Software Foundation; either version 2 of the License, or
8 // (at your option) any later version, but always including the *additional*
9 // restrictions defined in the "License.txt" file.
11 // This program is distributed in the hope that it will be useful,
12 // but WITHOUT ANY WARRANTY; without even the implied warranty of
13 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 // GNU General Public License for more details.
16 // You should have received a copy of the GNU General Public License along
17 // with this program; if not, write to the Free Software Foundation, Inc.,
18 // 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
20 // http://www.gnu.org/licenses/gpl-2.0.txt
21 ///////////////////////////////////////////////////////////////////////////////
23 #include "Dialog_MainWindow.h"
25 //UIC includes
26 #include "../tmp/UIC_MainWindow.h"
28 //LameXP includes
29 #include "Global.h"
30 #include "Resource.h"
31 #include "Dialog_WorkingBanner.h"
32 #include "Dialog_MetaInfo.h"
33 #include "Dialog_About.h"
34 #include "Dialog_Update.h"
35 #include "Dialog_DropBox.h"
36 #include "Dialog_CueImport.h"
37 #include "Dialog_LogView.h"
38 #include "Thread_FileAnalyzer.h"
39 #include "Thread_MessageHandler.h"
40 #include "Model_MetaInfo.h"
41 #include "Model_Settings.h"
42 #include "Model_FileList.h"
43 #include "Model_FileSystem.h"
44 #include "WinSevenTaskbar.h"
45 #include "Registry_Encoder.h"
46 #include "Registry_Decoder.h"
47 #include "Encoder_Abstract.h"
48 #include "ShellIntegration.h"
49 #include "CustomEventFilter.h"
51 //Qt includes
52 #include <QMessageBox>
53 #include <QTimer>
54 #include <QDesktopWidget>
55 #include <QDate>
56 #include <QFileDialog>
57 #include <QInputDialog>
58 #include <QFileSystemModel>
59 #include <QDesktopServices>
60 #include <QUrl>
61 #include <QPlastiqueStyle>
62 #include <QCleanlooksStyle>
63 #include <QWindowsVistaStyle>
64 #include <QWindowsStyle>
65 #include <QSysInfo>
66 #include <QDragEnterEvent>
67 #include <QMimeData>
68 #include <QProcess>
69 #include <QUuid>
70 #include <QProcessEnvironment>
71 #include <QCryptographicHash>
72 #include <QTranslator>
73 #include <QResource>
74 #include <QScrollBar>
76 ////////////////////////////////////////////////////////////
77 // Helper macros
78 ////////////////////////////////////////////////////////////
80 #define ABORT_IF_BUSY do \
81 { \
82 if(m_banner->isVisible() || m_delayedFileTimer->isActive()) \
83 { \
84 lamexp_beep(lamexp_beep_warning); \
85 return; \
86 } \
87 } \
88 while(0)
90 #define SET_TEXT_COLOR(WIDGET, COLOR) do \
91 { \
92 QPalette _palette = WIDGET->palette(); \
93 _palette.setColor(QPalette::WindowText, (COLOR)); \
94 _palette.setColor(QPalette::Text, (COLOR)); \
95 WIDGET->setPalette(_palette); \
96 } \
97 while(0)
99 #define SET_FONT_BOLD(WIDGET,BOLD) do \
101 QFont _font = WIDGET->font(); \
102 _font.setBold(BOLD); \
103 WIDGET->setFont(_font); \
105 while(0)
107 #define TEMP_HIDE_DROPBOX(CMD) do \
109 bool _dropBoxVisible = m_dropBox->isVisible(); \
110 if(_dropBoxVisible) m_dropBox->hide(); \
111 do { CMD } while(0); \
112 if(_dropBoxVisible) m_dropBox->show(); \
114 while(0)
116 #define SET_MODEL(VIEW, MODEL) do \
118 QItemSelectionModel *_tmp = (VIEW)->selectionModel(); \
119 (VIEW)->setModel(MODEL); \
120 LAMEXP_DELETE(_tmp); \
122 while(0)
124 #define SET_CHECKBOX_STATE(CHCKBX, STATE) do \
126 if((CHCKBX)->isChecked() != (STATE)) \
128 (CHCKBX)->click(); \
130 if((CHCKBX)->isChecked() != (STATE)) \
132 qWarning("Warning: Failed to set checkbox " #CHCKBX " state!"); \
135 while(0)
137 #define TRIM_STRING_RIGHT(STR) do \
139 while((STR.length() > 0) && STR[STR.length()-1].isSpace()) STR.chop(1); \
141 while(0)
143 #define MAKE_TRANSPARENT(WIDGET, FLAG) do \
145 QPalette _p = (WIDGET)->palette(); \
146 _p.setColor(QPalette::Background, Qt::transparent); \
147 (WIDGET)->setPalette(FLAG ? _p : QPalette()); \
149 while(0)
151 #define WITH_BLOCKED_SIGNALS(WIDGET, CMD, ...) do \
153 const bool _flag = (WIDGET)->blockSignals(true); \
154 (WIDGET)->CMD(__VA_ARGS__); \
155 if(!(_flag)) { (WIDGET)->blockSignals(false); } \
157 while(0)
159 #define LINK(URL) QString("<a href=\"%1\">%2</a>").arg(URL).arg(QString(URL).replace("-", "&minus;"))
160 #define FSLINK(PATH) QString("<a href=\"file:///%1\">%2</a>").arg(PATH).arg(QString(PATH).replace("-", "&minus;"))
161 //#define USE_NATIVE_FILE_DIALOG (lamexp_themes_enabled() || ((QSysInfo::windowsVersion() & QSysInfo::WV_NT_based) < QSysInfo::WV_XP))
162 #define CENTER_CURRENT_OUTPUT_FOLDER_DELAYED QTimer::singleShot(125, this, SLOT(centerOutputFolderModel()))
164 static const unsigned int IDM_ABOUTBOX = 0xEFF0;
166 ////////////////////////////////////////////////////////////
167 // Constructor
168 ////////////////////////////////////////////////////////////
170 MainWindow::MainWindow(FileListModel *fileListModel, AudioFileModel_MetaInfo *metaInfo, SettingsModel *settingsModel, QWidget *parent)
172 QMainWindow(parent),
173 ui(new Ui::MainWindow),
174 m_fileListModel(fileListModel),
175 m_metaData(metaInfo),
176 m_settings(settingsModel),
177 m_fileSystemModel(NULL),
178 m_accepted(false),
179 m_firstTimeShown(true),
180 m_outputFolderViewCentering(false),
181 m_outputFolderViewInitCounter(0)
183 //Init the dialog, from the .ui file
184 ui->setupUi(this);
185 setWindowFlags(windowFlags() ^ Qt::WindowMaximizeButtonHint);
187 //Register meta types
188 qRegisterMetaType<AudioFileModel>("AudioFileModel");
190 //Enabled main buttons
191 connect(ui->buttonAbout, SIGNAL(clicked()), this, SLOT(aboutButtonClicked()));
192 connect(ui->buttonStart, SIGNAL(clicked()), this, SLOT(encodeButtonClicked()));
193 connect(ui->buttonQuit, SIGNAL(clicked()), this, SLOT(closeButtonClicked()));
195 //Setup tab widget
196 ui->tabWidget->setCurrentIndex(0);
197 connect(ui->tabWidget, SIGNAL(currentChanged(int)), this, SLOT(tabPageChanged(int)));
199 //Add system menu
200 lamexp_append_sysmenu(this, IDM_ABOUTBOX, "About...");
202 //--------------------------------
203 // Setup "Source" tab
204 //--------------------------------
206 ui->sourceFileView->setModel(m_fileListModel);
207 ui->sourceFileView->verticalHeader()->setResizeMode(QHeaderView::ResizeToContents);
208 ui->sourceFileView->horizontalHeader()->setResizeMode(QHeaderView::ResizeToContents);
209 ui->sourceFileView->setContextMenuPolicy(Qt::CustomContextMenu);
210 ui->sourceFileView->viewport()->installEventFilter(this);
211 m_dropNoteLabel = new QLabel(ui->sourceFileView);
212 m_dropNoteLabel->setAlignment(Qt::AlignHCenter | Qt::AlignVCenter);
213 SET_FONT_BOLD(m_dropNoteLabel, true);
214 SET_TEXT_COLOR(m_dropNoteLabel, Qt::darkGray);
215 m_sourceFilesContextMenu = new QMenu();
216 m_showDetailsContextAction = m_sourceFilesContextMenu->addAction(QIcon(":/icons/zoom.png"), "N/A");
217 m_previewContextAction = m_sourceFilesContextMenu->addAction(QIcon(":/icons/sound.png"), "N/A");
218 m_findFileContextAction = m_sourceFilesContextMenu->addAction(QIcon(":/icons/folder_go.png"), "N/A");
219 m_sourceFilesContextMenu->addSeparator();
220 m_exportCsvContextAction = m_sourceFilesContextMenu->addAction(QIcon(":/icons/table_save.png"), "N/A");
221 m_importCsvContextAction = m_sourceFilesContextMenu->addAction(QIcon(":/icons/folder_table.png"), "N/A");
222 SET_FONT_BOLD(m_showDetailsContextAction, true);
223 connect(ui->buttonAddFiles, SIGNAL(clicked()), this, SLOT(addFilesButtonClicked()));
224 connect(ui->buttonRemoveFile, SIGNAL(clicked()), this, SLOT(removeFileButtonClicked()));
225 connect(ui->buttonClearFiles, SIGNAL(clicked()), this, SLOT(clearFilesButtonClicked()));
226 connect(ui->buttonFileUp, SIGNAL(clicked()), this, SLOT(fileUpButtonClicked()));
227 connect(ui->buttonFileDown, SIGNAL(clicked()), this, SLOT(fileDownButtonClicked()));
228 connect(ui->buttonShowDetails, SIGNAL(clicked()), this, SLOT(showDetailsButtonClicked()));
229 connect(m_fileListModel, SIGNAL(rowsInserted(QModelIndex,int,int)), this, SLOT(sourceModelChanged()));
230 connect(m_fileListModel, SIGNAL(rowsRemoved(QModelIndex,int,int)), this, SLOT(sourceModelChanged()));
231 connect(m_fileListModel, SIGNAL(modelReset()), this, SLOT(sourceModelChanged()));
232 connect(ui->sourceFileView, SIGNAL(customContextMenuRequested(QPoint)), this, SLOT(sourceFilesContextMenu(QPoint)));
233 connect(ui->sourceFileView->verticalScrollBar(), SIGNAL(sliderMoved(int)), this, SLOT(sourceFilesScrollbarMoved(int)));
234 connect(ui->sourceFileView->verticalScrollBar(), SIGNAL(valueChanged(int)), this, SLOT(sourceFilesScrollbarMoved(int)));
235 connect(m_showDetailsContextAction, SIGNAL(triggered(bool)), this, SLOT(showDetailsButtonClicked()));
236 connect(m_previewContextAction, SIGNAL(triggered(bool)), this, SLOT(previewContextActionTriggered()));
237 connect(m_findFileContextAction, SIGNAL(triggered(bool)), this, SLOT(findFileContextActionTriggered()));
238 connect(m_exportCsvContextAction, SIGNAL(triggered(bool)), this, SLOT(exportCsvContextActionTriggered()));
239 connect(m_importCsvContextAction, SIGNAL(triggered(bool)), this, SLOT(importCsvContextActionTriggered()));
241 //--------------------------------
242 // Setup "Output" tab
243 //--------------------------------
245 ui->outputFolderView->setHeaderHidden(true);
246 ui->outputFolderView->setAnimated(false);
247 ui->outputFolderView->setMouseTracking(false);
248 ui->outputFolderView->setContextMenuPolicy(Qt::CustomContextMenu);
249 ui->outputFolderView->setVerticalScrollBarPolicy(Qt::ScrollBarAlwaysOn);
251 m_evenFilterOutputFolderMouse = new CustomEventFilter;
252 ui->outputFoldersGoUpLabel->installEventFilter(m_evenFilterOutputFolderMouse);
253 ui->outputFoldersEditorLabel->installEventFilter(m_evenFilterOutputFolderMouse);
254 ui->outputFoldersFovoritesLabel->installEventFilter(m_evenFilterOutputFolderMouse);
255 ui->outputFolderLabel->installEventFilter(m_evenFilterOutputFolderMouse);
257 m_evenFilterOutputFolderView = new CustomEventFilter;
258 ui->outputFolderView->installEventFilter(m_evenFilterOutputFolderView);
260 SET_CHECKBOX_STATE(ui->saveToSourceFolderCheckBox, m_settings->outputToSourceDir());
261 ui->prependRelativePathCheckBox->setChecked(m_settings->prependRelativeSourcePath());
263 connect(ui->outputFolderView, SIGNAL(clicked(QModelIndex)), this, SLOT(outputFolderViewClicked(QModelIndex)));
264 connect(ui->outputFolderView, SIGNAL(activated(QModelIndex)), this, SLOT(outputFolderViewClicked(QModelIndex)));
265 connect(ui->outputFolderView, SIGNAL(pressed(QModelIndex)), this, SLOT(outputFolderViewClicked(QModelIndex)));
266 connect(ui->outputFolderView, SIGNAL(entered(QModelIndex)), this, SLOT(outputFolderViewMoved(QModelIndex)));
267 connect(ui->outputFolderView, SIGNAL(expanded(QModelIndex)), this, SLOT(outputFolderItemExpanded(QModelIndex)));
268 connect(ui->buttonMakeFolder, SIGNAL(clicked()), this, SLOT(makeFolderButtonClicked()));
269 connect(ui->buttonGotoHome, SIGNAL(clicked()), SLOT(gotoHomeFolderButtonClicked()));
270 connect(ui->buttonGotoDesktop, SIGNAL(clicked()), this, SLOT(gotoDesktopButtonClicked()));
271 connect(ui->buttonGotoMusic, SIGNAL(clicked()), this, SLOT(gotoMusicFolderButtonClicked()));
272 connect(ui->saveToSourceFolderCheckBox, SIGNAL(clicked()), this, SLOT(saveToSourceFolderChanged()));
273 connect(ui->prependRelativePathCheckBox, SIGNAL(clicked()), this, SLOT(prependRelativePathChanged()));
274 connect(ui->outputFolderEdit, SIGNAL(editingFinished()), this, SLOT(outputFolderEditFinished()));
275 connect(m_evenFilterOutputFolderMouse, SIGNAL(eventOccurred(QWidget*, QEvent*)), this, SLOT(outputFolderMouseEventOccurred(QWidget*, QEvent*)));
276 connect(m_evenFilterOutputFolderView, SIGNAL(eventOccurred(QWidget*, QEvent*)), this, SLOT(outputFolderViewEventOccurred(QWidget*, QEvent*)));
278 if(m_outputFolderContextMenu = new QMenu())
280 m_showFolderContextAction = m_outputFolderContextMenu->addAction(QIcon(":/icons/zoom.png"), "N/A");
281 m_goUpFolderContextAction = m_outputFolderContextMenu->addAction(QIcon(":/icons/folder_up.png"), "N/A");
282 m_outputFolderContextMenu->addSeparator();
283 m_refreshFolderContextAction = m_outputFolderContextMenu->addAction(QIcon(":/icons/arrow_refresh.png"), "N/A");
284 m_outputFolderContextMenu->setDefaultAction(m_showFolderContextAction);
285 connect(ui->outputFolderView, SIGNAL(customContextMenuRequested(QPoint)), this, SLOT(outputFolderContextMenu(QPoint)));
286 connect(m_showFolderContextAction, SIGNAL(triggered(bool)), this, SLOT(showFolderContextActionTriggered()));
287 connect(m_refreshFolderContextAction, SIGNAL(triggered(bool)), this, SLOT(refreshFolderContextActionTriggered()));
288 connect(m_goUpFolderContextAction, SIGNAL(triggered(bool)), this, SLOT(goUpFolderContextActionTriggered()));
291 if(m_outputFolderFavoritesMenu = new QMenu())
293 m_addFavoriteFolderAction = m_outputFolderFavoritesMenu->addAction(QIcon(":/icons/add.png"), "N/A");
294 m_outputFolderFavoritesMenu->insertSeparator(m_addFavoriteFolderAction);
295 connect(m_addFavoriteFolderAction, SIGNAL(triggered(bool)), this, SLOT(addFavoriteFolderActionTriggered()));
298 ui->outputFolderEdit->setVisible(false);
299 if(m_outputFolderNoteBox = new QLabel(ui->outputFolderView))
301 m_outputFolderNoteBox->setAutoFillBackground(true);
302 m_outputFolderNoteBox->setAlignment(Qt::AlignHCenter | Qt::AlignVCenter);
303 m_outputFolderNoteBox->setFrameShape(QFrame::StyledPanel);
304 SET_FONT_BOLD(m_outputFolderNoteBox, true);
305 m_outputFolderNoteBox->hide();
309 outputFolderViewClicked(QModelIndex());
310 refreshFavorites();
312 //--------------------------------
313 // Setup "Meta Data" tab
314 //--------------------------------
316 m_metaInfoModel = new MetaInfoModel(m_metaData);
317 m_metaInfoModel->clearData();
318 m_metaInfoModel->setData(m_metaInfoModel->index(4, 1), m_settings->metaInfoPosition());
319 ui->metaDataView->setModel(m_metaInfoModel);
320 ui->metaDataView->verticalHeader()->setResizeMode(QHeaderView::ResizeToContents);
321 ui->metaDataView->verticalHeader()->hide();
322 ui->metaDataView->horizontalHeader()->setResizeMode(QHeaderView::ResizeToContents);
323 SET_CHECKBOX_STATE(ui->writeMetaDataCheckBox, m_settings->writeMetaTags());
324 ui->generatePlaylistCheckBox->setChecked(m_settings->createPlaylist());
325 connect(ui->buttonEditMeta, SIGNAL(clicked()), this, SLOT(editMetaButtonClicked()));
326 connect(ui->buttonClearMeta, SIGNAL(clicked()), this, SLOT(clearMetaButtonClicked()));
327 connect(ui->writeMetaDataCheckBox, SIGNAL(clicked()), this, SLOT(metaTagsEnabledChanged()));
328 connect(ui->generatePlaylistCheckBox, SIGNAL(clicked()), this, SLOT(playlistEnabledChanged()));
330 //--------------------------------
331 //Setup "Compression" tab
332 //--------------------------------
334 m_encoderButtonGroup = new QButtonGroup(this);
335 m_encoderButtonGroup->addButton(ui->radioButtonEncoderMP3, SettingsModel::MP3Encoder);
336 m_encoderButtonGroup->addButton(ui->radioButtonEncoderVorbis, SettingsModel::VorbisEncoder);
337 m_encoderButtonGroup->addButton(ui->radioButtonEncoderAAC, SettingsModel::AACEncoder);
338 m_encoderButtonGroup->addButton(ui->radioButtonEncoderAC3, SettingsModel::AC3Encoder);
339 m_encoderButtonGroup->addButton(ui->radioButtonEncoderFLAC, SettingsModel::FLACEncoder);
340 m_encoderButtonGroup->addButton(ui->radioButtonEncoderOpus, SettingsModel::OpusEncoder);
341 m_encoderButtonGroup->addButton(ui->radioButtonEncoderDCA, SettingsModel::DCAEncoder);
342 m_encoderButtonGroup->addButton(ui->radioButtonEncoderPCM, SettingsModel::PCMEncoder);
344 const int aacEncoder = EncoderRegistry::getAacEncoder();
345 ui->radioButtonEncoderAAC->setEnabled(aacEncoder > SettingsModel::AAC_ENCODER_NONE);
347 m_modeButtonGroup = new QButtonGroup(this);
348 m_modeButtonGroup->addButton(ui->radioButtonModeQuality, SettingsModel::VBRMode);
349 m_modeButtonGroup->addButton(ui->radioButtonModeAverageBitrate, SettingsModel::ABRMode);
350 m_modeButtonGroup->addButton(ui->radioButtonConstBitrate, SettingsModel::CBRMode);
352 ui->radioButtonEncoderMP3->setChecked(true);
353 foreach(QAbstractButton *currentButton, m_encoderButtonGroup->buttons())
355 if(currentButton->isEnabled() && (m_encoderButtonGroup->id(currentButton) == m_settings->compressionEncoder()))
357 currentButton->setChecked(true);
358 break;
362 m_evenFilterCompressionTab = new CustomEventFilter();
363 ui->labelCompressionHelp->installEventFilter(m_evenFilterCompressionTab);
364 ui->labelResetEncoders ->installEventFilter(m_evenFilterCompressionTab);
366 connect(m_encoderButtonGroup, SIGNAL(buttonClicked(int)), this, SLOT(updateEncoder(int)));
367 connect(m_modeButtonGroup, SIGNAL(buttonClicked(int)), this, SLOT(updateRCMode(int)));
368 connect(m_evenFilterCompressionTab, SIGNAL(eventOccurred(QWidget*, QEvent*)), this, SLOT(compressionTabEventOccurred(QWidget*, QEvent*)));
369 connect(ui->sliderBitrate, SIGNAL(valueChanged(int)), this, SLOT(updateBitrate(int)));
371 updateEncoder(m_encoderButtonGroup->checkedId());
373 //--------------------------------
374 //Setup "Advanced Options" tab
375 //--------------------------------
377 ui->sliderLameAlgoQuality->setValue(m_settings->lameAlgoQuality());
378 if(m_settings->maximumInstances() > 0) ui->sliderMaxInstances->setValue(m_settings->maximumInstances());
380 ui->spinBoxBitrateManagementMin->setValue(m_settings->bitrateManagementMinRate());
381 ui->spinBoxBitrateManagementMax->setValue(m_settings->bitrateManagementMaxRate());
382 ui->spinBoxNormalizationFilter->setValue(static_cast<double>(m_settings->normalizationFilterMaxVolume()) / 100.0);
383 ui->spinBoxToneAdjustBass->setValue(static_cast<double>(m_settings->toneAdjustBass()) / 100.0);
384 ui->spinBoxToneAdjustTreble->setValue(static_cast<double>(m_settings->toneAdjustTreble()) / 100.0);
385 ui->spinBoxAftenSearchSize->setValue(m_settings->aftenExponentSearchSize());
386 ui->spinBoxOpusComplexity->setValue(m_settings->opusComplexity());
388 ui->comboBoxMP3ChannelMode->setCurrentIndex(m_settings->lameChannelMode());
389 ui->comboBoxSamplingRate->setCurrentIndex(m_settings->samplingRate());
390 ui->comboBoxAACProfile->setCurrentIndex(m_settings->aacEncProfile());
391 ui->comboBoxAftenCodingMode->setCurrentIndex(m_settings->aftenAudioCodingMode());
392 ui->comboBoxAftenDRCMode->setCurrentIndex(m_settings->aftenDynamicRangeCompression());
393 ui->comboBoxNormalizationMode->setCurrentIndex(m_settings->normalizationFilterEQMode());
394 //comboBoxOpusOptimize->setCurrentIndex(m_settings->opusOptimizeFor());
395 ui->comboBoxOpusFramesize->setCurrentIndex(m_settings->opusFramesize());
397 SET_CHECKBOX_STATE(ui->checkBoxBitrateManagement, m_settings->bitrateManagementEnabled());
398 SET_CHECKBOX_STATE(ui->checkBoxNeroAAC2PassMode, m_settings->neroAACEnable2Pass());
399 SET_CHECKBOX_STATE(ui->checkBoxAftenFastAllocation, m_settings->aftenFastBitAllocation());
400 SET_CHECKBOX_STATE(ui->checkBoxNormalizationFilter, m_settings->normalizationFilterEnabled());
401 SET_CHECKBOX_STATE(ui->checkBoxAutoDetectInstances, (m_settings->maximumInstances() < 1));
402 SET_CHECKBOX_STATE(ui->checkBoxUseSystemTempFolder, !m_settings->customTempPathEnabled());
403 SET_CHECKBOX_STATE(ui->checkBoxRenameOutput, m_settings->renameOutputFilesEnabled());
404 SET_CHECKBOX_STATE(ui->checkBoxForceStereoDownmix, m_settings->forceStereoDownmix());
405 SET_CHECKBOX_STATE(ui->checkBoxOpusDisableResample, m_settings->opusDisableResample());
406 ui->checkBoxNeroAAC2PassMode->setEnabled(aacEncoder == SettingsModel::AAC_ENCODER_NERO);
408 ui->lineEditCustomParamLAME ->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::MP3Encoder));
409 ui->lineEditCustomParamOggEnc ->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::VorbisEncoder));
410 ui->lineEditCustomParamNeroAAC->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::AACEncoder));
411 ui->lineEditCustomParamFLAC ->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::FLACEncoder));
412 ui->lineEditCustomParamAften ->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::AC3Encoder));
413 ui->lineEditCustomParamOpus ->setText(EncoderRegistry::loadEncoderCustomParams(m_settings, SettingsModel::OpusEncoder));
414 ui->lineEditCustomTempFolder ->setText(QDir::toNativeSeparators(m_settings->customTempPath()));
415 ui->lineEditRenamePattern ->setText(m_settings->renameOutputFilesPattern());
417 m_evenFilterCustumParamsHelp = new CustomEventFilter();
418 ui->helpCustomParamLAME->installEventFilter(m_evenFilterCustumParamsHelp);
419 ui->helpCustomParamOggEnc->installEventFilter(m_evenFilterCustumParamsHelp);
420 ui->helpCustomParamNeroAAC->installEventFilter(m_evenFilterCustumParamsHelp);
421 ui->helpCustomParamFLAC->installEventFilter(m_evenFilterCustumParamsHelp);
422 ui->helpCustomParamAften->installEventFilter(m_evenFilterCustumParamsHelp);
423 ui->helpCustomParamOpus->installEventFilter(m_evenFilterCustumParamsHelp);
425 m_overwriteButtonGroup = new QButtonGroup(this);
426 m_overwriteButtonGroup->addButton(ui->radioButtonOverwriteModeKeepBoth, SettingsModel::Overwrite_KeepBoth);
427 m_overwriteButtonGroup->addButton(ui->radioButtonOverwriteModeSkipFile, SettingsModel::Overwrite_SkipFile);
428 m_overwriteButtonGroup->addButton(ui->radioButtonOverwriteModeReplaces, SettingsModel::Overwrite_Replaces);
430 ui->radioButtonOverwriteModeKeepBoth->setChecked(m_settings->overwriteMode() == SettingsModel::Overwrite_KeepBoth);
431 ui->radioButtonOverwriteModeSkipFile->setChecked(m_settings->overwriteMode() == SettingsModel::Overwrite_SkipFile);
432 ui->radioButtonOverwriteModeReplaces->setChecked(m_settings->overwriteMode() == SettingsModel::Overwrite_Replaces);
434 connect(ui->sliderLameAlgoQuality, SIGNAL(valueChanged(int)), this, SLOT(updateLameAlgoQuality(int)));
435 connect(ui->checkBoxBitrateManagement, SIGNAL(clicked(bool)), this, SLOT(bitrateManagementEnabledChanged(bool)));
436 connect(ui->spinBoxBitrateManagementMin, SIGNAL(valueChanged(int)), this, SLOT(bitrateManagementMinChanged(int)));
437 connect(ui->spinBoxBitrateManagementMax, SIGNAL(valueChanged(int)), this, SLOT(bitrateManagementMaxChanged(int)));
438 connect(ui->comboBoxMP3ChannelMode, SIGNAL(currentIndexChanged(int)), this, SLOT(channelModeChanged(int)));
439 connect(ui->comboBoxSamplingRate, SIGNAL(currentIndexChanged(int)), this, SLOT(samplingRateChanged(int)));
440 connect(ui->checkBoxNeroAAC2PassMode, SIGNAL(clicked(bool)), this, SLOT(neroAAC2PassChanged(bool)));
441 connect(ui->comboBoxAACProfile, SIGNAL(currentIndexChanged(int)), this, SLOT(neroAACProfileChanged(int)));
442 connect(ui->checkBoxNormalizationFilter, SIGNAL(clicked(bool)), this, SLOT(normalizationEnabledChanged(bool)));
443 connect(ui->comboBoxAftenCodingMode, SIGNAL(currentIndexChanged(int)), this, SLOT(aftenCodingModeChanged(int)));
444 connect(ui->comboBoxAftenDRCMode, SIGNAL(currentIndexChanged(int)), this, SLOT(aftenDRCModeChanged(int)));
445 connect(ui->spinBoxAftenSearchSize, SIGNAL(valueChanged(int)), this, SLOT(aftenSearchSizeChanged(int)));
446 connect(ui->checkBoxAftenFastAllocation, SIGNAL(clicked(bool)), this, SLOT(aftenFastAllocationChanged(bool)));
447 connect(ui->spinBoxNormalizationFilter, SIGNAL(valueChanged(double)), this, SLOT(normalizationMaxVolumeChanged(double)));
448 connect(ui->comboBoxNormalizationMode, SIGNAL(currentIndexChanged(int)), this, SLOT(normalizationModeChanged(int)));
449 connect(ui->spinBoxToneAdjustBass, SIGNAL(valueChanged(double)), this, SLOT(toneAdjustBassChanged(double)));
450 connect(ui->spinBoxToneAdjustTreble, SIGNAL(valueChanged(double)), this, SLOT(toneAdjustTrebleChanged(double)));
451 connect(ui->buttonToneAdjustReset, SIGNAL(clicked()), this, SLOT(toneAdjustTrebleReset()));
452 connect(ui->lineEditCustomParamLAME, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
453 connect(ui->lineEditCustomParamOggEnc, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
454 connect(ui->lineEditCustomParamNeroAAC, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
455 connect(ui->lineEditCustomParamFLAC, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
456 connect(ui->lineEditCustomParamAften, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
457 connect(ui->lineEditCustomParamOpus, SIGNAL(editingFinished()), this, SLOT(customParamsChanged()));
458 connect(ui->sliderMaxInstances, SIGNAL(valueChanged(int)), this, SLOT(updateMaximumInstances(int)));
459 connect(ui->checkBoxAutoDetectInstances, SIGNAL(clicked(bool)), this, SLOT(autoDetectInstancesChanged(bool)));
460 connect(ui->buttonBrowseCustomTempFolder, SIGNAL(clicked()), this, SLOT(browseCustomTempFolderButtonClicked()));
461 connect(ui->lineEditCustomTempFolder, SIGNAL(textChanged(QString)), this, SLOT(customTempFolderChanged(QString)));
462 connect(ui->checkBoxUseSystemTempFolder, SIGNAL(clicked(bool)), this, SLOT(useCustomTempFolderChanged(bool)));
463 connect(ui->buttonResetAdvancedOptions, SIGNAL(clicked()), this, SLOT(resetAdvancedOptionsButtonClicked()));
464 connect(ui->checkBoxRenameOutput, SIGNAL(clicked(bool)), this, SLOT(renameOutputEnabledChanged(bool)));
465 connect(ui->lineEditRenamePattern, SIGNAL(editingFinished()), this, SLOT(renameOutputPatternChanged()));
466 connect(ui->lineEditRenamePattern, SIGNAL(textChanged(QString)), this, SLOT(renameOutputPatternChanged(QString)));
467 connect(ui->labelShowRenameMacros, SIGNAL(linkActivated(QString)), this, SLOT(showRenameMacros(QString)));
468 connect(ui->checkBoxForceStereoDownmix, SIGNAL(clicked(bool)), this, SLOT(forceStereoDownmixEnabledChanged(bool)));
469 connect(ui->comboBoxOpusFramesize, SIGNAL(currentIndexChanged(int)), this, SLOT(opusSettingsChanged()));
470 connect(ui->spinBoxOpusComplexity, SIGNAL(valueChanged(int)), this, SLOT(opusSettingsChanged()));
471 connect(ui->checkBoxOpusDisableResample, SIGNAL(clicked(bool)), SLOT(opusSettingsChanged()));
472 connect(m_overwriteButtonGroup, SIGNAL(buttonClicked(int)), this, SLOT(overwriteModeChanged(int)));
473 connect(m_evenFilterCustumParamsHelp, SIGNAL(eventOccurred(QWidget*, QEvent*)), this, SLOT(customParamsHelpRequested(QWidget*, QEvent*)));
475 //--------------------------------
476 // Force initial GUI update
477 //--------------------------------
479 updateLameAlgoQuality(ui->sliderLameAlgoQuality->value());
480 updateMaximumInstances(ui->sliderMaxInstances->value());
481 toneAdjustTrebleChanged(ui->spinBoxToneAdjustTreble->value());
482 toneAdjustBassChanged(ui->spinBoxToneAdjustBass->value());
483 customParamsChanged();
485 //--------------------------------
486 // Initialize actions
487 //--------------------------------
489 //Activate file menu actions
490 ui->actionOpenFolder->setData(QVariant::fromValue<bool>(false));
491 ui->actionOpenFolderRecursively->setData(QVariant::fromValue<bool>(true));
492 connect(ui->actionOpenFolder, SIGNAL(triggered()), this, SLOT(openFolderActionActivated()));
493 connect(ui->actionOpenFolderRecursively, SIGNAL(triggered()), this, SLOT(openFolderActionActivated()));
495 //Activate view menu actions
496 m_tabActionGroup = new QActionGroup(this);
497 m_tabActionGroup->addAction(ui->actionSourceFiles);
498 m_tabActionGroup->addAction(ui->actionOutputDirectory);
499 m_tabActionGroup->addAction(ui->actionCompression);
500 m_tabActionGroup->addAction(ui->actionMetaData);
501 m_tabActionGroup->addAction(ui->actionAdvancedOptions);
502 ui->actionSourceFiles->setData(0);
503 ui->actionOutputDirectory->setData(1);
504 ui->actionMetaData->setData(2);
505 ui->actionCompression->setData(3);
506 ui->actionAdvancedOptions->setData(4);
507 ui->actionSourceFiles->setChecked(true);
508 connect(m_tabActionGroup, SIGNAL(triggered(QAction*)), this, SLOT(tabActionActivated(QAction*)));
510 //Activate style menu actions
511 m_styleActionGroup = new QActionGroup(this);
512 m_styleActionGroup->addAction(ui->actionStylePlastique);
513 m_styleActionGroup->addAction(ui->actionStyleCleanlooks);
514 m_styleActionGroup->addAction(ui->actionStyleWindowsVista);
515 m_styleActionGroup->addAction(ui->actionStyleWindowsXP);
516 m_styleActionGroup->addAction(ui->actionStyleWindowsClassic);
517 ui->actionStylePlastique->setData(0);
518 ui->actionStyleCleanlooks->setData(1);
519 ui->actionStyleWindowsVista->setData(2);
520 ui->actionStyleWindowsXP->setData(3);
521 ui->actionStyleWindowsClassic->setData(4);
522 ui->actionStylePlastique->setChecked(true);
523 ui->actionStyleWindowsXP->setEnabled((QSysInfo::windowsVersion() & QSysInfo::WV_NT_based) >= QSysInfo::WV_XP && lamexp_themes_enabled());
524 ui->actionStyleWindowsVista->setEnabled((QSysInfo::windowsVersion() & QSysInfo::WV_NT_based) >= QSysInfo::WV_VISTA && lamexp_themes_enabled());
525 connect(m_styleActionGroup, SIGNAL(triggered(QAction*)), this, SLOT(styleActionActivated(QAction*)));
526 styleActionActivated(NULL);
528 //Populate the language menu
529 m_languageActionGroup = new QActionGroup(this);
530 QStringList translations = lamexp_query_translations();
531 while(!translations.isEmpty())
533 QString langId = translations.takeFirst();
534 QAction *currentLanguage = new QAction(this);
535 currentLanguage->setData(langId);
536 currentLanguage->setText(lamexp_translation_name(langId));
537 currentLanguage->setIcon(QIcon(QString(":/flags/%1.png").arg(langId)));
538 currentLanguage->setCheckable(true);
539 currentLanguage->setChecked(false);
540 m_languageActionGroup->addAction(currentLanguage);
541 ui->menuLanguage->insertAction(ui->actionLoadTranslationFromFile, currentLanguage);
543 ui->menuLanguage->insertSeparator(ui->actionLoadTranslationFromFile);
544 connect(ui->actionLoadTranslationFromFile, SIGNAL(triggered(bool)), this, SLOT(languageFromFileActionActivated(bool)));
545 connect(m_languageActionGroup, SIGNAL(triggered(QAction*)), this, SLOT(languageActionActivated(QAction*)));
546 ui->actionLoadTranslationFromFile->setChecked(false);
548 //Activate tools menu actions
549 ui->actionDisableUpdateReminder->setChecked(!m_settings->autoUpdateEnabled());
550 ui->actionDisableSounds->setChecked(!m_settings->soundsEnabled());
551 ui->actionDisableNeroAacNotifications->setChecked(!m_settings->neroAacNotificationsEnabled());
552 ui->actionDisableSlowStartupNotifications->setChecked(!m_settings->antivirNotificationsEnabled());
553 ui->actionDisableShellIntegration->setChecked(!m_settings->shellIntegrationEnabled());
554 ui->actionDisableShellIntegration->setDisabled(lamexp_portable_mode() && ui->actionDisableShellIntegration->isChecked());
555 ui->actionCheckForBetaUpdates->setChecked(m_settings->autoUpdateCheckBeta() || lamexp_version_demo());
556 ui->actionCheckForBetaUpdates->setEnabled(!lamexp_version_demo());
557 ui->actionHibernateComputer->setChecked(m_settings->hibernateComputer());
558 ui->actionHibernateComputer->setEnabled(lamexp_is_hibernation_supported());
559 connect(ui->actionDisableUpdateReminder, SIGNAL(triggered(bool)), this, SLOT(disableUpdateReminderActionTriggered(bool)));
560 connect(ui->actionDisableSounds, SIGNAL(triggered(bool)), this, SLOT(disableSoundsActionTriggered(bool)));
561 connect(ui->actionDisableNeroAacNotifications, SIGNAL(triggered(bool)), this, SLOT(disableNeroAacNotificationsActionTriggered(bool)));
562 connect(ui->actionDisableSlowStartupNotifications, SIGNAL(triggered(bool)), this, SLOT(disableSlowStartupNotificationsActionTriggered(bool)));
563 connect(ui->actionDisableShellIntegration, SIGNAL(triggered(bool)), this, SLOT(disableShellIntegrationActionTriggered(bool)));
564 connect(ui->actionShowDropBoxWidget, SIGNAL(triggered(bool)), this, SLOT(showDropBoxWidgetActionTriggered(bool)));
565 connect(ui->actionHibernateComputer, SIGNAL(triggered(bool)), this, SLOT(hibernateComputerActionTriggered(bool)));
566 connect(ui->actionCheckForBetaUpdates, SIGNAL(triggered(bool)), this, SLOT(checkForBetaUpdatesActionTriggered(bool)));
567 connect(ui->actionImportCueSheet, SIGNAL(triggered(bool)), this, SLOT(importCueSheetActionTriggered(bool)));
569 //Activate help menu actions
570 ui->actionVisitHomepage->setData(QString::fromLatin1(lamexp_website_url()));
571 ui->actionVisitSupport->setData(QString::fromLatin1(lamexp_support_url()));
572 ui->actionVisitMuldersSite->setData(QString::fromLatin1(lamexp_mulders_url()));
573 ui->actionDocumentFAQ->setData(QString("%1/FAQ.html").arg(QApplication::applicationDirPath()));
574 ui->actionDocumentChangelog->setData(QString("%1/Changelog.html").arg(QApplication::applicationDirPath()));
575 ui->actionDocumentTranslate->setData(QString("%1/Translate.html").arg(QApplication::applicationDirPath()));
576 connect(ui->actionCheckUpdates, SIGNAL(triggered()), this, SLOT(checkUpdatesActionActivated()));
577 connect(ui->actionVisitHomepage, SIGNAL(triggered()), this, SLOT(visitHomepageActionActivated()));
578 connect(ui->actionVisitMuldersSite, SIGNAL(triggered()), this, SLOT(visitHomepageActionActivated()));
579 connect(ui->actionVisitSupport, SIGNAL(triggered()), this, SLOT(visitHomepageActionActivated()));
580 connect(ui->actionDocumentFAQ, SIGNAL(triggered()), this, SLOT(documentActionActivated()));
581 connect(ui->actionDocumentChangelog, SIGNAL(triggered()), this, SLOT(documentActionActivated()));
582 connect(ui->actionDocumentTranslate, SIGNAL(triggered()), this, SLOT(documentActionActivated()));
584 //--------------------------------
585 // Prepare to show window
586 //--------------------------------
588 //Center window in screen
589 QRect desktopRect = QApplication::desktop()->screenGeometry();
590 QRect thisRect = this->geometry();
591 move((desktopRect.width() - thisRect.width()) / 2, (desktopRect.height() - thisRect.height()) / 2);
592 setMinimumSize(thisRect.width(), thisRect.height());
594 //Create banner
595 m_banner = new WorkingBanner(this);
597 //Create DropBox widget
598 m_dropBox = new DropBox(this, m_fileListModel, m_settings);
599 connect(m_fileListModel, SIGNAL(modelReset()), m_dropBox, SLOT(modelChanged()));
600 connect(m_fileListModel, SIGNAL(rowsInserted(QModelIndex,int,int)), m_dropBox, SLOT(modelChanged()));
601 connect(m_fileListModel, SIGNAL(rowsRemoved(QModelIndex,int,int)), m_dropBox, SLOT(modelChanged()));
602 connect(m_fileListModel, SIGNAL(rowAppended()), m_dropBox, SLOT(modelChanged()));
604 //Create message handler thread
605 m_messageHandler = new MessageHandlerThread();
606 m_delayedFileList = new QStringList();
607 m_delayedFileTimer = new QTimer();
608 m_delayedFileTimer->setSingleShot(true);
609 m_delayedFileTimer->setInterval(5000);
610 connect(m_messageHandler, SIGNAL(otherInstanceDetected()), this, SLOT(notifyOtherInstance()), Qt::QueuedConnection);
611 connect(m_messageHandler, SIGNAL(fileReceived(QString)), this, SLOT(addFileDelayed(QString)), Qt::QueuedConnection);
612 connect(m_messageHandler, SIGNAL(folderReceived(QString, bool)), this, SLOT(addFolderDelayed(QString, bool)), Qt::QueuedConnection);
613 connect(m_messageHandler, SIGNAL(killSignalReceived()), this, SLOT(close()), Qt::QueuedConnection);
614 connect(m_delayedFileTimer, SIGNAL(timeout()), this, SLOT(handleDelayedFiles()));
615 m_messageHandler->start();
617 //Load translation
618 initializeTranslation();
620 //Re-translate (make sure we translate once)
621 QEvent languageChangeEvent(QEvent::LanguageChange);
622 changeEvent(&languageChangeEvent);
624 //Enable Drag & Drop
625 this->setAcceptDrops(true);
628 ////////////////////////////////////////////////////////////
629 // Destructor
630 ////////////////////////////////////////////////////////////
632 MainWindow::~MainWindow(void)
634 //Stop message handler thread
635 if(m_messageHandler && m_messageHandler->isRunning())
637 m_messageHandler->stop();
638 if(!m_messageHandler->wait(2500))
640 m_messageHandler->terminate();
641 m_messageHandler->wait();
645 //Unset models
646 SET_MODEL(ui->sourceFileView, NULL);
647 SET_MODEL(ui->outputFolderView, NULL);
648 SET_MODEL(ui->metaDataView, NULL);
650 //Free memory
651 LAMEXP_DELETE(m_tabActionGroup);
652 LAMEXP_DELETE(m_styleActionGroup);
653 LAMEXP_DELETE(m_languageActionGroup);
654 LAMEXP_DELETE(m_banner);
655 LAMEXP_DELETE(m_fileSystemModel);
656 LAMEXP_DELETE(m_messageHandler);
657 LAMEXP_DELETE(m_delayedFileList);
658 LAMEXP_DELETE(m_delayedFileTimer);
659 LAMEXP_DELETE(m_metaInfoModel);
660 LAMEXP_DELETE(m_encoderButtonGroup);
661 LAMEXP_DELETE(m_modeButtonGroup);
662 LAMEXP_DELETE(m_overwriteButtonGroup);
663 LAMEXP_DELETE(m_sourceFilesContextMenu);
664 LAMEXP_DELETE(m_outputFolderFavoritesMenu);
665 LAMEXP_DELETE(m_outputFolderContextMenu);
666 LAMEXP_DELETE(m_dropBox);
667 LAMEXP_DELETE(m_evenFilterCustumParamsHelp);
668 LAMEXP_DELETE(m_evenFilterOutputFolderMouse);
669 LAMEXP_DELETE(m_evenFilterOutputFolderView);
670 LAMEXP_DELETE(m_evenFilterCompressionTab);
672 //Un-initialize the dialog
673 LAMEXP_DELETE(ui);
676 ////////////////////////////////////////////////////////////
677 // PRIVATE FUNCTIONS
678 ////////////////////////////////////////////////////////////
681 * Add file to source list
683 void MainWindow::addFiles(const QStringList &files)
685 if(files.isEmpty())
687 return;
690 ui->tabWidget->setCurrentIndex(0);
692 FileAnalyzer *analyzer = new FileAnalyzer(files);
693 connect(analyzer, SIGNAL(fileSelected(QString)), m_banner, SLOT(setText(QString)), Qt::QueuedConnection);
694 connect(analyzer, SIGNAL(progressValChanged(unsigned int)), m_banner, SLOT(setProgressVal(unsigned int)), Qt::QueuedConnection);
695 connect(analyzer, SIGNAL(progressMaxChanged(unsigned int)), m_banner, SLOT(setProgressMax(unsigned int)), Qt::QueuedConnection);
696 connect(analyzer, SIGNAL(fileAnalyzed(AudioFileModel)), m_fileListModel, SLOT(addFile(AudioFileModel)), Qt::QueuedConnection);
697 connect(m_banner, SIGNAL(userAbort()), analyzer, SLOT(abortProcess()), Qt::DirectConnection);
701 m_fileListModel->setBlockUpdates(true);
702 QTime startTime = QTime::currentTime();
703 m_banner->show(tr("Adding file(s), please wait..."), analyzer);
705 catch(...)
707 /* ignore any exceptions that may occur */
710 m_fileListModel->setBlockUpdates(false);
711 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
712 ui->sourceFileView->update();
713 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
714 ui->sourceFileView->scrollToBottom();
715 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
717 if(analyzer->filesDenied())
719 QMessageBox::warning(this, tr("Access Denied"), QString("%1<br>%2").arg(NOBR(tr("%n file(s) have been rejected, because read access was not granted!", "", analyzer->filesDenied())), NOBR(tr("This usually means the file is locked by another process."))));
721 if(analyzer->filesDummyCDDA())
723 QMessageBox::warning(this, tr("CDDA Files"), QString("%1<br><br>%2<br>%3").arg(NOBR(tr("%n file(s) have been rejected, because they are dummy CDDA files!", "", analyzer->filesDummyCDDA())), NOBR(tr("Sorry, LameXP cannot extract audio tracks from an Audio-CD at present.")), NOBR(tr("We recommend using %1 for that purpose.").arg("<a href=\"http://www.exactaudiocopy.de/\">Exact Audio Copy</a>"))));
725 if(analyzer->filesCueSheet())
727 QMessageBox::warning(this, tr("Cue Sheet"), QString("%1<br>%2").arg(NOBR(tr("%n file(s) have been rejected, because they appear to be Cue Sheet images!", "",analyzer->filesCueSheet())), NOBR(tr("Please use LameXP's Cue Sheet wizard for importing Cue Sheet files."))));
729 if(analyzer->filesRejected())
731 QMessageBox::warning(this, tr("Files Rejected"), QString("%1<br>%2").arg(NOBR(tr("%n file(s) have been rejected, because the file format could not be recognized!", "", analyzer->filesRejected())), NOBR(tr("This usually means the file is damaged or the file format is not supported."))));
734 LAMEXP_DELETE(analyzer);
735 m_banner->close();
739 * Add folder to source list
741 void MainWindow::addFolder(const QString &path, bool recursive, bool delayed)
743 QFileInfoList folderInfoList;
744 folderInfoList << QFileInfo(path);
745 QStringList fileList;
747 m_banner->show(tr("Scanning folder(s) for files, please wait..."));
749 QApplication::processEvents();
750 lamexp_check_escape_state();
752 while(!folderInfoList.isEmpty())
754 if(lamexp_check_escape_state())
756 lamexp_beep(lamexp_beep_error);
757 qWarning("Operation cancelled by user!");
758 fileList.clear();
759 break;
762 QDir currentDir(folderInfoList.takeFirst().canonicalFilePath());
763 QFileInfoList fileInfoList = currentDir.entryInfoList(QDir::Files | QDir::NoSymLinks);
765 while(!fileInfoList.isEmpty())
767 fileList << fileInfoList.takeFirst().canonicalFilePath();
770 QApplication::processEvents();
772 if(recursive)
774 folderInfoList.append(currentDir.entryInfoList(QDir::Dirs | QDir::NoDotAndDotDot | QDir::NoSymLinks));
775 QApplication::processEvents();
779 m_banner->close();
780 QApplication::processEvents();
782 if(!fileList.isEmpty())
784 if(delayed)
786 addFilesDelayed(fileList);
788 else
790 addFiles(fileList);
796 * Check for updates
798 bool MainWindow::checkForUpdates(void)
800 bool bReadyToInstall = false;
802 UpdateDialog *updateDialog = new UpdateDialog(m_settings, this);
803 updateDialog->exec();
805 if(updateDialog->getSuccess())
807 m_settings->autoUpdateLastCheck(QDate::currentDate().toString(Qt::ISODate));
808 bReadyToInstall = updateDialog->updateReadyToInstall();
811 LAMEXP_DELETE(updateDialog);
812 return bReadyToInstall;
816 * Refresh list of favorites
818 void MainWindow::refreshFavorites(void)
820 QList<QAction*> folderList = m_outputFolderFavoritesMenu->actions();
821 QStringList favorites = m_settings->favoriteOutputFolders().split("|", QString::SkipEmptyParts);
822 while(favorites.count() > 6) favorites.removeFirst();
824 while(!folderList.isEmpty())
826 QAction *currentItem = folderList.takeFirst();
827 if(currentItem->isSeparator()) break;
828 m_outputFolderFavoritesMenu->removeAction(currentItem);
829 LAMEXP_DELETE(currentItem);
832 QAction *lastItem = m_outputFolderFavoritesMenu->actions().first();
834 while(!favorites.isEmpty())
836 QString path = favorites.takeLast();
837 if(QDir(path).exists())
839 QAction *action = new QAction(QIcon(":/icons/folder_go.png"), QDir::toNativeSeparators(path), this);
840 action->setData(path);
841 m_outputFolderFavoritesMenu->insertAction(lastItem, action);
842 connect(action, SIGNAL(triggered(bool)), this, SLOT(gotoFavoriteFolder()));
843 lastItem = action;
849 * Initilaize translation
851 void MainWindow::initializeTranslation(void)
853 bool translationLoaded = false;
855 //Try to load "external" translation file
856 if(!m_settings->currentLanguageFile().isEmpty())
858 const QString qmFilePath = QFileInfo(m_settings->currentLanguageFile()).canonicalFilePath();
859 if((!qmFilePath.isEmpty()) && QFileInfo(qmFilePath).exists() && QFileInfo(qmFilePath).isFile() && (QFileInfo(qmFilePath).suffix().compare("qm", Qt::CaseInsensitive) == 0))
861 if(lamexp_install_translator_from_file(qmFilePath))
863 QList<QAction*> actions = m_languageActionGroup->actions();
864 while(!actions.isEmpty()) actions.takeFirst()->setChecked(false);
865 ui->actionLoadTranslationFromFile->setChecked(true);
866 translationLoaded = true;
871 //Try to load "built-in" translation file
872 if(!translationLoaded)
874 QList<QAction*> languageActions = m_languageActionGroup->actions();
875 while(!languageActions.isEmpty())
877 QAction *currentLanguage = languageActions.takeFirst();
878 if(currentLanguage->data().toString().compare(m_settings->currentLanguage(), Qt::CaseInsensitive) == 0)
880 currentLanguage->setChecked(true);
881 languageActionActivated(currentLanguage);
882 translationLoaded = true;
887 //Fallback to default translation
888 if(!translationLoaded)
890 QList<QAction*> languageActions = m_languageActionGroup->actions();
891 while(!languageActions.isEmpty())
893 QAction *currentLanguage = languageActions.takeFirst();
894 if(currentLanguage->data().toString().compare(LAMEXP_DEFAULT_LANGID, Qt::CaseInsensitive) == 0)
896 currentLanguage->setChecked(true);
897 languageActionActivated(currentLanguage);
898 translationLoaded = true;
903 //Make sure we loaded some translation
904 if(!translationLoaded)
906 qFatal("Failed to load any translation, this is NOT supposed to happen!");
910 ////////////////////////////////////////////////////////////
911 // EVENTS
912 ////////////////////////////////////////////////////////////
915 * Window is about to be shown
917 void MainWindow::showEvent(QShowEvent *event)
919 m_accepted = false;
920 resizeEvent(NULL);
921 sourceModelChanged();
923 if(!event->spontaneous())
925 ui->tabWidget->setCurrentIndex(0);
928 if(m_firstTimeShown)
930 m_firstTimeShown = false;
931 QTimer::singleShot(0, this, SLOT(windowShown()));
933 else
935 if(m_settings->dropBoxWidgetEnabled())
937 m_dropBox->setVisible(true);
943 * Re-translate the UI
945 void MainWindow::changeEvent(QEvent *e)
947 if(e->type() == QEvent::LanguageChange)
949 /*qWarning("\nMainWindow::changeEvent()\n");*/
951 int comboBoxIndex[8];
953 //Backup combobox indices, as retranslateUi() resets
954 comboBoxIndex[0] = ui->comboBoxMP3ChannelMode->currentIndex();
955 comboBoxIndex[1] = ui->comboBoxSamplingRate->currentIndex();
956 comboBoxIndex[2] = ui->comboBoxAACProfile->currentIndex();
957 comboBoxIndex[3] = ui->comboBoxAftenCodingMode->currentIndex();
958 comboBoxIndex[4] = ui->comboBoxAftenDRCMode->currentIndex();
959 comboBoxIndex[5] = ui->comboBoxNormalizationMode->currentIndex();
960 comboBoxIndex[6] = 0; //comboBoxOpusOptimize->currentIndex();
961 comboBoxIndex[7] = ui->comboBoxOpusFramesize->currentIndex();
963 //Re-translate from UIC
964 ui->retranslateUi(this);
966 //Restore combobox indices
967 ui->comboBoxMP3ChannelMode->setCurrentIndex(comboBoxIndex[0]);
968 ui->comboBoxSamplingRate->setCurrentIndex(comboBoxIndex[1]);
969 ui->comboBoxAACProfile->setCurrentIndex(comboBoxIndex[2]);
970 ui->comboBoxAftenCodingMode->setCurrentIndex(comboBoxIndex[3]);
971 ui->comboBoxAftenDRCMode->setCurrentIndex(comboBoxIndex[4]);
972 ui->comboBoxNormalizationMode->setCurrentIndex(comboBoxIndex[5]);
973 //comboBoxOpusOptimize->setCurrentIndex(comboBoxIndex[6]);
974 ui->comboBoxOpusFramesize->setCurrentIndex(comboBoxIndex[7]);
976 //Update the window title
977 if(LAMEXP_DEBUG)
979 setWindowTitle(QString("%1 [!!! DEBUG BUILD !!!]").arg(windowTitle()));
981 else if(lamexp_version_demo())
983 setWindowTitle(QString("%1 [%2]").arg(windowTitle(), tr("DEMO VERSION")));
986 //Manually re-translate widgets that UIC doesn't handle
987 m_outputFolderNoteBox->setText(tr("Initializing directory outline, please be patient..."));
988 m_dropNoteLabel->setText(QString("<br><img src=\":/images/DropZone.png\"><br><br>%1").arg(tr("You can drop in audio files here!")));
989 m_showDetailsContextAction->setText(tr("Show Details"));
990 m_previewContextAction->setText(tr("Open File in External Application"));
991 m_findFileContextAction->setText(tr("Browse File Location"));
992 m_showFolderContextAction->setText(tr("Browse Selected Folder"));
993 m_refreshFolderContextAction->setText(tr("Refresh Directory Outline"));
994 m_goUpFolderContextAction->setText(tr("Go To Parent Directory"));
995 m_addFavoriteFolderAction->setText(tr("Bookmark Current Output Folder"));
996 m_exportCsvContextAction->setText(tr("Export Meta Tags to CSV File"));
997 m_importCsvContextAction->setText(tr("Import Meta Tags from CSV File"));
999 //Force GUI update
1000 m_metaInfoModel->clearData();
1001 m_metaInfoModel->setData(m_metaInfoModel->index(4, 1), m_settings->metaInfoPosition());
1002 updateEncoder(m_settings->compressionEncoder());
1003 updateLameAlgoQuality(ui->sliderLameAlgoQuality->value());
1004 updateMaximumInstances(ui->sliderMaxInstances->value());
1005 renameOutputPatternChanged(ui->lineEditRenamePattern->text(), true);
1007 //Re-install shell integration
1008 if(m_settings->shellIntegrationEnabled())
1010 ShellIntegration::install();
1013 //Translate system menu
1014 lamexp_update_sysmenu(this, IDM_ABOUTBOX, ui->buttonAbout->text());
1016 //Force resize, if needed
1017 tabPageChanged(ui->tabWidget->currentIndex(), true);
1022 * File dragged over window
1024 void MainWindow::dragEnterEvent(QDragEnterEvent *event)
1026 QStringList formats = event->mimeData()->formats();
1028 if(formats.contains("application/x-qt-windows-mime;value=\"FileNameW\"", Qt::CaseInsensitive) && formats.contains("text/uri-list", Qt::CaseInsensitive))
1030 event->acceptProposedAction();
1035 * File dropped onto window
1037 void MainWindow::dropEvent(QDropEvent *event)
1039 ABORT_IF_BUSY;
1041 if(m_settings->soundsEnabled()) lamexp_play_sound(IDR_WAVE_DROP, true);
1043 QStringList droppedFiles;
1044 QList<QUrl> urls = event->mimeData()->urls();
1046 while(!urls.isEmpty())
1048 QUrl currentUrl = urls.takeFirst();
1049 QFileInfo file(currentUrl.toLocalFile());
1050 if(!file.exists())
1052 continue;
1054 if(file.isFile())
1056 qDebug("Dropped File: %s", QUTF8(file.canonicalFilePath()));
1057 droppedFiles << file.canonicalFilePath();
1058 continue;
1060 if(file.isDir())
1062 qDebug("Dropped Folder: %s", QUTF8(file.canonicalFilePath()));
1063 QList<QFileInfo> list = QDir(file.canonicalFilePath()).entryInfoList(QDir::Files | QDir::NoSymLinks);
1064 if(list.count() > 0)
1066 for(int j = 0; j < list.count(); j++)
1068 droppedFiles << list.at(j).canonicalFilePath();
1071 else
1073 list = QDir(file.canonicalFilePath()).entryInfoList(QDir::Dirs | QDir::NoDotAndDotDot | QDir::NoSymLinks);
1074 for(int j = 0; j < list.count(); j++)
1076 qDebug("Descending to Folder: %s", QUTF8(list.at(j).canonicalFilePath()));
1077 urls.prepend(QUrl::fromLocalFile(list.at(j).canonicalFilePath()));
1083 if(!droppedFiles.isEmpty())
1085 addFilesDelayed(droppedFiles, true);
1090 * Window tries to close
1092 void MainWindow::closeEvent(QCloseEvent *event)
1094 if(m_banner->isVisible() || m_delayedFileTimer->isActive())
1096 lamexp_beep(lamexp_beep_warning);
1097 event->ignore();
1100 if(m_dropBox)
1102 m_dropBox->hide();
1107 * Window was resized
1109 void MainWindow::resizeEvent(QResizeEvent *event)
1111 if(event) QMainWindow::resizeEvent(event);
1113 if(QWidget *port = ui->sourceFileView->viewport())
1115 m_dropNoteLabel->setGeometry(port->geometry());
1118 if (QWidget *port = ui->outputFolderView->viewport())
1120 m_outputFolderNoteBox->setGeometry(16, (port->height() - 64) / 2, port->width() - 32, 64);
1125 * Key press event filter
1127 void MainWindow::keyPressEvent(QKeyEvent *e)
1129 if(e->key() == Qt::Key_Delete)
1131 if(ui->sourceFileView->isVisible())
1133 QTimer::singleShot(0, this, SLOT(removeFileButtonClicked()));
1134 return;
1138 if(e->modifiers().testFlag(Qt::ControlModifier) && (e->key() == Qt::Key_F5))
1140 initializeTranslation();
1141 lamexp_beep(lamexp_beep_info);
1142 return;
1145 if(e->key() == Qt::Key_F5)
1147 if(ui->outputFolderView->isVisible())
1149 QTimer::singleShot(0, this, SLOT(refreshFolderContextActionTriggered()));
1150 return;
1154 QMainWindow::keyPressEvent(e);
1158 * Event filter
1160 bool MainWindow::eventFilter(QObject *obj, QEvent *event)
1162 if(obj == m_fileSystemModel)
1164 if(QApplication::overrideCursor() == NULL)
1166 QApplication::setOverrideCursor(QCursor(Qt::WaitCursor));
1167 QTimer::singleShot(250, this, SLOT(restoreCursor()));
1171 return QMainWindow::eventFilter(obj, event);
1174 bool MainWindow::event(QEvent *e)
1176 switch(e->type())
1178 case lamexp_event_queryendsession:
1179 qWarning("System is shutting down, main window prepares to close...");
1180 if(m_banner->isVisible()) m_banner->close();
1181 if(m_delayedFileTimer->isActive()) m_delayedFileTimer->stop();
1182 return true;
1183 case lamexp_event_endsession:
1184 qWarning("System is shutting down, main window will close now...");
1185 if(isVisible())
1187 while(!close())
1189 QApplication::processEvents(QEventLoop::WaitForMoreEvents & QEventLoop::ExcludeUserInputEvents);
1192 m_fileListModel->clearFiles();
1193 return true;
1194 case QEvent::MouseButtonPress:
1195 if(ui->outputFolderEdit->isVisible())
1197 QTimer::singleShot(0, this, SLOT(outputFolderEditFinished()));
1199 default:
1200 return QMainWindow::event(e);
1204 bool MainWindow::winEvent(MSG *message, long *result)
1206 if(lamexp_check_sysmenu_msg(message, IDM_ABOUTBOX))
1208 QTimer::singleShot(0, ui->buttonAbout, SLOT(click()));
1209 *result = 0;
1210 return true;
1212 return WinSevenTaskbar::handleWinEvent(message, result);
1215 ////////////////////////////////////////////////////////////
1216 // Slots
1217 ////////////////////////////////////////////////////////////
1219 // =========================================================
1220 // Show window slots
1221 // =========================================================
1224 * Window shown
1226 void MainWindow::windowShown(void)
1228 const QStringList &arguments = lamexp_arguments(); //QApplication::arguments();
1230 //Force resize event
1231 resizeEvent(NULL);
1233 //First run?
1234 bool firstRun = false;
1235 for(int i = 0; i < arguments.count(); i++)
1237 /*QMessageBox::information(this, QString::number(i), arguments[i]);*/
1238 if(!arguments[i].compare("--first-run", Qt::CaseInsensitive)) firstRun = true;
1241 //Check license
1242 if((m_settings->licenseAccepted() <= 0) || firstRun)
1244 int iAccepted = m_settings->licenseAccepted();
1246 if((iAccepted == 0) || firstRun)
1248 AboutDialog *about = new AboutDialog(m_settings, this, true);
1249 iAccepted = about->exec();
1250 if(iAccepted <= 0) iAccepted = -2;
1251 LAMEXP_DELETE(about);
1254 if(iAccepted <= 0)
1256 m_settings->licenseAccepted(++iAccepted);
1257 m_settings->syncNow();
1258 QApplication::processEvents();
1259 lamexp_play_sound(IDR_WAVE_WHAMMY, false);
1260 QMessageBox::critical(this, tr("License Declined"), tr("You have declined the license. Consequently the application will exit now!"), tr("Goodbye!"));
1261 QFileInfo uninstallerInfo = QFileInfo(QString("%1/Uninstall.exe").arg(QApplication::applicationDirPath()));
1262 if(uninstallerInfo.exists())
1264 QString uninstallerDir = uninstallerInfo.canonicalPath();
1265 QString uninstallerPath = uninstallerInfo.canonicalFilePath();
1266 for(int i = 0; i < 3; i++)
1268 if(lamexp_exec_shell(this, QDir::toNativeSeparators(uninstallerPath), "/Force", QDir::toNativeSeparators(uninstallerDir))) break;
1271 QApplication::quit();
1272 return;
1275 lamexp_play_sound(IDR_WAVE_WOOHOO, false);
1276 m_settings->licenseAccepted(1);
1277 m_settings->syncNow();
1278 if(lamexp_version_demo()) showAnnounceBox();
1281 //Check for expiration
1282 if(lamexp_version_demo())
1284 if(lamexp_current_date_safe() >= lamexp_version_expires())
1286 qWarning("Binary has expired !!!");
1287 lamexp_play_sound(IDR_WAVE_WHAMMY, false);
1288 if(QMessageBox::warning(this, tr("LameXP - Expired"), QString("%1<br>%2").arg(NOBR(tr("This demo (pre-release) version of LameXP has expired at %1.").arg(lamexp_version_expires().toString(Qt::ISODate))), NOBR(tr("LameXP is free software and release versions won't expire."))), tr("Check for Updates"), tr("Exit Program")) == 0)
1290 checkForUpdates();
1292 QApplication::quit();
1293 return;
1297 //Slow startup indicator
1298 if(m_settings->slowStartup() && m_settings->antivirNotificationsEnabled())
1300 QString message;
1301 message += NOBR(tr("It seems that a bogus anti-virus software is slowing down the startup of LameXP.")).append("<br>");
1302 message += NOBR(tr("Please refer to the %1 document for details and solutions!")).arg("<a href=\"http://lamexp.sourceforge.net/doc/FAQ.html#df406578\">F.A.Q.</a>").append("<br>");
1303 if(QMessageBox::warning(this, tr("Slow Startup"), message, tr("Discard"), tr("Don't Show Again")) == 1)
1305 m_settings->antivirNotificationsEnabled(false);
1306 ui->actionDisableSlowStartupNotifications->setChecked(!m_settings->antivirNotificationsEnabled());
1310 //Update reminder
1311 if(lamexp_current_date_safe() >= lamexp_version_date().addYears(1))
1313 qWarning("Binary is more than a year old, time to update!");
1314 int ret = QMessageBox::warning(this, tr("Urgent Update"), NOBR(tr("Your version of LameXP is more than a year old. Time for an update!")), tr("Check for Updates"), tr("Exit Program"), tr("Ignore"));
1315 switch(ret)
1317 case 0:
1318 if(checkForUpdates())
1320 QApplication::quit();
1321 return;
1323 break;
1324 case 1:
1325 QApplication::quit();
1326 return;
1327 default:
1328 QEventLoop loop; QTimer::singleShot(7000, &loop, SLOT(quit()));
1329 lamexp_play_sound(IDR_WAVE_WAITING, true);
1330 m_banner->show(tr("Skipping update check this time, please be patient..."), &loop);
1331 break;
1334 else if(m_settings->autoUpdateEnabled())
1336 QDate lastUpdateCheck = QDate::fromString(m_settings->autoUpdateLastCheck(), Qt::ISODate);
1337 if(!firstRun && (!lastUpdateCheck.isValid() || lamexp_current_date_safe() >= lastUpdateCheck.addDays(14)))
1339 if(QMessageBox::information(this, tr("Update Reminder"), NOBR(lastUpdateCheck.isValid() ? tr("Your last update check was more than 14 days ago. Check for updates now?") : tr("Your did not check for LameXP updates yet. Check for updates now?")), tr("Check for Updates"), tr("Postpone")) == 0)
1341 if(checkForUpdates())
1343 QApplication::quit();
1344 return;
1350 //Check for AAC support
1351 const int aacEncoder = EncoderRegistry::getAacEncoder();
1352 if(aacEncoder == SettingsModel::AAC_ENCODER_NERO)
1354 if(m_settings->neroAacNotificationsEnabled())
1356 if(lamexp_tool_version("neroAacEnc.exe") < lamexp_toolver_neroaac())
1358 QString messageText;
1359 messageText += NOBR(tr("LameXP detected that your version of the Nero AAC encoder is outdated!")).append("<br>");
1360 messageText += NOBR(tr("The current version available is %1 (or later), but you still have version %2 installed.").arg(lamexp_version2string("?.?.?.?", lamexp_toolver_neroaac(), tr("n/a")), lamexp_version2string("?.?.?.?", lamexp_tool_version("neroAacEnc.exe"), tr("n/a")))).append("<br><br>");
1361 messageText += NOBR(tr("You can download the latest version of the Nero AAC encoder from the Nero website at:")).append("<br>");
1362 messageText += "<nobr><tt>" + LINK(AboutDialog::neroAacUrl) + "</tt></nobr><br><br>";
1363 messageText += NOBR(tr("(Hint: Please ignore the name of the downloaded ZIP file and check the included 'changelog.txt' instead!)")).append("<br>");
1364 QMessageBox::information(this, tr("AAC Encoder Outdated"), messageText);
1368 else
1370 if(m_settings->neroAacNotificationsEnabled() && (aacEncoder <= SettingsModel::AAC_ENCODER_NONE))
1372 QString appPath = QDir(QCoreApplication::applicationDirPath()).canonicalPath();
1373 if(appPath.isEmpty()) appPath = QCoreApplication::applicationDirPath();
1374 QString messageText;
1375 messageText += NOBR(tr("The Nero AAC encoder could not be found. AAC encoding support will be disabled.")).append("<br>");
1376 messageText += NOBR(tr("Please put 'neroAacEnc.exe', 'neroAacDec.exe' and 'neroAacTag.exe' into the LameXP directory!")).append("<br><br>");
1377 messageText += NOBR(tr("Your LameXP directory is located here:")).append("<br>");
1378 messageText += QString("<nobr><tt>%1</tt></nobr><br><br>").arg(FSLINK(QDir::toNativeSeparators(appPath)));
1379 messageText += NOBR(tr("You can download the Nero AAC encoder for free from the official Nero website at:")).append("<br>");
1380 messageText += "<nobr><tt>" + LINK(AboutDialog::neroAacUrl) + "</tt></nobr><br>";
1381 if(QMessageBox::information(this, tr("AAC Support Disabled"), messageText, tr("Discard"), tr("Don't Show Again")) == 1)
1383 m_settings->neroAacNotificationsEnabled(false);
1384 ui->actionDisableNeroAacNotifications->setChecked(!m_settings->neroAacNotificationsEnabled());
1389 //Add files from the command-line
1390 for(int i = 0; i < arguments.count() - 1; i++)
1392 QStringList addedFiles;
1393 if(!arguments[i].compare("--add", Qt::CaseInsensitive))
1395 QFileInfo currentFile(arguments[++i].trimmed());
1396 qDebug("Adding file from CLI: %s", QUTF8(currentFile.absoluteFilePath()));
1397 addedFiles.append(currentFile.absoluteFilePath());
1399 if(!addedFiles.isEmpty())
1401 addFilesDelayed(addedFiles);
1405 //Add folders from the command-line
1406 for(int i = 0; i < arguments.count() - 1; i++)
1408 if(!arguments[i].compare("--add-folder", Qt::CaseInsensitive))
1410 QFileInfo currentFile(arguments[++i].trimmed());
1411 qDebug("Adding folder from CLI: %s", QUTF8(currentFile.absoluteFilePath()));
1412 addFolder(currentFile.absoluteFilePath(), false, true);
1414 if(!arguments[i].compare("--add-recursive", Qt::CaseInsensitive))
1416 QFileInfo currentFile(arguments[++i].trimmed());
1417 qDebug("Adding folder recursively from CLI: %s", QUTF8(currentFile.absoluteFilePath()));
1418 addFolder(currentFile.absoluteFilePath(), true, true);
1422 //Enable shell integration
1423 if(m_settings->shellIntegrationEnabled())
1425 ShellIntegration::install();
1428 //Make DropBox visible
1429 if(m_settings->dropBoxWidgetEnabled())
1431 m_dropBox->setVisible(true);
1436 * Show announce box
1438 void MainWindow::showAnnounceBox(void)
1440 const unsigned int timeout = 8U;
1442 const QString announceText = QString("%1<br><br>%2<br><nobr><tt>%3</tt></nobr><br>").arg
1444 NOBR("We are still looking for LameXP translators!"),
1445 NOBR("If you are willing to translate LameXP to your language or to complete an existing translation, please refer to:"),
1446 LINK("http://lamexp.sourceforge.net/doc/Translate.html")
1449 QMessageBox *announceBox = new QMessageBox(QMessageBox::Warning, "We want you!", announceText, QMessageBox::NoButton, this);
1450 announceBox->setWindowFlags(Qt::Window | Qt::WindowTitleHint | Qt::CustomizeWindowHint);
1451 announceBox->setIconPixmap(QIcon(":/images/Announcement.png").pixmap(64,79));
1453 QTimer *timers[timeout+1];
1454 QPushButton *buttons[timeout+1];
1456 for(unsigned int i = 0; i <= timeout; i++)
1458 QString text = (i > 0) ? QString("%1 (%2)").arg(tr("Discard"), QString::number(i)) : tr("Discard");
1459 buttons[i] = announceBox->addButton(text, (i > 0) ? QMessageBox::NoRole : QMessageBox::AcceptRole);
1462 for(unsigned int i = 0; i <= timeout; i++)
1464 buttons[i]->setEnabled(i == 0);
1465 buttons[i]->setVisible(i == timeout);
1468 for(unsigned int i = 0; i < timeout; i++)
1470 timers[i] = new QTimer(this);
1471 timers[i]->setSingleShot(true);
1472 timers[i]->setInterval(1000);
1473 connect(timers[i], SIGNAL(timeout()), buttons[i+1], SLOT(hide()));
1474 connect(timers[i], SIGNAL(timeout()), buttons[i], SLOT(show()));
1475 if(i > 0)
1477 connect(timers[i], SIGNAL(timeout()), timers[i-1], SLOT(start()));
1481 timers[timeout-1]->start();
1482 announceBox->exec();
1484 for(unsigned int i = 0; i < timeout; i++)
1486 timers[i]->stop();
1487 LAMEXP_DELETE(timers[i]);
1490 LAMEXP_DELETE(announceBox);
1493 // =========================================================
1494 // Main button solots
1495 // =========================================================
1498 * Encode button
1500 void MainWindow::encodeButtonClicked(void)
1502 static const unsigned __int64 oneGigabyte = 1073741824ui64;
1503 static const unsigned __int64 minimumFreeDiskspaceMultiplier = 2ui64;
1504 static const char *writeTestBuffer = "LAMEXP_WRITE_TEST";
1506 ABORT_IF_BUSY;
1508 if(m_fileListModel->rowCount() < 1)
1510 QMessageBox::warning(this, tr("LameXP"), NOBR(tr("You must add at least one file to the list before proceeding!")));
1511 ui->tabWidget->setCurrentIndex(0);
1512 return;
1515 QString tempFolder = m_settings->customTempPathEnabled() ? m_settings->customTempPath() : lamexp_temp_folder2();
1516 if(!QFileInfo(tempFolder).exists() || !QFileInfo(tempFolder).isDir())
1518 if(QMessageBox::warning(this, tr("Not Found"), QString("%1<br><tt>%2</tt>").arg(NOBR(tr("Your currently selected TEMP folder does not exist anymore:")), NOBR(QDir::toNativeSeparators(tempFolder))), tr("Restore Default"), tr("Cancel")) == 0)
1520 SET_CHECKBOX_STATE(ui->checkBoxUseSystemTempFolder, m_settings->customTempPathEnabledDefault());
1522 return;
1525 bool ok = false;
1526 unsigned __int64 currentFreeDiskspace = lamexp_free_diskspace(tempFolder, &ok);
1528 if(ok && (currentFreeDiskspace < (oneGigabyte * minimumFreeDiskspaceMultiplier)))
1530 QStringList tempFolderParts = tempFolder.split("/", QString::SkipEmptyParts, Qt::CaseInsensitive);
1531 tempFolderParts.takeLast();
1532 if(m_settings->soundsEnabled()) lamexp_play_sound(IDR_WAVE_WHAMMY, false);
1533 QString lowDiskspaceMsg = QString("%1<br>%2<br><br>%3<br>%4<br>").arg
1535 NOBR(tr("There are less than %1 GB of free diskspace available on your system's TEMP folder.").arg(QString::number(minimumFreeDiskspaceMultiplier))),
1536 NOBR(tr("It is highly recommend to free up more diskspace before proceeding with the encode!")),
1537 NOBR(tr("Your TEMP folder is located at:")),
1538 QString("<nobr><tt>%1</tt></nobr>").arg(FSLINK(tempFolderParts.join("\\")))
1540 switch(QMessageBox::warning(this, tr("Low Diskspace Warning"), lowDiskspaceMsg, tr("Abort Encoding Process"), tr("Clean Disk Now"), tr("Ignore")))
1542 case 1:
1543 QProcess::startDetached(QString("%1/cleanmgr.exe").arg(lamexp_known_folder(lamexp_folder_systemfolder)), QStringList() << "/D" << tempFolderParts.first());
1544 case 0:
1545 return;
1546 break;
1547 default:
1548 QMessageBox::warning(this, tr("Low Diskspace"), NOBR(tr("You are proceeding with low diskspace. Problems might occur!")));
1549 break;
1553 switch(m_settings->compressionEncoder())
1555 case SettingsModel::MP3Encoder:
1556 case SettingsModel::VorbisEncoder:
1557 case SettingsModel::AACEncoder:
1558 case SettingsModel::AC3Encoder:
1559 case SettingsModel::FLACEncoder:
1560 case SettingsModel::OpusEncoder:
1561 case SettingsModel::DCAEncoder:
1562 case SettingsModel::PCMEncoder:
1563 break;
1564 default:
1565 QMessageBox::warning(this, tr("LameXP"), tr("Sorry, an unsupported encoder has been chosen!"));
1566 ui->tabWidget->setCurrentIndex(3);
1567 return;
1570 if(!m_settings->outputToSourceDir())
1572 QFile writeTest(QString("%1/~%2.txt").arg(m_settings->outputDir(), lamexp_rand_str()));
1573 if(!(writeTest.open(QIODevice::ReadWrite) && (writeTest.write(writeTestBuffer) == strlen(writeTestBuffer))))
1575 QMessageBox::warning(this, tr("LameXP"), QString("%1<br><nobr>%2</nobr><br><br>%3").arg(tr("Cannot write to the selected output directory."), m_settings->outputDir(), tr("Please choose a different directory!")));
1576 ui->tabWidget->setCurrentIndex(1);
1577 return;
1579 else
1581 writeTest.close();
1582 writeTest.remove();
1586 m_accepted = true;
1587 close();
1591 * About button
1593 void MainWindow::aboutButtonClicked(void)
1595 ABORT_IF_BUSY;
1597 TEMP_HIDE_DROPBOX
1599 AboutDialog *aboutBox = new AboutDialog(m_settings, this);
1600 aboutBox->exec();
1601 LAMEXP_DELETE(aboutBox);
1606 * Close button
1608 void MainWindow::closeButtonClicked(void)
1610 ABORT_IF_BUSY;
1611 close();
1614 // =========================================================
1615 // Tab widget slots
1616 // =========================================================
1619 * Tab page changed
1621 void MainWindow::tabPageChanged(int idx, const bool silent)
1623 resizeEvent(NULL);
1625 //Update "view" menu
1626 QList<QAction*> actions = m_tabActionGroup->actions();
1627 for(int i = 0; i < actions.count(); i++)
1629 bool ok = false;
1630 int actionIndex = actions.at(i)->data().toInt(&ok);
1631 if(ok && actionIndex == idx)
1633 actions.at(i)->setChecked(true);
1637 //Play tick sound
1638 if(m_settings->soundsEnabled() && (!silent))
1640 lamexp_play_sound(IDR_WAVE_TICK, true);
1643 int initialWidth = this->width();
1644 int maximumWidth = QApplication::desktop()->availableGeometry().width();
1646 //Make sure all tab headers are fully visible
1647 if(this->isVisible())
1649 int delta = ui->tabWidget->sizeHint().width() - ui->tabWidget->width();
1650 if(delta > 0)
1652 this->resize(qMin(this->width() + delta, maximumWidth), this->height());
1656 //Tab specific operations
1657 if(idx == ui->tabWidget->indexOf(ui->tabOptions) && ui->scrollArea->widget() && this->isVisible())
1659 ui->scrollArea->widget()->updateGeometry();
1660 ui->scrollArea->viewport()->updateGeometry();
1661 qApp->processEvents();
1662 int delta = ui->scrollArea->widget()->width() - ui->scrollArea->viewport()->width();
1663 if(delta > 0)
1665 this->resize(qMin(this->width() + delta, maximumWidth), this->height());
1668 else if(idx == ui->tabWidget->indexOf(ui->tabSourceFiles))
1670 m_dropNoteLabel->setGeometry(0, 0, ui->sourceFileView->width(), ui->sourceFileView->height());
1672 else if(idx == ui->tabWidget->indexOf(ui->tabOutputDir))
1674 if(!m_fileSystemModel)
1676 QTimer::singleShot(125, this, SLOT(initOutputFolderModel()));
1678 else
1680 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
1684 //Center window around previous position
1685 if(initialWidth < this->width())
1687 QPoint prevPos = this->pos();
1688 int delta = (this->width() - initialWidth) >> 2;
1689 move(prevPos.x() - delta, prevPos.y());
1694 * Tab action triggered
1696 void MainWindow::tabActionActivated(QAction *action)
1698 if(action && action->data().isValid())
1700 bool ok = false;
1701 int index = action->data().toInt(&ok);
1702 if(ok)
1704 ui->tabWidget->setCurrentIndex(index);
1709 // =========================================================
1710 // View menu slots
1711 // =========================================================
1714 * Style action triggered
1716 void MainWindow::styleActionActivated(QAction *action)
1718 //Change style setting
1719 if(action && action->data().isValid())
1721 bool ok = false;
1722 int actionIndex = action->data().toInt(&ok);
1723 if(ok)
1725 m_settings->interfaceStyle(actionIndex);
1729 //Set up the new style
1730 switch(m_settings->interfaceStyle())
1732 case 1:
1733 if(ui->actionStyleCleanlooks->isEnabled())
1735 ui->actionStyleCleanlooks->setChecked(true);
1736 QApplication::setStyle(new QCleanlooksStyle());
1737 break;
1739 case 2:
1740 if(ui->actionStyleWindowsVista->isEnabled())
1742 ui->actionStyleWindowsVista->setChecked(true);
1743 QApplication::setStyle(new QWindowsVistaStyle());
1744 break;
1746 case 3:
1747 if(ui->actionStyleWindowsXP->isEnabled())
1749 ui->actionStyleWindowsXP->setChecked(true);
1750 QApplication::setStyle(new QWindowsXPStyle());
1751 break;
1753 case 4:
1754 if(ui->actionStyleWindowsClassic->isEnabled())
1756 ui->actionStyleWindowsClassic->setChecked(true);
1757 QApplication::setStyle(new QWindowsStyle());
1758 break;
1760 default:
1761 ui->actionStylePlastique->setChecked(true);
1762 QApplication::setStyle(new QPlastiqueStyle());
1763 break;
1766 //Force re-translate after style change
1767 if(QEvent *e = new QEvent(QEvent::LanguageChange))
1769 changeEvent(e);
1770 LAMEXP_DELETE(e);
1773 //Make transparent
1774 const type_info &styleType = typeid(*qApp->style());
1775 const bool bTransparent = ((typeid(QWindowsVistaStyle) == styleType) || (typeid(QWindowsXPStyle) == styleType));
1776 MAKE_TRANSPARENT(ui->scrollArea, bTransparent);
1778 //Also force a re-size event
1779 QApplication::processEvents(QEventLoop::ExcludeUserInputEvents);
1780 resizeEvent(NULL);
1784 * Language action triggered
1786 void MainWindow::languageActionActivated(QAction *action)
1788 if(action->data().type() == QVariant::String)
1790 QString langId = action->data().toString();
1792 if(lamexp_install_translator(langId))
1794 action->setChecked(true);
1795 ui->actionLoadTranslationFromFile->setChecked(false);
1796 m_settings->currentLanguage(langId);
1797 m_settings->currentLanguageFile(QString());
1803 * Load language from file action triggered
1805 void MainWindow::languageFromFileActionActivated(bool checked)
1807 QFileDialog dialog(this, tr("Load Translation"));
1808 dialog.setFileMode(QFileDialog::ExistingFile);
1809 dialog.setNameFilter(QString("%1 (*.qm)").arg(tr("Translation Files")));
1811 if(dialog.exec())
1813 QStringList selectedFiles = dialog.selectedFiles();
1814 const QString qmFile = QFileInfo(selectedFiles.first()).canonicalFilePath();
1815 if(lamexp_install_translator_from_file(qmFile))
1817 QList<QAction*> actions = m_languageActionGroup->actions();
1818 while(!actions.isEmpty())
1820 actions.takeFirst()->setChecked(false);
1822 ui->actionLoadTranslationFromFile->setChecked(true);
1823 m_settings->currentLanguageFile(qmFile);
1825 else
1827 languageActionActivated(m_languageActionGroup->actions().first());
1832 // =========================================================
1833 // Tools menu slots
1834 // =========================================================
1837 * Disable update reminder action
1839 void MainWindow::disableUpdateReminderActionTriggered(bool checked)
1841 if(checked)
1843 if(0 == QMessageBox::question(this, tr("Disable Update Reminder"), NOBR(tr("Do you really want to disable the update reminder?")), tr("Yes"), tr("No"), QString(), 1))
1845 QMessageBox::information(this, tr("Update Reminder"), QString("%1<br>%2").arg(NOBR(tr("The update reminder has been disabled.")), NOBR(tr("Please remember to check for updates at regular intervals!"))));
1846 m_settings->autoUpdateEnabled(false);
1848 else
1850 m_settings->autoUpdateEnabled(true);
1853 else
1855 QMessageBox::information(this, tr("Update Reminder"), NOBR(tr("The update reminder has been re-enabled.")));
1856 m_settings->autoUpdateEnabled(true);
1859 ui->actionDisableUpdateReminder->setChecked(!m_settings->autoUpdateEnabled());
1863 * Disable sound effects action
1865 void MainWindow::disableSoundsActionTriggered(bool checked)
1867 if(checked)
1869 if(0 == QMessageBox::question(this, tr("Disable Sound Effects"), NOBR(tr("Do you really want to disable all sound effects?")), tr("Yes"), tr("No"), QString(), 1))
1871 QMessageBox::information(this, tr("Sound Effects"), NOBR(tr("All sound effects have been disabled.")));
1872 m_settings->soundsEnabled(false);
1874 else
1876 m_settings->soundsEnabled(true);
1879 else
1881 QMessageBox::information(this, tr("Sound Effects"), NOBR(tr("The sound effects have been re-enabled.")));
1882 m_settings->soundsEnabled(true);
1885 ui->actionDisableSounds->setChecked(!m_settings->soundsEnabled());
1889 * Disable Nero AAC encoder action
1891 void MainWindow::disableNeroAacNotificationsActionTriggered(bool checked)
1893 if(checked)
1895 if(0 == QMessageBox::question(this, tr("Nero AAC Notifications"), NOBR(tr("Do you really want to disable all Nero AAC Encoder notifications?")), tr("Yes"), tr("No"), QString(), 1))
1897 QMessageBox::information(this, tr("Nero AAC Notifications"), NOBR(tr("All Nero AAC Encoder notifications have been disabled.")));
1898 m_settings->neroAacNotificationsEnabled(false);
1900 else
1902 m_settings->neroAacNotificationsEnabled(true);
1905 else
1907 QMessageBox::information(this, tr("Nero AAC Notifications"), NOBR(tr("The Nero AAC Encoder notifications have been re-enabled.")));
1908 m_settings->neroAacNotificationsEnabled(true);
1911 ui->actionDisableNeroAacNotifications->setChecked(!m_settings->neroAacNotificationsEnabled());
1915 * Disable slow startup action
1917 void MainWindow::disableSlowStartupNotificationsActionTriggered(bool checked)
1919 if(checked)
1921 if(0 == QMessageBox::question(this, tr("Slow Startup Notifications"), NOBR(tr("Do you really want to disable the slow startup notifications?")), tr("Yes"), tr("No"), QString(), 1))
1923 QMessageBox::information(this, tr("Slow Startup Notifications"), NOBR(tr("The slow startup notifications have been disabled.")));
1924 m_settings->antivirNotificationsEnabled(false);
1926 else
1928 m_settings->antivirNotificationsEnabled(true);
1931 else
1933 QMessageBox::information(this, tr("Slow Startup Notifications"), NOBR(tr("The slow startup notifications have been re-enabled.")));
1934 m_settings->antivirNotificationsEnabled(true);
1937 ui->actionDisableSlowStartupNotifications->setChecked(!m_settings->antivirNotificationsEnabled());
1941 * Import a Cue Sheet file
1943 void MainWindow::importCueSheetActionTriggered(bool checked)
1945 ABORT_IF_BUSY;
1947 TEMP_HIDE_DROPBOX
1949 while(true)
1951 int result = 0;
1952 QString selectedCueFile;
1954 if(lamexp_themes_enabled())
1956 selectedCueFile = QFileDialog::getOpenFileName(this, tr("Open Cue Sheet"), m_settings->mostRecentInputPath(), QString("%1 (*.cue)").arg(tr("Cue Sheet File")));
1958 else
1960 QFileDialog dialog(this, tr("Open Cue Sheet"));
1961 dialog.setFileMode(QFileDialog::ExistingFile);
1962 dialog.setNameFilter(QString("%1 (*.cue)").arg(tr("Cue Sheet File")));
1963 dialog.setDirectory(m_settings->mostRecentInputPath());
1964 if(dialog.exec())
1966 selectedCueFile = dialog.selectedFiles().first();
1970 if(!selectedCueFile.isEmpty())
1972 m_settings->mostRecentInputPath(QFileInfo(selectedCueFile).canonicalPath());
1973 CueImportDialog *cueImporter = new CueImportDialog(this, m_fileListModel, selectedCueFile, m_settings);
1974 result = cueImporter->exec();
1975 LAMEXP_DELETE(cueImporter);
1978 if(result == QDialog::Accepted)
1980 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
1981 ui->sourceFileView->update();
1982 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
1983 ui->sourceFileView->scrollToBottom();
1984 qApp->processEvents(QEventLoop::ExcludeUserInputEvents);
1987 if(result != (-1)) break;
1993 * Show the "drop box" widget
1995 void MainWindow::showDropBoxWidgetActionTriggered(bool checked)
1997 m_settings->dropBoxWidgetEnabled(true);
1999 if(!m_dropBox->isVisible())
2001 m_dropBox->show();
2002 QTimer::singleShot(2500, m_dropBox, SLOT(showToolTip()));
2005 lamexp_blink_window(m_dropBox);
2009 * Check for beta (pre-release) updates
2011 void MainWindow::checkForBetaUpdatesActionTriggered(bool checked)
2013 bool checkUpdatesNow = false;
2015 if(checked)
2017 if(0 == QMessageBox::question(this, tr("Beta Updates"), NOBR(tr("Do you really want LameXP to check for Beta (pre-release) updates?")), tr("Yes"), tr("No"), QString(), 1))
2019 if(0 == QMessageBox::information(this, tr("Beta Updates"), NOBR(tr("LameXP will check for Beta (pre-release) updates from now on.")), tr("Check Now"), tr("Discard")))
2021 checkUpdatesNow = true;
2023 m_settings->autoUpdateCheckBeta(true);
2025 else
2027 m_settings->autoUpdateCheckBeta(false);
2030 else
2032 QMessageBox::information(this, tr("Beta Updates"), NOBR(tr("LameXP will <i>not</i> check for Beta (pre-release) updates from now on.")));
2033 m_settings->autoUpdateCheckBeta(false);
2036 ui->actionCheckForBetaUpdates->setChecked(m_settings->autoUpdateCheckBeta());
2038 if(checkUpdatesNow)
2040 if(checkForUpdates())
2042 QApplication::quit();
2048 * Hibernate computer action
2050 void MainWindow::hibernateComputerActionTriggered(bool checked)
2052 if(checked)
2054 if(0 == QMessageBox::question(this, tr("Hibernate Computer"), NOBR(tr("Do you really want the computer to be hibernated on shutdown?")), tr("Yes"), tr("No"), QString(), 1))
2056 QMessageBox::information(this, tr("Hibernate Computer"), NOBR(tr("LameXP will hibernate the computer on shutdown from now on.")));
2057 m_settings->hibernateComputer(true);
2059 else
2061 m_settings->hibernateComputer(false);
2064 else
2066 QMessageBox::information(this, tr("Hibernate Computer"), NOBR(tr("LameXP will <i>not</i> hibernate the computer on shutdown from now on.")));
2067 m_settings->hibernateComputer(false);
2070 ui->actionHibernateComputer->setChecked(m_settings->hibernateComputer());
2074 * Disable shell integration action
2076 void MainWindow::disableShellIntegrationActionTriggered(bool checked)
2078 if(checked)
2080 if(0 == QMessageBox::question(this, tr("Shell Integration"), NOBR(tr("Do you really want to disable the LameXP shell integration?")), tr("Yes"), tr("No"), QString(), 1))
2082 ShellIntegration::remove();
2083 QMessageBox::information(this, tr("Shell Integration"), NOBR(tr("The LameXP shell integration has been disabled.")));
2084 m_settings->shellIntegrationEnabled(false);
2086 else
2088 m_settings->shellIntegrationEnabled(true);
2091 else
2093 ShellIntegration::install();
2094 QMessageBox::information(this, tr("Shell Integration"), NOBR(tr("The LameXP shell integration has been re-enabled.")));
2095 m_settings->shellIntegrationEnabled(true);
2098 ui->actionDisableShellIntegration->setChecked(!m_settings->shellIntegrationEnabled());
2100 if(lamexp_portable_mode() && ui->actionDisableShellIntegration->isChecked())
2102 ui->actionDisableShellIntegration->setEnabled(false);
2106 // =========================================================
2107 // Help menu slots
2108 // =========================================================
2111 * Visit homepage action
2113 void MainWindow::visitHomepageActionActivated(void)
2115 if(QAction *action = dynamic_cast<QAction*>(QObject::sender()))
2117 if(action->data().isValid() && (action->data().type() == QVariant::String))
2119 QDesktopServices::openUrl(QUrl(action->data().toString()));
2125 * Show document
2127 void MainWindow::documentActionActivated(void)
2129 if(QAction *action = dynamic_cast<QAction*>(QObject::sender()))
2131 if(action->data().isValid() && (action->data().type() == QVariant::String))
2133 QFileInfo document(action->data().toString());
2134 QFileInfo resource(QString(":/doc/%1.html").arg(document.baseName()));
2135 if(document.exists() && document.isFile() && (document.size() == resource.size()))
2137 QDesktopServices::openUrl(QUrl::fromLocalFile(document.canonicalFilePath()));
2139 else
2141 QFile source(resource.filePath());
2142 QFile output(QString("%1/%2.%3.html").arg(lamexp_temp_folder2(), document.baseName(), lamexp_rand_str().left(8)));
2143 if(source.open(QIODevice::ReadOnly) && output.open(QIODevice::ReadWrite))
2145 output.write(source.readAll());
2146 action->setData(output.fileName());
2147 source.close();
2148 output.close();
2149 QDesktopServices::openUrl(QUrl::fromLocalFile(output.fileName()));
2157 * Check for updates action
2159 void MainWindow::checkUpdatesActionActivated(void)
2161 ABORT_IF_BUSY;
2162 bool bFlag = false;
2164 TEMP_HIDE_DROPBOX
2166 bFlag = checkForUpdates();
2169 if(bFlag)
2171 QApplication::quit();
2175 // =========================================================
2176 // Source file slots
2177 // =========================================================
2180 * Add file(s) button
2182 void MainWindow::addFilesButtonClicked(void)
2184 ABORT_IF_BUSY;
2186 TEMP_HIDE_DROPBOX
2188 if(lamexp_themes_enabled())
2190 QStringList fileTypeFilters = DecoderRegistry::getSupportedTypes();
2191 QStringList selectedFiles = QFileDialog::getOpenFileNames(this, tr("Add file(s)"), m_settings->mostRecentInputPath(), fileTypeFilters.join(";;"));
2192 if(!selectedFiles.isEmpty())
2194 m_settings->mostRecentInputPath(QFileInfo(selectedFiles.first()).canonicalPath());
2195 addFiles(selectedFiles);
2198 else
2200 QFileDialog dialog(this, tr("Add file(s)"));
2201 QStringList fileTypeFilters = DecoderRegistry::getSupportedTypes();
2202 dialog.setFileMode(QFileDialog::ExistingFiles);
2203 dialog.setNameFilter(fileTypeFilters.join(";;"));
2204 dialog.setDirectory(m_settings->mostRecentInputPath());
2205 if(dialog.exec())
2207 QStringList selectedFiles = dialog.selectedFiles();
2208 if(!selectedFiles.isEmpty())
2210 m_settings->mostRecentInputPath(QFileInfo(selectedFiles.first()).canonicalPath());
2211 addFiles(selectedFiles);
2219 * Open folder action
2221 void MainWindow::openFolderActionActivated(void)
2223 ABORT_IF_BUSY;
2224 QString selectedFolder;
2226 if(QAction *action = dynamic_cast<QAction*>(QObject::sender()))
2228 TEMP_HIDE_DROPBOX
2230 if(lamexp_themes_enabled())
2232 selectedFolder = QFileDialog::getExistingDirectory(this, tr("Add Folder"), m_settings->mostRecentInputPath());
2234 else
2236 QFileDialog dialog(this, tr("Add Folder"));
2237 dialog.setFileMode(QFileDialog::DirectoryOnly);
2238 dialog.setDirectory(m_settings->mostRecentInputPath());
2239 if(dialog.exec())
2241 selectedFolder = dialog.selectedFiles().first();
2245 if(!selectedFolder.isEmpty())
2247 m_settings->mostRecentInputPath(QDir(selectedFolder).canonicalPath());
2248 addFolder(selectedFolder, action->data().toBool());
2255 * Remove file button
2257 void MainWindow::removeFileButtonClicked(void)
2259 if(ui->sourceFileView->currentIndex().isValid())
2261 int iRow = ui->sourceFileView->currentIndex().row();
2262 m_fileListModel->removeFile(ui->sourceFileView->currentIndex());
2263 ui->sourceFileView->selectRow(iRow < m_fileListModel->rowCount() ? iRow : m_fileListModel->rowCount()-1);
2268 * Clear files button
2270 void MainWindow::clearFilesButtonClicked(void)
2272 m_fileListModel->clearFiles();
2276 * Move file up button
2278 void MainWindow::fileUpButtonClicked(void)
2280 if(ui->sourceFileView->currentIndex().isValid())
2282 int iRow = ui->sourceFileView->currentIndex().row() - 1;
2283 m_fileListModel->moveFile(ui->sourceFileView->currentIndex(), -1);
2284 ui->sourceFileView->selectRow(iRow >= 0 ? iRow : 0);
2289 * Move file down button
2291 void MainWindow::fileDownButtonClicked(void)
2293 if(ui->sourceFileView->currentIndex().isValid())
2295 int iRow = ui->sourceFileView->currentIndex().row() + 1;
2296 m_fileListModel->moveFile(ui->sourceFileView->currentIndex(), 1);
2297 ui->sourceFileView->selectRow(iRow < m_fileListModel->rowCount() ? iRow : m_fileListModel->rowCount()-1);
2302 * Show details button
2304 void MainWindow::showDetailsButtonClicked(void)
2306 ABORT_IF_BUSY;
2308 int iResult = 0;
2309 MetaInfoDialog *metaInfoDialog = new MetaInfoDialog(this);
2310 QModelIndex index = ui->sourceFileView->currentIndex();
2312 while(index.isValid())
2314 if(iResult > 0)
2316 index = m_fileListModel->index(index.row() + 1, index.column());
2317 ui->sourceFileView->selectRow(index.row());
2319 if(iResult < 0)
2321 index = m_fileListModel->index(index.row() - 1, index.column());
2322 ui->sourceFileView->selectRow(index.row());
2325 AudioFileModel &file = (*m_fileListModel)[index];
2326 TEMP_HIDE_DROPBOX
2328 iResult = metaInfoDialog->exec(file, index.row() > 0, index.row() < m_fileListModel->rowCount() - 1);
2331 //Copy all info to Meta Info tab
2332 if(iResult == INT_MAX)
2334 m_metaInfoModel->assignInfoFrom(file);
2335 ui->tabWidget->setCurrentIndex(ui->tabWidget->indexOf(ui->tabMetaData));
2336 break;
2339 if(!iResult) break;
2342 LAMEXP_DELETE(metaInfoDialog);
2343 QApplication::processEvents(QEventLoop::ExcludeUserInputEvents);
2344 sourceFilesScrollbarMoved(0);
2348 * Show context menu for source files
2350 void MainWindow::sourceFilesContextMenu(const QPoint &pos)
2352 QAbstractScrollArea *scrollArea = dynamic_cast<QAbstractScrollArea*>(QObject::sender());
2353 QWidget *sender = scrollArea ? scrollArea->viewport() : dynamic_cast<QWidget*>(QObject::sender());
2355 if(sender)
2357 if(pos.x() <= sender->width() && pos.y() <= sender->height() && pos.x() >= 0 && pos.y() >= 0)
2359 m_sourceFilesContextMenu->popup(sender->mapToGlobal(pos));
2365 * Scrollbar of source files moved
2367 void MainWindow::sourceFilesScrollbarMoved(int)
2369 ui->sourceFileView->resizeColumnToContents(0);
2373 * Open selected file in external player
2375 void MainWindow::previewContextActionTriggered(void)
2377 QModelIndex index = ui->sourceFileView->currentIndex();
2378 if(!index.isValid())
2380 return;
2383 if(!lamexp_open_media_file(m_fileListModel->getFile(index).filePath()))
2385 qDebug("Player not found, falling back to default application...");
2386 QDesktopServices::openUrl(QString("file:///").append(m_fileListModel->getFile(index).filePath()));
2391 * Find selected file in explorer
2393 void MainWindow::findFileContextActionTriggered(void)
2395 QModelIndex index = ui->sourceFileView->currentIndex();
2396 if(index.isValid())
2398 QString systemRootPath;
2400 QDir systemRoot(lamexp_known_folder(lamexp_folder_systemfolder));
2401 if(systemRoot.exists() && systemRoot.cdUp())
2403 systemRootPath = systemRoot.canonicalPath();
2406 if(!systemRootPath.isEmpty())
2408 QFileInfo explorer(QString("%1/explorer.exe").arg(systemRootPath));
2409 if(explorer.exists() && explorer.isFile())
2411 QProcess::execute(explorer.canonicalFilePath(), QStringList() << "/select," << QDir::toNativeSeparators(m_fileListModel->getFile(index).filePath()));
2412 return;
2415 else
2417 qWarning("SystemRoot directory could not be detected!");
2423 * Add all pending files
2425 void MainWindow::handleDelayedFiles(void)
2427 m_delayedFileTimer->stop();
2429 if(m_delayedFileList->isEmpty())
2431 return;
2434 if(m_banner->isVisible())
2436 m_delayedFileTimer->start(5000);
2437 return;
2440 QStringList selectedFiles;
2441 ui->tabWidget->setCurrentIndex(0);
2443 while(!m_delayedFileList->isEmpty())
2445 QFileInfo currentFile = QFileInfo(m_delayedFileList->takeFirst());
2446 if(!currentFile.exists() || !currentFile.isFile())
2448 continue;
2450 selectedFiles << currentFile.canonicalFilePath();
2453 addFiles(selectedFiles);
2457 * Export Meta tags to CSV file
2459 void MainWindow::exportCsvContextActionTriggered(void)
2461 TEMP_HIDE_DROPBOX
2463 QString selectedCsvFile;
2465 if(lamexp_themes_enabled())
2467 selectedCsvFile = QFileDialog::getSaveFileName(this, tr("Save CSV file"), m_settings->mostRecentInputPath(), QString("%1 (*.csv)").arg(tr("CSV File")));
2469 else
2471 QFileDialog dialog(this, tr("Save CSV file"));
2472 dialog.setFileMode(QFileDialog::AnyFile);
2473 dialog.setAcceptMode(QFileDialog::AcceptSave);
2474 dialog.setNameFilter(QString("%1 (*.csv)").arg(tr("CSV File")));
2475 dialog.setDirectory(m_settings->mostRecentInputPath());
2476 if(dialog.exec())
2478 selectedCsvFile = dialog.selectedFiles().first();
2482 if(!selectedCsvFile.isEmpty())
2484 m_settings->mostRecentInputPath(QFileInfo(selectedCsvFile).canonicalPath());
2485 switch(m_fileListModel->exportToCsv(selectedCsvFile))
2487 case FileListModel::CsvError_NoTags:
2488 QMessageBox::critical(this, tr("CSV Export"), NOBR(tr("Sorry, there are no meta tags that can be exported!")));
2489 break;
2490 case FileListModel::CsvError_FileOpen:
2491 QMessageBox::critical(this, tr("CSV Export"), NOBR(tr("Sorry, failed to open CSV file for writing!")));
2492 break;
2493 case FileListModel::CsvError_FileWrite:
2494 QMessageBox::critical(this, tr("CSV Export"), NOBR(tr("Sorry, failed to write to the CSV file!")));
2495 break;
2496 case FileListModel::CsvError_OK:
2497 QMessageBox::information(this, tr("CSV Export"), NOBR(tr("The CSV files was created successfully!")));
2498 break;
2499 default:
2500 qWarning("exportToCsv: Unknown return code!");
2508 * Import Meta tags from CSV file
2510 void MainWindow::importCsvContextActionTriggered(void)
2512 TEMP_HIDE_DROPBOX
2514 QString selectedCsvFile;
2516 if(lamexp_themes_enabled())
2518 selectedCsvFile = QFileDialog::getOpenFileName(this, tr("Open CSV file"), m_settings->mostRecentInputPath(), QString("%1 (*.csv)").arg(tr("CSV File")));
2520 else
2522 QFileDialog dialog(this, tr("Open CSV file"));
2523 dialog.setFileMode(QFileDialog::ExistingFile);
2524 dialog.setNameFilter(QString("%1 (*.csv)").arg(tr("CSV File")));
2525 dialog.setDirectory(m_settings->mostRecentInputPath());
2526 if(dialog.exec())
2528 selectedCsvFile = dialog.selectedFiles().first();
2532 if(!selectedCsvFile.isEmpty())
2534 m_settings->mostRecentInputPath(QFileInfo(selectedCsvFile).canonicalPath());
2535 switch(m_fileListModel->importFromCsv(this, selectedCsvFile))
2537 case FileListModel::CsvError_FileOpen:
2538 QMessageBox::critical(this, tr("CSV Import"), NOBR(tr("Sorry, failed to open CSV file for reading!")));
2539 break;
2540 case FileListModel::CsvError_FileRead:
2541 QMessageBox::critical(this, tr("CSV Import"), NOBR(tr("Sorry, failed to read from the CSV file!")));
2542 break;
2543 case FileListModel::CsvError_NoTags:
2544 QMessageBox::critical(this, tr("CSV Import"), NOBR(tr("Sorry, the CSV file does not contain any known fields!")));
2545 break;
2546 case FileListModel::CsvError_Incomplete:
2547 QMessageBox::warning(this, tr("CSV Import"), NOBR(tr("CSV file is incomplete. Not all files were updated!")));
2548 break;
2549 case FileListModel::CsvError_OK:
2550 QMessageBox::information(this, tr("CSV Import"), NOBR(tr("The CSV files was imported successfully!")));
2551 break;
2552 case FileListModel::CsvError_Aborted:
2553 /* User aborted, ignore! */
2554 break;
2555 default:
2556 qWarning("exportToCsv: Unknown return code!");
2563 * Show or hide Drag'n'Drop notice after model reset
2565 void MainWindow::sourceModelChanged(void)
2567 m_dropNoteLabel->setVisible(m_fileListModel->rowCount() <= 0);
2570 // =========================================================
2571 // Output folder slots
2572 // =========================================================
2575 * Output folder changed (mouse clicked)
2577 void MainWindow::outputFolderViewClicked(const QModelIndex &index)
2579 if(index.isValid() && (ui->outputFolderView->currentIndex() != index))
2581 ui->outputFolderView->setCurrentIndex(index);
2584 if(m_fileSystemModel && index.isValid())
2586 QString selectedDir = m_fileSystemModel->filePath(index);
2587 if(selectedDir.length() < 3) selectedDir.append(QDir::separator());
2588 ui->outputFolderLabel->setText(QDir::toNativeSeparators(selectedDir));
2589 ui->outputFolderLabel->setToolTip(ui->outputFolderLabel->text());
2590 m_settings->outputDir(selectedDir);
2592 else
2594 ui->outputFolderLabel->setText(QDir::toNativeSeparators(m_settings->outputDir()));
2595 ui->outputFolderLabel->setToolTip(ui->outputFolderLabel->text());
2600 * Output folder changed (mouse moved)
2602 void MainWindow::outputFolderViewMoved(const QModelIndex &index)
2604 if(QApplication::mouseButtons() & Qt::LeftButton)
2606 outputFolderViewClicked(index);
2611 * Goto desktop button
2613 void MainWindow::gotoDesktopButtonClicked(void)
2615 if(!m_fileSystemModel)
2617 qWarning("File system model not initialized yet!");
2618 return;
2621 QString desktopPath = QDesktopServices::storageLocation(QDesktopServices::DesktopLocation);
2623 if(!desktopPath.isEmpty() && QDir(desktopPath).exists())
2625 ui->outputFolderView->setCurrentIndex(m_fileSystemModel->index(desktopPath));
2626 outputFolderViewClicked(ui->outputFolderView->currentIndex());
2627 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2629 else
2631 ui->buttonGotoDesktop->setEnabled(false);
2636 * Goto home folder button
2638 void MainWindow::gotoHomeFolderButtonClicked(void)
2640 if(!m_fileSystemModel)
2642 qWarning("File system model not initialized yet!");
2643 return;
2646 QString homePath = QDesktopServices::storageLocation(QDesktopServices::HomeLocation);
2648 if(!homePath.isEmpty() && QDir(homePath).exists())
2650 ui->outputFolderView->setCurrentIndex(m_fileSystemModel->index(homePath));
2651 outputFolderViewClicked(ui->outputFolderView->currentIndex());
2652 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2654 else
2656 ui->buttonGotoHome->setEnabled(false);
2661 * Goto music folder button
2663 void MainWindow::gotoMusicFolderButtonClicked(void)
2665 if(!m_fileSystemModel)
2667 qWarning("File system model not initialized yet!");
2668 return;
2671 QString musicPath = QDesktopServices::storageLocation(QDesktopServices::MusicLocation);
2673 if(!musicPath.isEmpty() && QDir(musicPath).exists())
2675 ui->outputFolderView->setCurrentIndex(m_fileSystemModel->index(musicPath));
2676 outputFolderViewClicked(ui->outputFolderView->currentIndex());
2677 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2679 else
2681 ui->buttonGotoMusic->setEnabled(false);
2686 * Goto music favorite output folder
2688 void MainWindow::gotoFavoriteFolder(void)
2690 if(!m_fileSystemModel)
2692 qWarning("File system model not initialized yet!");
2693 return;
2696 QAction *item = dynamic_cast<QAction*>(QObject::sender());
2698 if(item)
2700 QDir path(item->data().toString());
2701 if(path.exists())
2703 ui->outputFolderView->setCurrentIndex(m_fileSystemModel->index(path.canonicalPath()));
2704 outputFolderViewClicked(ui->outputFolderView->currentIndex());
2705 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2707 else
2709 lamexp_beep(lamexp_beep_error);
2710 m_outputFolderFavoritesMenu->removeAction(item);
2711 item->deleteLater();
2717 * Make folder button
2719 void MainWindow::makeFolderButtonClicked(void)
2721 ABORT_IF_BUSY;
2723 if(!m_fileSystemModel)
2725 qWarning("File system model not initialized yet!");
2726 return;
2729 QDir basePath(m_fileSystemModel->fileInfo(ui->outputFolderView->currentIndex()).absoluteFilePath());
2730 QString suggestedName = tr("New Folder");
2732 if(!m_metaData->artist().isEmpty() && !m_metaData->album().isEmpty())
2734 suggestedName = QString("%1 - %2").arg(m_metaData->artist(),m_metaData->album());
2736 else if(!m_metaData->artist().isEmpty())
2738 suggestedName = m_metaData->artist();
2740 else if(!m_metaData->album().isEmpty())
2742 suggestedName =m_metaData->album();
2744 else
2746 for(int i = 0; i < m_fileListModel->rowCount(); i++)
2748 const AudioFileModel &audioFile = m_fileListModel->getFile(m_fileListModel->index(i, 0));
2749 const AudioFileModel_MetaInfo &fileMetaInfo = audioFile.metaInfo();
2751 if(!fileMetaInfo.album().isEmpty() || !fileMetaInfo.artist().isEmpty())
2753 if(!fileMetaInfo.artist().isEmpty() && !fileMetaInfo.album().isEmpty())
2755 suggestedName = QString("%1 - %2").arg(fileMetaInfo.artist(), fileMetaInfo.album());
2757 else if(!fileMetaInfo.artist().isEmpty())
2759 suggestedName = fileMetaInfo.artist();
2761 else if(!fileMetaInfo.album().isEmpty())
2763 suggestedName = fileMetaInfo.album();
2765 break;
2770 suggestedName = lamexp_clean_filename(suggestedName);
2772 while(true)
2774 bool bApplied = false;
2775 QString folderName = QInputDialog::getText(this, tr("New Folder"), tr("Enter the name of the new folder:").leftJustified(96, ' '), QLineEdit::Normal, suggestedName, &bApplied, Qt::WindowStaysOnTopHint).simplified();
2777 if(bApplied)
2779 folderName = lamexp_clean_filepath(folderName.simplified());
2781 if(folderName.isEmpty())
2783 lamexp_beep(lamexp_beep_error);
2784 continue;
2787 int i = 1;
2788 QString newFolder = folderName;
2790 while(basePath.exists(newFolder))
2792 newFolder = QString(folderName).append(QString().sprintf(" (%d)", ++i));
2795 if(basePath.mkpath(newFolder))
2797 QDir createdDir = basePath;
2798 if(createdDir.cd(newFolder))
2800 QModelIndex newIndex = m_fileSystemModel->index(createdDir.canonicalPath());
2801 ui->outputFolderView->setCurrentIndex(newIndex);
2802 outputFolderViewClicked(newIndex);
2803 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2806 else
2808 QMessageBox::warning(this, tr("Failed to create folder"), QString("%1<br><nobr>%2</nobr><br><br>%3").arg(tr("The new folder could not be created:"), basePath.absoluteFilePath(newFolder), tr("Drive is read-only or insufficient access rights!")));
2811 break;
2816 * Output to source dir changed
2818 void MainWindow::saveToSourceFolderChanged(void)
2820 m_settings->outputToSourceDir(ui->saveToSourceFolderCheckBox->isChecked());
2824 * Prepend relative source file path to output file name changed
2826 void MainWindow::prependRelativePathChanged(void)
2828 m_settings->prependRelativeSourcePath(ui->prependRelativePathCheckBox->isChecked());
2832 * Show context menu for output folder
2834 void MainWindow::outputFolderContextMenu(const QPoint &pos)
2836 QAbstractScrollArea *scrollArea = dynamic_cast<QAbstractScrollArea*>(QObject::sender());
2837 QWidget *sender = scrollArea ? scrollArea->viewport() : dynamic_cast<QWidget*>(QObject::sender());
2839 if(pos.x() <= sender->width() && pos.y() <= sender->height() && pos.x() >= 0 && pos.y() >= 0)
2841 m_outputFolderContextMenu->popup(sender->mapToGlobal(pos));
2846 * Show selected folder in explorer
2848 void MainWindow::showFolderContextActionTriggered(void)
2850 if(!m_fileSystemModel)
2852 qWarning("File system model not initialized yet!");
2853 return;
2856 QString path = QDir::toNativeSeparators(m_fileSystemModel->filePath(ui->outputFolderView->currentIndex()));
2857 if(!path.endsWith(QDir::separator())) path.append(QDir::separator());
2858 lamexp_exec_shell(this, path, true);
2862 * Refresh the directory outline
2864 void MainWindow::refreshFolderContextActionTriggered(void)
2866 //force re-initialization
2867 QTimer::singleShot(0, this, SLOT(initOutputFolderModel()));
2871 * Go one directory up
2873 void MainWindow::goUpFolderContextActionTriggered(void)
2875 QModelIndex current = ui->outputFolderView->currentIndex();
2876 if(current.isValid())
2878 QModelIndex parent = current.parent();
2879 if(parent.isValid())
2882 ui->outputFolderView->setCurrentIndex(parent);
2883 outputFolderViewClicked(parent);
2885 else
2887 lamexp_beep(lamexp_beep_warning);
2889 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2894 * Add current folder to favorites
2896 void MainWindow::addFavoriteFolderActionTriggered(void)
2898 QString path = m_fileSystemModel->filePath(ui->outputFolderView->currentIndex());
2899 QStringList favorites = m_settings->favoriteOutputFolders().split("|", QString::SkipEmptyParts);
2901 if(!favorites.contains(path, Qt::CaseInsensitive))
2903 favorites.append(path);
2904 while(favorites.count() > 6) favorites.removeFirst();
2906 else
2908 lamexp_beep(lamexp_beep_warning);
2911 m_settings->favoriteOutputFolders(favorites.join("|"));
2912 refreshFavorites();
2916 * Output folder edit finished
2918 void MainWindow::outputFolderEditFinished(void)
2920 if(ui->outputFolderEdit->isHidden())
2922 return; //Not currently in edit mode!
2925 bool ok = false;
2927 QString text = QDir::fromNativeSeparators(ui->outputFolderEdit->text().trimmed());
2928 while(text.startsWith('"') || text.startsWith('/')) text = text.right(text.length() - 1).trimmed();
2929 while(text.endsWith('"') || text.endsWith('/')) text = text.left(text.length() - 1).trimmed();
2931 static const char *str = "?*<>|\"";
2932 for(size_t i = 0; str[i]; i++) text.replace(str[i], "_");
2934 if(!((text.length() >= 2) && text.at(0).isLetter() && text.at(1) == QChar(':')))
2936 text = QString("%1/%2").arg(QDir::fromNativeSeparators(ui->outputFolderLabel->text()), text);
2939 if(text.length() == 2) text += "/"; /* "X:" => "X:/" */
2941 while(text.length() > 2)
2943 QFileInfo info(text);
2944 if(info.exists() && info.isDir())
2946 QModelIndex index = m_fileSystemModel->index(QFileInfo(info.canonicalFilePath()).absoluteFilePath());
2947 if(index.isValid())
2949 ok = true;
2950 ui->outputFolderView->setCurrentIndex(index);
2951 outputFolderViewClicked(index);
2952 break;
2955 else if(info.exists() && info.isFile())
2957 QModelIndex index = m_fileSystemModel->index(QFileInfo(info.canonicalPath()).absoluteFilePath());
2958 if(index.isValid())
2960 ok = true;
2961 ui->outputFolderView->setCurrentIndex(index);
2962 outputFolderViewClicked(index);
2963 break;
2967 text = text.left(text.length() - 1).trimmed();
2970 ui->outputFolderEdit->setVisible(false);
2971 ui->outputFolderLabel->setVisible(true);
2972 ui->outputFolderView->setEnabled(true);
2974 if(!ok) lamexp_beep(lamexp_beep_error);
2975 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
2979 * Initialize file system model
2981 void MainWindow::initOutputFolderModel(void)
2983 if(m_outputFolderNoteBox->isHidden())
2985 m_outputFolderNoteBox->show();
2986 m_outputFolderNoteBox->repaint();
2987 m_outputFolderViewInitCounter = 4;
2989 if(m_fileSystemModel)
2991 SET_MODEL(ui->outputFolderView, NULL);
2992 LAMEXP_DELETE(m_fileSystemModel);
2993 ui->outputFolderView->repaint();
2996 if(m_fileSystemModel = new QFileSystemModelEx())
2998 m_fileSystemModel->installEventFilter(this);
2999 connect(m_fileSystemModel, SIGNAL(directoryLoaded(QString)), this, SLOT(outputFolderDirectoryLoaded(QString)));
3000 connect(m_fileSystemModel, SIGNAL(rowsInserted(QModelIndex,int,int)), this, SLOT(outputFolderRowsInserted(QModelIndex,int,int)));
3002 SET_MODEL(ui->outputFolderView, m_fileSystemModel);
3003 ui->outputFolderView->header()->setStretchLastSection(true);
3004 ui->outputFolderView->header()->hideSection(1);
3005 ui->outputFolderView->header()->hideSection(2);
3006 ui->outputFolderView->header()->hideSection(3);
3008 m_fileSystemModel->setRootPath("");
3009 QModelIndex index = m_fileSystemModel->index(m_settings->outputDir());
3010 if(index.isValid()) ui->outputFolderView->setCurrentIndex(index);
3011 outputFolderViewClicked(ui->outputFolderView->currentIndex());
3014 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
3015 QTimer::singleShot(125, this, SLOT(initOutputFolderModel_doAsync()));
3020 * Initialize file system model (do NOT call this one directly!)
3022 void MainWindow::initOutputFolderModel_doAsync(void)
3024 if(m_outputFolderViewInitCounter > 0)
3026 m_outputFolderViewInitCounter--;
3027 QTimer::singleShot(125, this, SLOT(initOutputFolderModel_doAsync()));
3029 else
3031 QTimer::singleShot(125, m_outputFolderNoteBox, SLOT(hide()));
3032 ui->outputFolderView->setFocus();
3037 * Center current folder in view
3039 void MainWindow::centerOutputFolderModel(void)
3041 if(ui->outputFolderView->isVisible())
3043 centerOutputFolderModel_doAsync();
3044 QTimer::singleShot(125, this, SLOT(centerOutputFolderModel_doAsync()));
3049 * Center current folder in view (do NOT call this one directly!)
3051 void MainWindow::centerOutputFolderModel_doAsync(void)
3053 if(ui->outputFolderView->isVisible())
3055 m_outputFolderViewCentering = true;
3056 const QModelIndex index = ui->outputFolderView->currentIndex();
3057 ui->outputFolderView->scrollTo(index, QAbstractItemView::PositionAtCenter);
3058 ui->outputFolderView->setFocus();
3063 * File system model asynchronously loaded a dir
3065 void MainWindow::outputFolderDirectoryLoaded(const QString &path)
3067 if(m_outputFolderViewCentering)
3069 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
3074 * File system model inserted new items
3076 void MainWindow::outputFolderRowsInserted(const QModelIndex &parent, int start, int end)
3078 if(m_outputFolderViewCentering)
3080 CENTER_CURRENT_OUTPUT_FOLDER_DELAYED;
3085 * Directory view item was expanded by user
3087 void MainWindow::outputFolderItemExpanded(const QModelIndex &item)
3089 //We need to stop centering as soon as the user has expanded an item manually!
3090 m_outputFolderViewCentering = false;
3094 * View event for output folder control occurred
3096 void MainWindow::outputFolderViewEventOccurred(QWidget *sender, QEvent *event)
3098 switch(event->type())
3100 case QEvent::Enter:
3101 case QEvent::Leave:
3102 case QEvent::KeyPress:
3103 case QEvent::KeyRelease:
3104 case QEvent::FocusIn:
3105 case QEvent::FocusOut:
3106 case QEvent::TouchEnd:
3107 outputFolderViewClicked(ui->outputFolderView->currentIndex());
3108 break;
3113 * Mouse event for output folder control occurred
3115 void MainWindow::outputFolderMouseEventOccurred(QWidget *sender, QEvent *event)
3117 QMouseEvent *mouseEvent = dynamic_cast<QMouseEvent*>(event);
3118 QPoint pos = (mouseEvent) ? mouseEvent->pos() : QPoint();
3120 if(sender == ui->outputFolderLabel)
3122 switch(event->type())
3124 case QEvent::MouseButtonPress:
3125 if(mouseEvent && (mouseEvent->button() == Qt::LeftButton))
3127 QString path = ui->outputFolderLabel->text();
3128 if(!path.endsWith(QDir::separator())) path.append(QDir::separator());
3129 lamexp_exec_shell(this, path, true);
3131 break;
3132 case QEvent::Enter:
3133 ui->outputFolderLabel->setForegroundRole(QPalette::Link);
3134 break;
3135 case QEvent::Leave:
3136 ui->outputFolderLabel->setForegroundRole(QPalette::WindowText);
3137 break;
3141 if((sender == ui->outputFoldersFovoritesLabel) || (sender == ui->outputFoldersEditorLabel) || (sender == ui->outputFoldersGoUpLabel))
3143 const type_info &styleType = typeid(*qApp->style());
3144 if((typeid(QPlastiqueStyle) == styleType) || (typeid(QWindowsStyle) == styleType))
3146 switch(event->type())
3148 case QEvent::Enter:
3149 dynamic_cast<QLabel*>(sender)->setFrameShadow(ui->outputFolderView->isEnabled() ? QFrame::Raised : QFrame::Plain);
3150 break;
3151 case QEvent::MouseButtonPress:
3152 dynamic_cast<QLabel*>(sender)->setFrameShadow(ui->outputFolderView->isEnabled() ? QFrame::Sunken : QFrame::Plain);
3153 break;
3154 case QEvent::MouseButtonRelease:
3155 dynamic_cast<QLabel*>(sender)->setFrameShadow(ui->outputFolderView->isEnabled() ? QFrame::Raised : QFrame::Plain);
3156 break;
3157 case QEvent::Leave:
3158 dynamic_cast<QLabel*>(sender)->setFrameShadow(ui->outputFolderView->isEnabled() ? QFrame::Plain : QFrame::Plain);
3159 break;
3162 else
3164 dynamic_cast<QLabel*>(sender)->setFrameShadow(QFrame::Plain);
3167 if((event->type() == QEvent::MouseButtonRelease) && ui->outputFolderView->isEnabled() && (mouseEvent))
3169 if(pos.x() <= sender->width() && pos.y() <= sender->height() && pos.x() >= 0 && pos.y() >= 0 && mouseEvent->button() != Qt::MidButton)
3171 if(sender == ui->outputFoldersFovoritesLabel)
3173 m_outputFolderFavoritesMenu->popup(sender->mapToGlobal(pos));
3175 else if(sender == ui->outputFoldersEditorLabel)
3177 ui->outputFolderView->setEnabled(false);
3178 ui->outputFolderLabel->setVisible(false);
3179 ui->outputFolderEdit->setVisible(true);
3180 ui->outputFolderEdit->setText(ui->outputFolderLabel->text());
3181 ui->outputFolderEdit->selectAll();
3182 ui->outputFolderEdit->setFocus();
3184 else if(sender == ui->outputFoldersGoUpLabel)
3186 QTimer::singleShot(0, this, SLOT(goUpFolderContextActionTriggered()));
3188 else
3190 THROW("Oups, this is not supposed to happen!");
3197 // =========================================================
3198 // Metadata tab slots
3199 // =========================================================
3202 * Edit meta button clicked
3204 void MainWindow::editMetaButtonClicked(void)
3206 ABORT_IF_BUSY;
3208 const QModelIndex index = ui->metaDataView->currentIndex();
3210 if(index.isValid())
3212 m_metaInfoModel->editItem(index, this);
3214 if(index.row() == 4)
3216 m_settings->metaInfoPosition(m_metaData->position());
3222 * Reset meta button clicked
3224 void MainWindow::clearMetaButtonClicked(void)
3226 ABORT_IF_BUSY;
3227 m_metaInfoModel->clearData();
3231 * Meta tags enabled changed
3233 void MainWindow::metaTagsEnabledChanged(void)
3235 m_settings->writeMetaTags(ui->writeMetaDataCheckBox->isChecked());
3239 * Playlist enabled changed
3241 void MainWindow::playlistEnabledChanged(void)
3243 m_settings->createPlaylist(ui->generatePlaylistCheckBox->isChecked());
3246 // =========================================================
3247 // Compression tab slots
3248 // =========================================================
3251 * Update encoder
3253 void MainWindow::updateEncoder(int id)
3255 /*qWarning("\nupdateEncoder(%d)", id);*/
3257 m_settings->compressionEncoder(id);
3258 const AbstractEncoderInfo *info = EncoderRegistry::getEncoderInfo(id);
3260 //Update UI controls
3261 ui->radioButtonModeQuality ->setEnabled(info->isModeSupported(SettingsModel::VBRMode));
3262 ui->radioButtonModeAverageBitrate->setEnabled(info->isModeSupported(SettingsModel::ABRMode));
3263 ui->radioButtonConstBitrate ->setEnabled(info->isModeSupported(SettingsModel::CBRMode));
3265 //Initialize checkbox state
3266 if(ui->radioButtonModeQuality->isEnabled()) ui->radioButtonModeQuality->setChecked(true);
3267 else if(ui->radioButtonModeAverageBitrate->isEnabled()) ui->radioButtonModeAverageBitrate->setChecked(true);
3268 else if(ui->radioButtonConstBitrate->isEnabled()) ui->radioButtonConstBitrate->setChecked(true);
3269 else THROW("It appears that the encoder does not support *any* RC mode!");
3271 //Apply current RC mode
3272 const int currentRCMode = EncoderRegistry::loadEncoderMode(m_settings, id);
3273 switch(currentRCMode)
3275 case SettingsModel::VBRMode: if(ui->radioButtonModeQuality->isEnabled()) ui->radioButtonModeQuality->setChecked(true); break;
3276 case SettingsModel::ABRMode: if(ui->radioButtonModeAverageBitrate->isEnabled()) ui->radioButtonModeAverageBitrate->setChecked(true); break;
3277 case SettingsModel::CBRMode: if(ui->radioButtonConstBitrate->isEnabled()) ui->radioButtonConstBitrate->setChecked(true); break;
3278 default: THROW("updateEncoder(): Unknown rc-mode encountered!");
3281 //Display encoder description
3282 if(const char* description = info->description())
3284 ui->labelEncoderInfo->setVisible(true);
3285 ui->labelEncoderInfo->setText(tr("Current Encoder: %1").arg(QString::fromUtf8(description)));
3287 else
3289 ui->labelEncoderInfo->setVisible(false);
3292 //Update RC mode!
3293 updateRCMode(m_modeButtonGroup->checkedId());
3297 * Update rate-control mode
3299 void MainWindow::updateRCMode(int id)
3301 /*qWarning("updateRCMode(%d)", id);*/
3303 //Store new RC mode
3304 const int currentEncoder = m_encoderButtonGroup->checkedId();
3305 EncoderRegistry::saveEncoderMode(m_settings, currentEncoder, id);
3307 //Fetch encoder info
3308 const AbstractEncoderInfo *info = EncoderRegistry::getEncoderInfo(currentEncoder);
3309 const int valueCount = info->valueCount(id);
3311 //Sanity check
3312 if(!info->isModeSupported(id))
3314 qWarning("Attempting to use an unsupported RC mode (%d) with current encoder (%d)!", id, currentEncoder);
3315 ui->labelBitrate->setText("(ERROR)");
3316 return;
3319 //Update slider min/max values
3320 if(valueCount > 0)
3322 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setEnabled, true);
3323 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setMinimum, 0);
3324 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setMaximum, valueCount-1);
3326 else
3328 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setEnabled, false);
3329 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setMinimum, 0);
3330 WITH_BLOCKED_SIGNALS(ui->sliderBitrate, setMaximum, 2);
3333 //Now update bitrate/quality value!
3334 if(valueCount > 0)
3336 const int currentValue = EncoderRegistry::loadEncoderValue(m_settings, currentEncoder, id);
3337 ui->sliderBitrate->setValue(qBound(0, currentValue, valueCount-1));
3338 updateBitrate(qBound(0, currentValue, valueCount-1));
3340 else
3342 ui->sliderBitrate->setValue(1);
3343 updateBitrate(0);
3348 * Update bitrate
3350 void MainWindow::updateBitrate(int value)
3352 /*qWarning("updateBitrate(%d)", value);*/
3354 //Load current encoder and RC mode
3355 const int currentEncoder = m_encoderButtonGroup->checkedId();
3356 const int currentRCMode = m_modeButtonGroup->checkedId();
3358 //Fetch encoder info
3359 const AbstractEncoderInfo *info = EncoderRegistry::getEncoderInfo(currentEncoder);
3360 const int valueCount = info->valueCount(currentRCMode);
3362 //Sanity check
3363 if(!info->isModeSupported(currentRCMode))
3365 qWarning("Attempting to use an unsupported RC mode (%d) with current encoder (%d)!", currentRCMode, currentEncoder);
3366 ui->labelBitrate->setText("(ERROR)");
3367 return;
3370 //Store new bitrate value
3371 if(valueCount > 0)
3373 EncoderRegistry::saveEncoderValue(m_settings, currentEncoder, currentRCMode, qBound(0, value, valueCount-1));
3376 //Update bitrate value
3377 const int displayValue = (valueCount > 0) ? info->valueAt(currentRCMode, qBound(0, value, valueCount-1)) : INT_MAX;
3378 switch(info->valueType(currentRCMode))
3380 case AbstractEncoderInfo::TYPE_BITRATE:
3381 ui->labelBitrate->setText(QString("%1 kbps").arg(QString::number(displayValue)));
3382 break;
3383 case AbstractEncoderInfo::TYPE_APPROX_BITRATE:
3384 ui->labelBitrate->setText(QString("&asymp; %1 kbps").arg(QString::number(displayValue)));
3385 break;
3386 case AbstractEncoderInfo::TYPE_QUALITY_LEVEL_INT:
3387 ui->labelBitrate->setText(tr("Quality Level %1").arg(QString::number(displayValue)));
3388 break;
3389 case AbstractEncoderInfo::TYPE_QUALITY_LEVEL_FLT:
3390 ui->labelBitrate->setText(tr("Quality Level %1").arg(QString().sprintf("%.2f", double(displayValue)/100.0)));
3391 break;
3392 case AbstractEncoderInfo::TYPE_COMPRESSION_LEVEL:
3393 ui->labelBitrate->setText(tr("Compression %1").arg(QString::number(displayValue)));
3394 break;
3395 case AbstractEncoderInfo::TYPE_UNCOMPRESSED:
3396 ui->labelBitrate->setText(tr("Uncompressed"));
3397 break;
3398 default:
3399 THROW("Unknown display value type encountered!");
3400 break;
3405 * Event for compression tab occurred
3407 void MainWindow::compressionTabEventOccurred(QWidget *sender, QEvent *event)
3409 static const QUrl helpUrl("http://lamexp.sourceforge.net/doc/FAQ.html#054010d9");
3411 if((sender == ui->labelCompressionHelp) && (event->type() == QEvent::MouseButtonPress))
3413 QDesktopServices::openUrl(helpUrl);
3415 else if((sender == ui->labelResetEncoders) && (event->type() == QEvent::MouseButtonPress))
3417 if(m_settings->soundsEnabled())
3419 lamexp_play_sound(IDR_WAVE_BLAST, true);
3422 EncoderRegistry::resetAllEncoders(m_settings);
3423 m_settings->compressionEncoder(SettingsModel::MP3Encoder);
3424 ui->radioButtonEncoderMP3->setChecked(true);
3425 QTimer::singleShot(0, this, SLOT(updateEncoder()));
3429 // =========================================================
3430 // Advanced option slots
3431 // =========================================================
3434 * Lame algorithm quality changed
3436 void MainWindow::updateLameAlgoQuality(int value)
3438 QString text;
3440 switch(value)
3442 case 3:
3443 text = tr("Best Quality (Slow)");
3444 break;
3445 case 2:
3446 text = tr("High Quality (Recommended)");
3447 break;
3448 case 1:
3449 text = tr("Acceptable Quality (Fast)");
3450 break;
3451 case 0:
3452 text = tr("Poor Quality (Very Fast)");
3453 break;
3456 if(!text.isEmpty())
3458 m_settings->lameAlgoQuality(value);
3459 ui->labelLameAlgoQuality->setText(text);
3462 bool warning = (value == 0), notice = (value == 3);
3463 ui->labelLameAlgoQualityWarning->setVisible(warning);
3464 ui->labelLameAlgoQualityWarningIcon->setVisible(warning);
3465 ui->labelLameAlgoQualityNotice->setVisible(notice);
3466 ui->labelLameAlgoQualityNoticeIcon->setVisible(notice);
3467 ui->labelLameAlgoQualitySpacer->setVisible(warning || notice);
3471 * Bitrate management endabled/disabled
3473 void MainWindow::bitrateManagementEnabledChanged(bool checked)
3475 m_settings->bitrateManagementEnabled(checked);
3479 * Minimum bitrate has changed
3481 void MainWindow::bitrateManagementMinChanged(int value)
3483 if(value > ui->spinBoxBitrateManagementMax->value())
3485 ui->spinBoxBitrateManagementMin->setValue(ui->spinBoxBitrateManagementMax->value());
3486 m_settings->bitrateManagementMinRate(ui->spinBoxBitrateManagementMax->value());
3488 else
3490 m_settings->bitrateManagementMinRate(value);
3495 * Maximum bitrate has changed
3497 void MainWindow::bitrateManagementMaxChanged(int value)
3499 if(value < ui->spinBoxBitrateManagementMin->value())
3501 ui->spinBoxBitrateManagementMax->setValue(ui->spinBoxBitrateManagementMin->value());
3502 m_settings->bitrateManagementMaxRate(ui->spinBoxBitrateManagementMin->value());
3504 else
3506 m_settings->bitrateManagementMaxRate(value);
3511 * Channel mode has changed
3513 void MainWindow::channelModeChanged(int value)
3515 if(value >= 0) m_settings->lameChannelMode(value);
3519 * Sampling rate has changed
3521 void MainWindow::samplingRateChanged(int value)
3523 if(value >= 0) m_settings->samplingRate(value);
3527 * Nero AAC 2-Pass mode changed
3529 void MainWindow::neroAAC2PassChanged(bool checked)
3531 m_settings->neroAACEnable2Pass(checked);
3535 * Nero AAC profile mode changed
3537 void MainWindow::neroAACProfileChanged(int value)
3539 if(value >= 0) m_settings->aacEncProfile(value);
3543 * Aften audio coding mode changed
3545 void MainWindow::aftenCodingModeChanged(int value)
3547 if(value >= 0) m_settings->aftenAudioCodingMode(value);
3551 * Aften DRC mode changed
3553 void MainWindow::aftenDRCModeChanged(int value)
3555 if(value >= 0) m_settings->aftenDynamicRangeCompression(value);
3559 * Aften exponent search size changed
3561 void MainWindow::aftenSearchSizeChanged(int value)
3563 if(value >= 0) m_settings->aftenExponentSearchSize(value);
3567 * Aften fast bit allocation changed
3569 void MainWindow::aftenFastAllocationChanged(bool checked)
3571 m_settings->aftenFastBitAllocation(checked);
3576 * Opus encoder settings changed
3578 void MainWindow::opusSettingsChanged(void)
3580 m_settings->opusFramesize(ui->comboBoxOpusFramesize->currentIndex());
3581 m_settings->opusComplexity(ui->spinBoxOpusComplexity->value());
3582 m_settings->opusDisableResample(ui->checkBoxOpusDisableResample->isChecked());
3586 * Normalization filter enabled changed
3588 void MainWindow::normalizationEnabledChanged(bool checked)
3590 m_settings->normalizationFilterEnabled(checked);
3594 * Normalization max. volume changed
3596 void MainWindow::normalizationMaxVolumeChanged(double value)
3598 m_settings->normalizationFilterMaxVolume(static_cast<int>(value * 100.0));
3602 * Normalization equalization mode changed
3604 void MainWindow::normalizationModeChanged(int mode)
3606 m_settings->normalizationFilterEQMode(mode);
3610 * Tone adjustment has changed (Bass)
3612 void MainWindow::toneAdjustBassChanged(double value)
3614 m_settings->toneAdjustBass(static_cast<int>(value * 100.0));
3615 ui->spinBoxToneAdjustBass->setPrefix((value > 0) ? "+" : QString());
3619 * Tone adjustment has changed (Treble)
3621 void MainWindow::toneAdjustTrebleChanged(double value)
3623 m_settings->toneAdjustTreble(static_cast<int>(value * 100.0));
3624 ui->spinBoxToneAdjustTreble->setPrefix((value > 0) ? "+" : QString());
3628 * Tone adjustment has been reset
3630 void MainWindow::toneAdjustTrebleReset(void)
3632 ui->spinBoxToneAdjustBass->setValue(m_settings->toneAdjustBassDefault());
3633 ui->spinBoxToneAdjustTreble->setValue(m_settings->toneAdjustTrebleDefault());
3634 toneAdjustBassChanged(ui->spinBoxToneAdjustBass->value());
3635 toneAdjustTrebleChanged(ui->spinBoxToneAdjustTreble->value());
3639 * Custom encoder parameters changed
3641 void MainWindow::customParamsChanged(void)
3643 ui->lineEditCustomParamLAME->setText(ui->lineEditCustomParamLAME->text().simplified());
3644 ui->lineEditCustomParamOggEnc->setText(ui->lineEditCustomParamOggEnc->text().simplified());
3645 ui->lineEditCustomParamNeroAAC->setText(ui->lineEditCustomParamNeroAAC->text().simplified());
3646 ui->lineEditCustomParamFLAC->setText(ui->lineEditCustomParamFLAC->text().simplified());
3647 ui->lineEditCustomParamAften->setText(ui->lineEditCustomParamAften->text().simplified());
3648 ui->lineEditCustomParamOpus->setText(ui->lineEditCustomParamOpus->text().simplified());
3650 bool customParamsUsed = false;
3651 if(!ui->lineEditCustomParamLAME->text().isEmpty()) customParamsUsed = true;
3652 if(!ui->lineEditCustomParamOggEnc->text().isEmpty()) customParamsUsed = true;
3653 if(!ui->lineEditCustomParamNeroAAC->text().isEmpty()) customParamsUsed = true;
3654 if(!ui->lineEditCustomParamFLAC->text().isEmpty()) customParamsUsed = true;
3655 if(!ui->lineEditCustomParamAften->text().isEmpty()) customParamsUsed = true;
3656 if(!ui->lineEditCustomParamOpus->text().isEmpty()) customParamsUsed = true;
3658 ui->labelCustomParamsIcon->setVisible(customParamsUsed);
3659 ui->labelCustomParamsText->setVisible(customParamsUsed);
3660 ui->labelCustomParamsSpacer->setVisible(customParamsUsed);
3662 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::MP3Encoder, ui->lineEditCustomParamLAME->text());
3663 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::VorbisEncoder, ui->lineEditCustomParamOggEnc->text());
3664 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::AACEncoder, ui->lineEditCustomParamNeroAAC->text());
3665 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::FLACEncoder, ui->lineEditCustomParamFLAC->text());
3666 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::AC3Encoder, ui->lineEditCustomParamAften->text());
3667 EncoderRegistry::saveEncoderCustomParams(m_settings, SettingsModel::OpusEncoder, ui->lineEditCustomParamOpus->text());
3671 * Rename output files enabled changed
3673 void MainWindow::renameOutputEnabledChanged(bool checked)
3675 m_settings->renameOutputFilesEnabled(checked);
3679 * Rename output files patterm changed
3681 void MainWindow::renameOutputPatternChanged(void)
3683 QString temp = ui->lineEditRenamePattern->text().simplified();
3684 ui->lineEditRenamePattern->setText(temp.isEmpty() ? m_settings->renameOutputFilesPatternDefault() : temp);
3685 m_settings->renameOutputFilesPattern(ui->lineEditRenamePattern->text());
3689 * Rename output files patterm changed
3691 void MainWindow::renameOutputPatternChanged(const QString &text, bool silent)
3693 QString pattern(text.simplified());
3695 pattern.replace("<BaseName>", "The_White_Stripes_-_Fell_In_Love_With_A_Girl", Qt::CaseInsensitive);
3696 pattern.replace("<TrackNo>", "04", Qt::CaseInsensitive);
3697 pattern.replace("<Title>", "Fell In Love With A Girl", Qt::CaseInsensitive);
3698 pattern.replace("<Artist>", "The White Stripes", Qt::CaseInsensitive);
3699 pattern.replace("<Album>", "White Blood Cells", Qt::CaseInsensitive);
3700 pattern.replace("<Year>", "2001", Qt::CaseInsensitive);
3701 pattern.replace("<Comment>", "Encoded by LameXP", Qt::CaseInsensitive);
3703 const QString patternClean = lamexp_clean_filename(pattern);
3705 if(pattern.compare(patternClean))
3707 if(ui->lineEditRenamePattern->palette().color(QPalette::Text) != Qt::red)
3709 if(!silent) lamexp_beep(lamexp_beep_error);
3710 SET_TEXT_COLOR(ui->lineEditRenamePattern, Qt::red);
3713 else
3715 if(ui->lineEditRenamePattern->palette() != QPalette())
3717 if(!silent) lamexp_beep(lamexp_beep_info);
3718 ui->lineEditRenamePattern->setPalette(QPalette());
3722 ui->labelRanameExample->setText(patternClean);
3726 * Show list of rename macros
3728 void MainWindow::showRenameMacros(const QString &text)
3730 if(text.compare("reset", Qt::CaseInsensitive) == 0)
3732 ui->lineEditRenamePattern->setText(m_settings->renameOutputFilesPatternDefault());
3733 return;
3736 const QString format = QString("<tr><td><tt>&lt;%1&gt;</tt></td><td>&nbsp;&nbsp;</td><td>%2</td></tr>");
3738 QString message = QString("<table>");
3739 message += QString(format).arg("BaseName", tr("File name without extension"));
3740 message += QString(format).arg("TrackNo", tr("Track number with leading zero"));
3741 message += QString(format).arg("Title", tr("Track title"));
3742 message += QString(format).arg("Artist", tr("Artist name"));
3743 message += QString(format).arg("Album", tr("Album name"));
3744 message += QString(format).arg("Year", tr("Year with (at least) four digits"));
3745 message += QString(format).arg("Comment", tr("Comment"));
3746 message += "</table><br><br>";
3747 message += QString("%1<br>").arg(tr("Characters forbidden in file names:"));
3748 message += "<b><tt>\\ / : * ? &lt; &gt; |<br>";
3750 QMessageBox::information(this, tr("Rename Macros"), message, tr("Discard"));
3753 void MainWindow::forceStereoDownmixEnabledChanged(bool checked)
3755 m_settings->forceStereoDownmix(checked);
3759 * Maximum number of instances changed
3761 void MainWindow::updateMaximumInstances(int value)
3763 ui->labelMaxInstances->setText(tr("%n Instance(s)", "", value));
3764 m_settings->maximumInstances(ui->checkBoxAutoDetectInstances->isChecked() ? NULL : value);
3768 * Auto-detect number of instances
3770 void MainWindow::autoDetectInstancesChanged(bool checked)
3772 m_settings->maximumInstances(checked ? NULL : ui->sliderMaxInstances->value());
3776 * Browse for custom TEMP folder button clicked
3778 void MainWindow::browseCustomTempFolderButtonClicked(void)
3780 QString newTempFolder;
3782 if(lamexp_themes_enabled())
3784 newTempFolder = QFileDialog::getExistingDirectory(this, QString(), m_settings->customTempPath());
3786 else
3788 QFileDialog dialog(this);
3789 dialog.setFileMode(QFileDialog::DirectoryOnly);
3790 dialog.setDirectory(m_settings->customTempPath());
3791 if(dialog.exec())
3793 newTempFolder = dialog.selectedFiles().first();
3797 if(!newTempFolder.isEmpty())
3799 QFile writeTest(QString("%1/~%2.tmp").arg(newTempFolder, lamexp_rand_str()));
3800 if(writeTest.open(QIODevice::ReadWrite))
3802 writeTest.remove();
3803 ui->lineEditCustomTempFolder->setText(QDir::toNativeSeparators(newTempFolder));
3805 else
3807 QMessageBox::warning(this, tr("Access Denied"), tr("Cannot write to the selected directory. Please choose another directory!"));
3813 * Custom TEMP folder changed
3815 void MainWindow::customTempFolderChanged(const QString &text)
3817 m_settings->customTempPath(QDir::fromNativeSeparators(text));
3821 * Use custom TEMP folder option changed
3823 void MainWindow::useCustomTempFolderChanged(bool checked)
3825 m_settings->customTempPathEnabled(!checked);
3829 * Help for custom parameters was requested
3831 void MainWindow::customParamsHelpRequested(QWidget *obj, QEvent *event)
3833 if(event->type() != QEvent::MouseButtonRelease)
3835 return;
3838 if(QMouseEvent *mouseEvent = dynamic_cast<QMouseEvent*>(event))
3840 QPoint pos = mouseEvent->pos();
3841 if(!(pos.x() <= obj->width() && pos.y() <= obj->height() && pos.x() >= 0 && pos.y() >= 0 && mouseEvent->button() != Qt::MidButton))
3843 return;
3847 if(obj == ui->helpCustomParamLAME) showCustomParamsHelpScreen("lame.exe", "--longhelp");
3848 else if(obj == ui->helpCustomParamOggEnc) showCustomParamsHelpScreen("oggenc2.exe", "--help");
3849 else if(obj == ui->helpCustomParamNeroAAC)
3851 switch(EncoderRegistry::getAacEncoder())
3853 case SettingsModel::AAC_ENCODER_QAAC: showCustomParamsHelpScreen("qaac.exe", "--help"); break;
3854 case SettingsModel::AAC_ENCODER_FHG : showCustomParamsHelpScreen("fhgaacenc.exe", ""); break;
3855 case SettingsModel::AAC_ENCODER_NERO: showCustomParamsHelpScreen("neroAacEnc.exe", "-help"); break;
3856 default: lamexp_beep(lamexp_beep_error); break;
3859 else if(obj == ui->helpCustomParamFLAC) showCustomParamsHelpScreen("flac.exe", "--help");
3860 else if(obj == ui->helpCustomParamAften) showCustomParamsHelpScreen("aften.exe", "-h");
3861 else if(obj == ui->helpCustomParamOpus) showCustomParamsHelpScreen("opusenc.exe", "--help");
3862 else lamexp_beep(lamexp_beep_error);
3866 * Show help for custom parameters
3868 void MainWindow::showCustomParamsHelpScreen(const QString &toolName, const QString &command)
3870 const QString binary = lamexp_lookup_tool(toolName);
3871 if(binary.isEmpty())
3873 lamexp_beep(lamexp_beep_error);
3874 qWarning("customParamsHelpRequested: Binary could not be found!");
3875 return;
3878 QProcess process;
3879 lamexp_init_process(process, QFileInfo(binary).absolutePath());
3881 process.start(binary, command.isEmpty() ? QStringList() : QStringList() << command);
3883 qApp->setOverrideCursor(QCursor(Qt::WaitCursor));
3885 if(process.waitForStarted(15000))
3887 qApp->processEvents();
3888 process.waitForFinished(15000);
3891 if(process.state() != QProcess::NotRunning)
3893 process.kill();
3894 process.waitForFinished(-1);
3897 qApp->restoreOverrideCursor();
3898 QStringList output; bool spaceFlag = true;
3900 while(process.canReadLine())
3902 QString temp = QString::fromUtf8(process.readLine());
3903 TRIM_STRING_RIGHT(temp);
3904 if(temp.isEmpty())
3906 if(!spaceFlag) { output << temp; spaceFlag = true; }
3908 else
3910 output << temp; spaceFlag = false;
3914 if(output.count() < 1)
3916 qWarning("Empty output, cannot show help screen!");
3917 lamexp_beep(lamexp_beep_error);
3920 LogViewDialog *dialog = new LogViewDialog(this);
3921 TEMP_HIDE_DROPBOX( dialog->exec(output); );
3922 LAMEXP_DELETE(dialog);
3925 void MainWindow::overwriteModeChanged(int id)
3927 if((id == SettingsModel::Overwrite_Replaces) && (m_settings->overwriteMode() != SettingsModel::Overwrite_Replaces))
3929 if(QMessageBox::warning(this, tr("Overwrite Mode"), tr("Warning: This mode may overwrite existing files with no way to revert!"), tr("Continue"), tr("Revert"), QString(), 1) != 0)
3931 ui->radioButtonOverwriteModeKeepBoth->setChecked(m_settings->overwriteMode() == SettingsModel::Overwrite_KeepBoth);
3932 ui->radioButtonOverwriteModeSkipFile->setChecked(m_settings->overwriteMode() == SettingsModel::Overwrite_SkipFile);
3933 return;
3937 m_settings->overwriteMode(id);
3941 * Reset all advanced options to their defaults
3943 void MainWindow::resetAdvancedOptionsButtonClicked(void)
3945 if(m_settings->soundsEnabled())
3947 lamexp_play_sound(IDR_WAVE_BLAST, true);
3950 ui->sliderLameAlgoQuality->setValue(m_settings->lameAlgoQualityDefault());
3951 ui->spinBoxBitrateManagementMin->setValue(m_settings->bitrateManagementMinRateDefault());
3952 ui->spinBoxBitrateManagementMax->setValue(m_settings->bitrateManagementMaxRateDefault());
3953 ui->spinBoxNormalizationFilter->setValue(static_cast<double>(m_settings->normalizationFilterMaxVolumeDefault()) / 100.0);
3954 ui->spinBoxToneAdjustBass->setValue(static_cast<double>(m_settings->toneAdjustBassDefault()) / 100.0);
3955 ui->spinBoxToneAdjustTreble->setValue(static_cast<double>(m_settings->toneAdjustTrebleDefault()) / 100.0);
3956 ui->spinBoxAftenSearchSize->setValue(m_settings->aftenExponentSearchSizeDefault());
3957 ui->spinBoxOpusComplexity->setValue(m_settings->opusComplexityDefault());
3958 ui->comboBoxMP3ChannelMode->setCurrentIndex(m_settings->lameChannelModeDefault());
3959 ui->comboBoxSamplingRate->setCurrentIndex(m_settings->samplingRateDefault());
3960 ui->comboBoxAACProfile->setCurrentIndex(m_settings->aacEncProfileDefault());
3961 ui->comboBoxAftenCodingMode->setCurrentIndex(m_settings->aftenAudioCodingModeDefault());
3962 ui->comboBoxAftenDRCMode->setCurrentIndex(m_settings->aftenDynamicRangeCompressionDefault());
3963 ui->comboBoxNormalizationMode->setCurrentIndex(m_settings->normalizationFilterEQModeDefault());
3964 ui->comboBoxOpusFramesize->setCurrentIndex(m_settings->opusFramesizeDefault());
3966 SET_CHECKBOX_STATE(ui->checkBoxBitrateManagement, m_settings->bitrateManagementEnabledDefault());
3967 SET_CHECKBOX_STATE(ui->checkBoxNeroAAC2PassMode, m_settings->neroAACEnable2PassDefault());
3968 SET_CHECKBOX_STATE(ui->checkBoxNormalizationFilter, m_settings->normalizationFilterEnabledDefault());
3969 SET_CHECKBOX_STATE(ui->checkBoxAutoDetectInstances, (m_settings->maximumInstancesDefault() < 1));
3970 SET_CHECKBOX_STATE(ui->checkBoxUseSystemTempFolder, !m_settings->customTempPathEnabledDefault());
3971 SET_CHECKBOX_STATE(ui->checkBoxAftenFastAllocation, m_settings->aftenFastBitAllocationDefault());
3972 SET_CHECKBOX_STATE(ui->checkBoxRenameOutput, m_settings->renameOutputFilesEnabledDefault());
3973 SET_CHECKBOX_STATE(ui->checkBoxForceStereoDownmix, m_settings->forceStereoDownmixDefault());
3974 SET_CHECKBOX_STATE(ui->checkBoxOpusDisableResample, m_settings->opusDisableResampleDefault());
3976 ui->lineEditCustomParamLAME ->setText(m_settings->customParametersLAMEDefault());
3977 ui->lineEditCustomParamOggEnc ->setText(m_settings->customParametersOggEncDefault());
3978 ui->lineEditCustomParamNeroAAC->setText(m_settings->customParametersAacEncDefault());
3979 ui->lineEditCustomParamFLAC ->setText(m_settings->customParametersFLACDefault());
3980 ui->lineEditCustomParamOpus ->setText(m_settings->customParametersOpusEncDefault());
3981 ui->lineEditCustomTempFolder ->setText(QDir::toNativeSeparators(m_settings->customTempPathDefault()));
3982 ui->lineEditRenamePattern ->setText(m_settings->renameOutputFilesPatternDefault());
3984 if(m_settings->overwriteModeDefault() == SettingsModel::Overwrite_KeepBoth) ui->radioButtonOverwriteModeKeepBoth->click();
3985 if(m_settings->overwriteModeDefault() == SettingsModel::Overwrite_SkipFile) ui->radioButtonOverwriteModeSkipFile->click();
3986 if(m_settings->overwriteModeDefault() == SettingsModel::Overwrite_Replaces) ui->radioButtonOverwriteModeReplaces->click();
3988 customParamsChanged();
3989 ui->scrollArea->verticalScrollBar()->setValue(0);
3992 // =========================================================
3993 // Multi-instance handling slots
3994 // =========================================================
3997 * Other instance detected
3999 void MainWindow::notifyOtherInstance(void)
4001 if(!m_banner->isVisible())
4003 QMessageBox msgBox(QMessageBox::Warning, tr("Already Running"), tr("LameXP is already running, please use the running instance!"), QMessageBox::NoButton, this, Qt::Dialog | Qt::MSWindowsFixedSizeDialogHint | Qt::WindowStaysOnTopHint);
4004 msgBox.exec();
4009 * Add file from another instance
4011 void MainWindow::addFileDelayed(const QString &filePath, bool tryASAP)
4013 if(tryASAP && !m_delayedFileTimer->isActive())
4015 qDebug("Received file: %s", QUTF8(filePath));
4016 m_delayedFileList->append(filePath);
4017 QTimer::singleShot(0, this, SLOT(handleDelayedFiles()));
4020 m_delayedFileTimer->stop();
4021 qDebug("Received file: %s", QUTF8(filePath));
4022 m_delayedFileList->append(filePath);
4023 m_delayedFileTimer->start(5000);
4027 * Add files from another instance
4029 void MainWindow::addFilesDelayed(const QStringList &filePaths, bool tryASAP)
4031 if(tryASAP && !m_delayedFileTimer->isActive())
4033 qDebug("Received %d file(s).", filePaths.count());
4034 m_delayedFileList->append(filePaths);
4035 QTimer::singleShot(0, this, SLOT(handleDelayedFiles()));
4037 else
4039 m_delayedFileTimer->stop();
4040 qDebug("Received %d file(s).", filePaths.count());
4041 m_delayedFileList->append(filePaths);
4042 m_delayedFileTimer->start(5000);
4047 * Add folder from another instance
4049 void MainWindow::addFolderDelayed(const QString &folderPath, bool recursive)
4051 if(!m_banner->isVisible())
4053 addFolder(folderPath, recursive, true);
4057 // =========================================================
4058 // Misc slots
4059 // =========================================================
4062 * Restore the override cursor
4064 void MainWindow::restoreCursor(void)
4066 QApplication::restoreOverrideCursor();