forked from projectM-visualizer/projectm
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathprojectM.cpp
1231 lines (972 loc) · 35.9 KB
/
projectM.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/**
* projectM -- Milkdrop-esque visualisation SDK
* Copyright (C)2003-2004 projectM Team
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public
* License as published by the Free Software Foundation; either
* version 2.1 of the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this library; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
* See 'LICENSE.txt' included within this release
*
*/
#include "RenderItemMatcher.hpp"
#include "RenderItemMergeFunction.hpp"
#include "fatal.h"
#include "Common.hpp"
#ifdef WIN32
#include "dirent.h"
#endif
#include "timer.h"
#include <iostream>
#ifdef __unix__
#include "time.h"
#endif
#ifdef WIN32
#include <time.h>
#endif
#include "PipelineContext.hpp"
#include <iostream>
#include "projectM.hpp"
#include "BeatDetect.hpp"
#include "Preset.hpp"
#include "PipelineMerger.hpp"
#include "PCM.hpp" //Sound data handler (buffering, FFT, etc.)
#include <map>
#include "Renderer.hpp"
#include "PresetChooser.hpp"
#include "ConfigFile.h"
#include "TextureManager.hpp"
#include "TimeKeeper.hpp"
#include "RenderItemMergeFunction.hpp"
#ifdef USE_THREADS
#include "pthread.h"
#include "BackgroundWorker.h"
pthread_t thread;
BackgroundWorkerSync worker_sync;
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_t preset_mutex;
#endif
#endif
namespace {
constexpr int kMaxSwitchRetries = 10;
}
projectM::~projectM()
{
#ifdef USE_THREADS
void *status;
worker_sync.finish_up();
pthread_join(thread, &status);
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_destroy( &preset_mutex );
#endif
std::cout << std::endl;
#endif
destroyPresetTools();
if ( renderer )
delete ( renderer );
if ( beatDetect )
delete ( beatDetect );
if ( _pcm ) {
delete ( _pcm );
_pcm = 0;
}
if(timeKeeper) {
delete timeKeeper;
timeKeeper = NULL;
}
delete(_pipelineContext);
delete(_pipelineContext2);
}
unsigned projectM::initRenderToTexture()
{
return renderer->initRenderToTexture();
}
void projectM::projectM_resetTextures()
{
renderer->ResetTextures();
}
projectM::projectM ( std::string config_file, int flags) :
renderer ( 0 ), _pcm(0), beatDetect ( 0 ), _pipelineContext(new PipelineContext()), _pipelineContext2(new PipelineContext()), m_presetPos(0),
timeKeeper(NULL), m_flags(flags), _matcher(NULL), _merger(NULL)
{
readConfig(config_file);
projectM_reset();
projectM_resetGL(_settings.windowWidth, _settings.windowHeight);
}
projectM::projectM(Settings settings, int flags):
renderer ( 0 ), _pcm(0), beatDetect ( 0 ), _pipelineContext(new PipelineContext()), _pipelineContext2(new PipelineContext()), m_presetPos(0),
timeKeeper(NULL), m_flags(flags), _matcher(NULL), _merger(NULL)
{
readSettings(settings);
projectM_reset();
projectM_resetGL(_settings.windowWidth, _settings.windowHeight);
}
bool projectM::writeConfig(const std::string & configFile, const Settings & settings) {
ConfigFile config ( configFile );
config.add("Mesh X", settings.meshX);
config.add("Mesh Y", settings.meshY);
config.add("Texture Size", settings.textureSize);
config.add("FPS", settings.fps);
config.add("Window Width", settings.windowWidth);
config.add("Window Height", settings.windowHeight);
config.add("Smooth Preset Duration", settings.smoothPresetDuration);
config.add("Preset Duration", settings.presetDuration);
config.add("Preset Path", settings.presetURL);
config.add("Title Font", settings.titleFontURL);
config.add("Menu Font", settings.menuFontURL);
config.add("Hard Cut Sensitivity", settings.beatSensitivity);
config.add("Aspect Correction", settings.aspectCorrection);
config.add("Easter Egg Parameter", settings.easterEgg);
config.add("Shuffle Enabled", settings.shuffleEnabled);
config.add("Soft Cut Ratings Enabled", settings.softCutRatingsEnabled);
std::fstream file(configFile.c_str());
if (file) {
file << config;
return true;
} else
return false;
}
void projectM::readConfig (const std::string & configFile )
{
std::cout << "[projectM] config file: " << configFile << std::endl;
ConfigFile config ( configFile );
_settings.meshX = config.read<int> ( "Mesh X", 32 );
_settings.meshY = config.read<int> ( "Mesh Y", 24 );
_settings.textureSize = config.read<int> ( "Texture Size", 512 );
_settings.fps = config.read<int> ( "FPS", 35 );
_settings.windowWidth = config.read<int> ( "Window Width", 512 );
_settings.windowHeight = config.read<int> ( "Window Height", 512 );
_settings.smoothPresetDuration = config.read<int>
( "Smooth Preset Duration", config.read<int>("Smooth Transition Duration", 10));
_settings.presetDuration = config.read<int> ( "Preset Duration", 15 );
#ifdef __unix__
_settings.presetURL = config.read<string> ( "Preset Path", "/usr/local/share/projectM/presets" );
#endif
#ifdef __APPLE__
/// @bug awful hardcoded hack- need to add intelligence to cmake wrt bundling - carm
_settings.presetURL = config.read<string> ( "Preset Path", "../Resources/presets" );
#endif
#ifdef WIN32
_settings.presetURL = config.read<string> ( "Preset Path", "/usr/local/share/projectM/presets" );
#endif
#ifdef __APPLE__
_settings.titleFontURL = config.read<string>
( "Title Font", "../Resources/fonts/Vera.tff");
_settings.menuFontURL = config.read<string>
( "Menu Font", "../Resources/fonts/VeraMono.ttf");
#endif
#ifdef __unix__
_settings.titleFontURL = config.read<string>
( "Title Font", "/usr/local/share/projectM/fonts/Vera.tff" );
_settings.menuFontURL = config.read<string>
( "Menu Font", "/usr/local/share/projectM/fonts/VeraMono.tff" );
#endif
#ifdef WIN32
_settings.titleFontURL = config.read<string>
( "Title Font", projectM_FONT_TITLE );
_settings.menuFontURL = config.read<string>
( "Menu Font", projectM_FONT_MENU );
#endif
_settings.shuffleEnabled = config.read<bool> ( "Shuffle Enabled", true);
_settings.easterEgg = config.read<float> ( "Easter Egg Parameter", 0.0);
_settings.softCutRatingsEnabled =
config.read<bool> ( "Soft Cut Ratings Enabled", false);
// Hard Cuts are preset transitions that occur when your music becomes louder. They only occur after a hard cut duration threshold has passed.
_settings.hardcutEnabled = config.read<bool> ( "Hard Cuts Enabled", false );
// Hard Cut duration is the number of seconds before you become eligible for a hard cut.
_settings.hardcutDuration = config.read<int> ( "Hard Cut Duration", 60 );
// Hard Cut sensitivity is the volume difference before a "hard cut" is triggered.
_settings.hardcutSensitivity = config.read<float> ( "Hard Cut Sensitivity", 1.0 );
// Beat Sensitivity impacts how reactive your visualizations are to volume, bass, mid-range, and treble.
// Preset authors have developed their visualizations with the default of 1.0.
_settings.beatSensitivity = config.read<float> ( "Beat Sensitivity", 1.0 );
projectM_init ( _settings.meshX, _settings.meshY, _settings.fps,
_settings.textureSize, _settings.windowWidth,_settings.windowHeight);
if ( config.read ( "Aspect Correction", true ) )
{
_settings.aspectCorrection = true;
renderer->correction = true;
}
else
{
_settings.aspectCorrection = false;
renderer->correction = false;
}
}
void projectM::readSettings (const Settings & settings )
{
_settings.meshX = settings.meshX;
_settings.meshY = settings.meshY;
_settings.textureSize = settings.textureSize;
_settings.fps = settings.fps;
_settings.windowWidth = settings.windowWidth;
_settings.windowHeight = settings.windowHeight;
_settings.smoothPresetDuration = settings.smoothPresetDuration;
_settings.presetDuration = settings.presetDuration;
_settings.softCutRatingsEnabled = settings.softCutRatingsEnabled;
_settings.presetURL = settings.presetURL;
_settings.titleFontURL = settings.titleFontURL;
_settings.menuFontURL = settings.menuFontURL;
_settings.shuffleEnabled = settings.shuffleEnabled;
_settings.datadir = settings.datadir;
_settings.easterEgg = settings.easterEgg;
_settings.hardcutEnabled = settings.hardcutEnabled;
_settings.hardcutDuration = settings.hardcutDuration;
_settings.hardcutSensitivity = settings.hardcutSensitivity;
_settings.beatSensitivity = settings.beatSensitivity;
projectM_init ( _settings.meshX, _settings.meshY, _settings.fps,
_settings.textureSize, _settings.windowWidth,_settings.windowHeight);
_settings.aspectCorrection = settings.aspectCorrection;
}
#ifdef USE_THREADS
static void *thread_callback(void *prjm)
{
projectM *p = (projectM *)prjm;
p->thread_func(prjm);
return NULL;
}
void *projectM::thread_func(void *vptr_args)
{
// printf("in thread: %f\n", timeKeeper->PresetProgressB());
while (true)
{
if (!worker_sync.wait_for_work())
return NULL;
evaluateSecondPreset();
worker_sync.finished_work();
}
}
#endif
void projectM::evaluateSecondPreset()
{
pipelineContext2().time = timeKeeper->GetRunningTime();
pipelineContext2().presetStartTime = timeKeeper->PresetTimeB();
pipelineContext2().frame = timeKeeper->PresetFrameB();
pipelineContext2().progress = timeKeeper->PresetProgressB();
m_activePreset2->Render(*beatDetect, pipelineContext2());
}
void projectM::renderFrame()
{
Pipeline pipeline;
Pipeline *comboPipeline;
comboPipeline = renderFrameOnlyPass1(&pipeline);
renderFrameOnlyPass2(comboPipeline,0,0,0);
projectM::renderFrameEndOnSeparatePasses(comboPipeline);
}
Pipeline * projectM::renderFrameOnlyPass1(Pipeline *pPipeline) /*pPipeline is a pointer to a Pipeline for use in pass 2. returns the pointer if it was used, else returns NULL */
{
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_lock(&preset_mutex);
#endif
#ifdef DEBUG
char fname[1024];
FILE *f = NULL;
int index = 0;
int x, y;
#endif
timeKeeper->UpdateTimers();
/*
if (timeKeeper->IsSmoothing())
{
printf("Smoothing A:%f, B:%f, S:%f\n", timeKeeper->PresetProgressA(), timeKeeper->PresetProgressB(), timeKeeper->SmoothRatio());
}
else
{
printf(" A:%f\n", timeKeeper->PresetProgressA());
}*/
mspf= ( int ) ( 1000.0/ ( float ) settings().fps ); //milliseconds per frame
/// @bug who is responsible for updating this now?"
pipelineContext().time = timeKeeper->GetRunningTime();
pipelineContext().presetStartTime = timeKeeper->PresetTimeA();
pipelineContext().frame = timeKeeper->PresetFrameA();
pipelineContext().progress = timeKeeper->PresetProgressA();
beatDetect->detectFromSamples();
//m_activePreset->evaluateFrame();
//if the preset isn't locked and there are more presets
if ( renderer->noSwitch==false && !m_presetChooser->empty() )
{
//if preset is done and we're not already switching
if ( timeKeeper->PresetProgressA()>=1.0 && !timeKeeper->IsSmoothing())
{
if (settings().shuffleEnabled)
selectRandom(false);
else
selectNext(false);
} else if (settings().hardcutEnabled && (beatDetect->vol-beatDetect->vol_old>settings().hardcutSensitivity) && timeKeeper->CanHardCut())
{
// Hard Cuts must be enabled, must have passed the hardcut duration, and the volume must be a greater difference than the hardcut sensitivity.
if (settings().shuffleEnabled)
selectRandom(true);
else
selectNext(true);
}
}
if ( timeKeeper->IsSmoothing() && timeKeeper->SmoothRatio() <= 1.0 && !m_presetChooser->empty() )
{
// printf("start thread\n");
assert ( m_activePreset2.get() );
#ifdef USE_THREADS
worker_sync.wake_up_bg();
#endif
m_activePreset->Render(*beatDetect, pipelineContext());
#ifdef USE_THREADS
worker_sync.wait_for_bg_to_finish();
#else
evaluateSecondPreset();
#endif
pPipeline->setStaticPerPixel(settings().meshX, settings().meshY);
assert(_matcher);
PipelineMerger::mergePipelines( m_activePreset->pipeline(),
m_activePreset2->pipeline(), *pPipeline,
_matcher->matchResults(),
*_merger, timeKeeper->SmoothRatio());
renderer->RenderFrameOnlyPass1(*pPipeline, pipelineContext());
return pPipeline;
}
else
{
if ( timeKeeper->IsSmoothing() && timeKeeper->SmoothRatio() > 1.0 )
{
//printf("End Smooth\n");
m_activePreset = std::move(m_activePreset2);
timeKeeper->EndSmoothing();
}
//printf("Normal\n");
m_activePreset->Render(*beatDetect, pipelineContext());
renderer->RenderFrameOnlyPass1 (m_activePreset->pipeline(), pipelineContext());
return NULL; // indicating no transition
}
// std::cout<< m_activePreset->absoluteFilePath()<<std::endl;
// renderer->presetName = m_activePreset->absoluteFilePath();
}
/* eye is 0,or 1, or who knows?*/
void projectM::renderFrameOnlyPass2(Pipeline *pPipeline,int xoffset,int yoffset,int eye) /*pPipeline can be null if we re not in transition */
{
/* eye is currently ignored */
#ifdef DEBUG
char fname[1024];
FILE *f = NULL;
int index = 0;
int x, y;
#endif
if (pPipeline)
// if ( timeKeeper->IsSmoothing() && timeKeeper->SmoothRatio() <= 1.0 && !m_presetChooser->empty() )
{
// printf("start thread\n");
assert ( m_activePreset2.get() );
/* was other stuff */
renderer->RenderFrameOnlyPass2(*pPipeline, pipelineContext(),xoffset,yoffset,eye);
}
else
{
renderer->RenderFrameOnlyPass2 (m_activePreset->pipeline(), pipelineContext(),xoffset,yoffset,eye);
}
}
void projectM::renderFrameEndOnSeparatePasses(Pipeline *pPipeline) {
if (pPipeline) {
// mergePipelines() sets masterAlpha for each RenderItem, reset it before we forget
for (RenderItem *drawable : pPipeline->drawables) {
drawable->masterAlpha = 1.0;
}
pPipeline->drawables.clear();
}
count++;
#ifndef WIN32
/** Frame-rate limiter */
/** Compute once per preset */
if ( this->count%100==0 )
{
this->renderer->realfps=100.0/ ( ( getTicks ( &timeKeeper->startTime )-this->fpsstart ) /1000 );
this->fpsstart=getTicks ( &timeKeeper->startTime );
}
#ifndef UNLOCK_FPS
int timediff = getTicks ( &timeKeeper->startTime )-this->timestart;
if ( timediff < this->mspf )
{
// printf("%s:",this->mspf-timediff);
int sleepTime = ( unsigned int ) ( this->mspf-timediff ) * 1000;
// DWRITE ( "usleep: %d\n", sleepTime );
if ( sleepTime > 0 && sleepTime < 100000 )
{
if ( usleep ( sleepTime ) != 0 ) {}}
}
this->timestart=getTicks ( &timeKeeper->startTime );
#endif
#endif /** !WIN32 */
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_unlock(&preset_mutex);
#endif
return;
}
void projectM::projectM_reset()
{
this->mspf = 0;
this->timed = 0;
this->timestart = 0;
this->count = 0;
this->fpsstart = 0;
projectM_resetengine();
}
void projectM::projectM_init ( int gx, int gy, int fps, int texsize, int width, int height )
{
/** Initialise start time */
timeKeeper = new TimeKeeper(_settings.presetDuration,_settings.smoothPresetDuration, _settings.hardcutDuration, _settings.easterEgg);
/** Nullify frame stash */
/** Initialise per-pixel matrix calculations */
/** We need to initialise this before the builtin param db otherwise bass/mid etc won't bind correctly */
assert ( !beatDetect );
if (!_pcm)
_pcm = new PCM();
assert(pcm());
beatDetect = new BeatDetect ( _pcm );
if ( _settings.fps > 0 )
mspf= ( int ) ( 1000.0/ ( float ) _settings.fps );
else mspf = 0;
this->renderer = new Renderer ( width, height, gx, gy, beatDetect, settings().presetURL, settings().titleFontURL, settings().menuFontURL, settings().datadir );
initPresetTools(gx, gy);
#ifdef USE_THREADS
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_init(&preset_mutex, NULL);
#endif
worker_sync.reset();
if (pthread_create(&thread, NULL, thread_callback, this) != 0)
{
std::cerr << "[projectM] failed to allocate a thread! try building with option USE_THREADS turned off" << std::endl;;
exit(EXIT_FAILURE);
}
#endif
/// @bug order of operatoins here is busted
//renderer->setPresetName ( m_activePreset->name() );
timeKeeper->StartPreset();
assert(pcm());
pipelineContext().fps = fps;
pipelineContext2().fps = fps;
}
/* Reinitializes the engine variables to a default (conservative and sane) value */
void projectM::projectM_resetengine()
{
if ( beatDetect != NULL )
{
beatDetect->reset();
beatDetect->beatSensitivity = _settings.beatSensitivity;
}
}
/** Resets OpenGL state */
void projectM::projectM_resetGL ( int w, int h )
{
/** sanity check **/
assert(w > 0);
assert(h > 0);
/** Stash the new dimensions */
_settings.windowWidth = w;
_settings.windowHeight = h;
renderer->reset ( w,h );
}
/** Sets the title to display */
void projectM::projectM_setTitle ( std::string title ) {
if ( title != renderer->title )
{
renderer->title=title;
renderer->drawtitle=1;
}
}
int projectM::initPresetTools(int gx, int gy)
{
/* Set the seed to the current time in seconds */
srand ( time ( NULL ) );
std::string url = (m_flags & FLAG_DISABLE_PLAYLIST_LOAD) ? std::string() : settings().presetURL;
if ( ( m_presetLoader = new PresetLoader ( gx, gy, url) ) == 0 )
{
m_presetLoader = 0;
std::cerr << "[projectM] error allocating preset loader" << std::endl;
return PROJECTM_FAILURE;
}
if ( ( m_presetChooser = new PresetChooser ( *m_presetLoader, settings().softCutRatingsEnabled ) ) == 0 )
{
delete ( m_presetLoader );
m_presetChooser = 0;
m_presetLoader = 0;
std::cerr << "[projectM] error allocating preset chooser" << std::endl;
return PROJECTM_FAILURE;
}
// Start the iterator
if (!m_presetPos)
m_presetPos = new PresetIterator();
// Initialize a preset queue position as well
// m_presetQueuePos = new PresetIterator();
// Start at end ptr- this allows next/previous to easily be done from this position.
*m_presetPos = m_presetChooser->end();
// Load idle preset
// std::cerr << "[projectM] Allocating idle preset..." << std::endl;
m_activePreset = m_presetLoader->loadPreset
("idle://Geiss & Sperl - Feedback (projectM idle HDR mix).milk");
renderer->setPresetName("Geiss & Sperl - Feedback (projectM idle HDR mix)");
populatePresetMenu();
renderer->SetPipeline(m_activePreset->pipeline());
// Case where no valid presets exist in directory. Could also mean
// playlist initialization was deferred
if (m_presetChooser->empty())
{
//std::cerr << "[projectM] warning: no valid files found in preset directory \""
///< m_presetLoader->directoryName() << "\"" << std::endl;
}
_matcher = new RenderItemMatcher();
_merger = new MasterRenderItemMerge();
//_merger->add(new WaveFormMergeFunction());
_merger->add(new ShapeMerge());
_merger->add(new BorderMerge());
//_merger->add(new BorderMergeFunction());
/// @bug These should be requested by the preset factories.
_matcher->distanceFunction().addMetric(new ShapeXYDistance());
//std::cerr << "[projectM] Idle preset allocated." << std::endl;
projectM_resetengine();
//std::cerr << "[projectM] engine has been reset." << std::endl;
return PROJECTM_SUCCESS;
}
void projectM::destroyPresetTools()
{
if ( m_presetPos )
delete ( m_presetPos );
m_presetPos = 0;
if ( m_presetChooser )
delete ( m_presetChooser );
m_presetChooser = 0;
if ( m_presetLoader )
delete ( m_presetLoader );
m_presetLoader = 0;
if (_matcher) {
delete _matcher;
_matcher = NULL;
}
if (_merger) {
delete _merger;
_merger = NULL;
}
}
/// @bug queuePreset case isn't handled
void projectM::removePreset(unsigned int index) {
size_t chooserIndex = **m_presetPos;
m_presetLoader->removePreset(index);
// Case: no more presets, set iterator to end
if (m_presetChooser->empty())
*m_presetPos = m_presetChooser->end();
// Case: chooser index has become one less due to removal of an index below it
else if (chooserIndex > index) {
chooserIndex--;
*m_presetPos = m_presetChooser->begin(chooserIndex);
}
// Case: we have deleted the active preset position
// Set iterator to end of chooser
else if (chooserIndex == index) {
*m_presetPos = m_presetChooser->end();
}
}
unsigned int projectM::addPresetURL ( const std::string & presetURL, const std::string & presetName, const RatingList & ratings)
{
bool restorePosition = false;
if (*m_presetPos == m_presetChooser->end())
restorePosition = true;
int index = m_presetLoader->addPresetURL ( presetURL, presetName, ratings);
if (restorePosition)
*m_presetPos = m_presetChooser->end();
return index;
}
void projectM::selectPreset(unsigned int index, bool hardCut)
{
if (m_presetChooser->empty())
return;
populatePresetMenu();
*m_presetPos = m_presetChooser->begin(index);
if(!startPresetTransition(hardCut)) {
selectRandom(hardCut);
}
}
// populatePresetMenu is called when a preset is loaded.
void projectM::populatePresetMenu()
{
if (renderer->showmenu) { // only track a preset list buffer if the preset menu is up.
renderer->m_presetList.clear(); // clear preset list buffer from renderer.
if(isTextInputActive()) {
// if a searchTerm is active, we will populate the preset menu with search terms instead of the page we are on.
int h = 0;
std::string presetName = renderer->presetName();
int presetIndex = getSearchIndex(presetName);
for(unsigned int i = 0; i < getPlaylistSize(); i++) { // loop over all presets
if (getPresetName(i).find(renderer->searchText()) != std::string::npos) { // if term matches
if (h < renderer->textMenuPageSize) // limit to just one page, pagination is not needed.
{
h++;
renderer->m_presetList.push_back({ h, getPresetName(i), "" }); // populate the renders preset list.
if (h == presetIndex)
{
renderer->m_activePresetID = h;
}
}
}
}
}
else {
// normal preset menu, based on pagination.
renderer->m_activePresetID = m_presetPos->lastIndex(); // tell renderer about the active preset ID (so it can be highlighted)
int page_start = 0;
if (m_presetPos->lastIndex() != m_presetLoader->size())
{
page_start = renderer->m_activePresetID; // if it's not the idle preset, then set it to the true value
}
if (page_start < renderer->textMenuPageSize) {
page_start = 0; // if we are on page 1, start at the first preset.
}
if (page_start % renderer->textMenuPageSize == 0) {
// if it's a perfect division of the page size, we are good.
}
else {
page_start = page_start - (page_start % renderer->textMenuPageSize); // if not, find closest divisable number for page start
}
int page_end = page_start + renderer->textMenuPageSize; // page end is page start + page size
while (page_start < page_end) {
renderer->m_presetList.push_back({ page_start, getPresetName(page_start), "" }); // populate the renders preset list.
page_start++;
}
}
}
}
bool projectM::startPresetTransition(bool hard_cut) {
std::unique_ptr<Preset> new_preset = switchToCurrentPreset();
if (new_preset == nullptr) {
presetSwitchFailedEvent(hard_cut, **m_presetPos, "fake error");
errorLoadingCurrentPreset = true;
populatePresetMenu();
return false;
}
if (hard_cut) {
m_activePreset = std::move(new_preset);
timeKeeper->StartPreset();
} else {
m_activePreset2 = std::move(new_preset);
timeKeeper->StartPreset();
timeKeeper->StartSmoothing();
}
presetSwitchedEvent(hard_cut, **m_presetPos);
errorLoadingCurrentPreset = false;
populatePresetMenu();
return true;
}
void projectM::selectRandom(const bool hardCut) {
if (m_presetChooser->empty())
return;
presetHistory.push_back(m_presetPos->lastIndex());
for(int i = 0; i < kMaxSwitchRetries; ++i) {
*m_presetPos = m_presetChooser->weightedRandom(hardCut);
if(startPresetTransition(hardCut)) {
break;
}
}
// If presetHistory is tracking more than 10, then delete the oldest entry so we cap to a history of 10.
if (presetHistory.size() >= 10)
presetHistory.erase(presetHistory.begin());
presetFuture.clear();
}
void projectM::selectPrevious(const bool hardCut) {
if (m_presetChooser->empty())
return;
if (isTextInputActive(true) && renderer->m_presetList.size() >= 1)
{
// if search menu is up, previous is based on search terms.
if (renderer->m_activePresetID <= 1) {
// loop to bottom of page is at top
renderer->m_activePresetID = renderer->m_presetList.size();
selectPresetByName(renderer->m_presetList[renderer->m_activePresetID - 1].name,true);
}
else {
// otherwise move back
renderer->m_activePresetID--;
selectPresetByName(renderer->m_presetList[renderer->m_activePresetID-1].name,true);
}
} else if (settings().shuffleEnabled && presetHistory.size() >= 1 && static_cast<std::size_t>(presetHistory.back()) != m_presetLoader->size() && !renderer->showmenu) { // if randomly browsing presets, "previous" should return to last random preset not the index--. Avoid returning to size() because that's the idle:// preset.
presetFuture.push_back(m_presetPos->lastIndex());
selectPreset(presetHistory.back());
presetHistory.pop_back();
}
else {
// if we are not shuffling or there is no random future history, then let's not track a random vector and move backwards in the preset index.
presetHistory.clear();
presetFuture.clear();
m_presetChooser->previousPreset(*m_presetPos);
if(!startPresetTransition(hardCut)) {
selectRandom(hardCut);
}
}
}
void projectM::selectNext(const bool hardCut) {
if (m_presetChooser->empty())
return;
if (isTextInputActive() && renderer->m_presetList.size() >= 1) // if search is active and there are search results
{
// if search menu is down, next is based on search terms.
if (static_cast<std::size_t>(renderer->m_activePresetID) >= renderer->m_presetList.size()) {
// loop to top of page is at bottom
renderer->m_activePresetID = 1;
selectPresetByName(renderer->m_presetList[0].name,true);
}
else {
// otherwise move forward
selectPresetByName(renderer->m_presetList[renderer->m_activePresetID].name,true);
}
} else if (settings().shuffleEnabled && presetFuture.size() >= 1 && static_cast<std::size_t>(presetFuture.front()) != m_presetLoader->size() && !renderer->showmenu) { // if shuffling and we have future presets already stashed then let's go forward rather than truely move randomly.
presetHistory.push_back(m_presetPos->lastIndex());
selectPreset(presetFuture.back());
presetFuture.pop_back();
}
else {
// if we are not shuffling or there is no random history, then let's not track a random vector and move forwards in the preset index.
presetFuture.clear();
presetHistory.clear();
m_presetChooser->nextPreset(*m_presetPos);
if(!startPresetTransition(hardCut)) {
selectRandom(hardCut);
}
}
}
/**
* Switches the pipeline and renderer to the current preset.
* @return the resulting Preset object, or nullptr on failure.
*/
std::unique_ptr<Preset> projectM::switchToCurrentPreset() {
std::unique_ptr<Preset> new_preset;
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_lock(&preset_mutex);
#endif
try {
new_preset = m_presetPos->allocate();
} catch (const PresetFactoryException &e) {
std::cerr << "problem allocating target preset: " << e.message()
<< std::endl;
}
if (new_preset == nullptr) {
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_unlock(&preset_mutex);
#endif
std::cerr << "Could not switch to current preset" << std::endl;
return nullptr;
}
// Set preset name here- event is not done because at the moment this function
// is oblivious to smooth/hard switches
renderer->setPresetName(new_preset->name());
std::string result = renderer->SetPipeline(new_preset->pipeline());
if (!result.empty()) {
std::cerr << "problem setting pipeline: " << result << std::endl;
}
#ifdef SYNC_PRESET_SWITCHES
pthread_mutex_unlock(&preset_mutex);
#endif
return new_preset;
}
void projectM::setPresetLock ( bool isLocked )
{
renderer->noSwitch = isLocked;
if (isPresetLocked()) {
renderer->setToastMessage("Preset Locked");
} else {
renderer->setToastMessage("Unlocked");
}
}
// check if search menu is up and you have search terms (2 chars). nomin means you don't care about search terms.
bool projectM::isTextInputActive( bool nomin ) const
{