-
Notifications
You must be signed in to change notification settings - Fork 227
/
Copy pathutil.cpp
1602 lines (1428 loc) · 68.9 KB
/
util.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
/******************************************************************************\
* Copyright (c) 2004-2024
*
* Author(s):
* Volker Fischer
*
******************************************************************************
*
* This program is free software; you can redistribute it and/or modify it under
* the terms of the GNU General Public License as published by the Free Software
* Foundation; either version 2 of the License, or (at your option) any later
* version.
*
* This program is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
* FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*
* You should have received a copy of the GNU General Public License along with
* this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA
*
\******************************************************************************/
#include "util.h"
/* Implementation *************************************************************/
// Input level meter implementation --------------------------------------------
void CStereoSignalLevelMeter::Update ( const CVector<short>& vecsAudio, const int iMonoBlockSizeSam, const bool bIsStereoIn )
{
// Get maximum of current block
//
// Speed optimization:
// - we only make use of the negative values and ignore the positive ones (since
// int16 has range {-32768, 32767}) -> we do not need to call the fabs() function
// - we only evaluate every third sample
//
// With these speed optimizations we might loose some information in
// special cases but for the average music signals the following code
// should give good results.
short sMinLOrMono = 0;
short sMinR = 0;
if ( bIsStereoIn )
{
// stereo in
for ( int i = 0; i < 2 * iMonoBlockSizeSam; i += 6 ) // 2 * 3 = 6 -> stereo
{
// left (or mono) and right channel
sMinLOrMono = std::min ( sMinLOrMono, vecsAudio[i] );
sMinR = std::min ( sMinR, vecsAudio[i + 1] );
}
// in case of mono out use minimum of both channels
if ( !bIsStereoOut )
{
sMinLOrMono = std::min ( sMinLOrMono, sMinR );
}
}
else
{
// mono in
for ( int i = 0; i < iMonoBlockSizeSam; i += 3 )
{
sMinLOrMono = std::min ( sMinLOrMono, vecsAudio[i] );
}
}
// apply smoothing, if in stereo out mode, do this for two channels
dCurLevelLOrMono = UpdateCurLevel ( dCurLevelLOrMono, -sMinLOrMono );
if ( bIsStereoOut )
{
dCurLevelR = UpdateCurLevel ( dCurLevelR, -sMinR );
}
}
double CStereoSignalLevelMeter::UpdateCurLevel ( double dCurLevel, const double dMax )
{
// decrease max with time
if ( dCurLevel >= METER_FLY_BACK )
{
dCurLevel *= dSmoothingFactor;
}
else
{
dCurLevel = 0;
}
// update current level -> only use maximum
if ( dMax > dCurLevel )
{
return dMax;
}
else
{
return dCurLevel;
}
}
double CStereoSignalLevelMeter::CalcLogResultForMeter ( const double& dLinearLevel )
{
const double dNormLevel = dLinearLevel / _MAXSHORT;
// logarithmic measure
double dLevelForMeterdB = -100000.0; // large negative value
if ( dNormLevel > 0 )
{
dLevelForMeterdB = 20.0 * log10 ( dNormLevel );
}
// map to signal level meter (linear transformation of the input
// level range to the level meter range)
dLevelForMeterdB -= LOW_BOUND_SIG_METER;
dLevelForMeterdB *= NUM_STEPS_LED_BAR / ( UPPER_BOUND_SIG_METER - LOW_BOUND_SIG_METER );
if ( dLevelForMeterdB < 0 )
{
dLevelForMeterdB = 0;
}
return dLevelForMeterdB;
}
// CRC -------------------------------------------------------------------------
void CCRC::Reset()
{
// init state shift-register with ones. Set all registers to "1" with
// bit-wise not operation
iStateShiftReg = ~uint32_t ( 0 );
}
void CCRC::AddByte ( const uint8_t byNewInput )
{
for ( int i = 0; i < 8; i++ )
{
// shift bits in shift-register for transition
iStateShiftReg <<= 1;
// take bit, which was shifted out of the register-size and place it
// at the beginning (LSB)
// (If condition is not satisfied, implicitly a "0" is added)
if ( ( iStateShiftReg & iBitOutMask ) > 0 )
{
iStateShiftReg |= 1;
}
// add new data bit to the LSB
if ( ( byNewInput & ( 1 << ( 8 - i - 1 ) ) ) > 0 )
{
iStateShiftReg ^= 1;
}
// add mask to shift-register if first bit is true
if ( iStateShiftReg & 1 )
{
iStateShiftReg ^= iPoly;
}
}
}
uint32_t CCRC::GetCRC()
{
// return inverted shift-register (1's complement)
iStateShiftReg = ~iStateShiftReg;
// remove bit which where shifted out of the shift-register frame
return iStateShiftReg & ( iBitOutMask - 1 );
}
// CHighPrecisionTimer implementation ******************************************
#ifdef _WIN32
CHighPrecisionTimer::CHighPrecisionTimer ( const bool bNewUseDoubleSystemFrameSize ) : bUseDoubleSystemFrameSize ( bNewUseDoubleSystemFrameSize )
{
// add some error checking, the high precision timer implementation only
// supports 64 and 128 samples frame size at 48 kHz sampling rate
# if ( SYSTEM_FRAME_SIZE_SAMPLES != 64 ) && ( DOUBLE_SYSTEM_FRAME_SIZE_SAMPLES != 128 )
# error "Only system frame size of 64 and 128 samples is supported by this module"
# endif
# if ( SYSTEM_SAMPLE_RATE_HZ != 48000 )
# error "Only a system sample rate of 48 kHz is supported by this module"
# endif
// Since QT only supports a minimum timer resolution of 1 ms but for our
// server we require a timer interval of 2.333 ms for 128 samples
// frame size at 48 kHz sampling rate.
// To support this interval, we use a timer with 2 ms resolution for 128
// samples frame size and 1 ms resolution for 64 samples frame size.
// Then we fire the actual frame timer if the error to the actual
// required interval is minimum.
veciTimeOutIntervals.Init ( 3 );
// for 128 sample frame size at 48 kHz sampling rate with 2 ms timer resolution:
// actual intervals: 0.0 2.666 5.333 8.0
// quantized to 2 ms: 0 2 6 8 (0)
// for 64 sample frame size at 48 kHz sampling rate with 1 ms timer resolution:
// actual intervals: 0.0 1.333 2.666 4.0
// quantized to 2 ms: 0 1 3 4 (0)
veciTimeOutIntervals[0] = 0;
veciTimeOutIntervals[1] = 1;
veciTimeOutIntervals[2] = 0;
Timer.setTimerType ( Qt::PreciseTimer );
// connect timer timeout signal
QObject::connect ( &Timer, &QTimer::timeout, this, &CHighPrecisionTimer::OnTimer );
}
void CHighPrecisionTimer::Start()
{
// reset position pointer and counter
iCurPosInVector = 0;
iIntervalCounter = 0;
if ( bUseDoubleSystemFrameSize )
{
// start internal timer with 2 ms resolution for 128 samples frame size
Timer.start ( 2 );
}
else
{
// start internal timer with 1 ms resolution for 64 samples frame size
Timer.start ( 1 );
}
}
void CHighPrecisionTimer::Stop()
{
// stop timer
Timer.stop();
}
void CHighPrecisionTimer::OnTimer()
{
// check if maximum number of high precision timer intervals are
// finished
if ( veciTimeOutIntervals[iCurPosInVector] == iIntervalCounter )
{
// reset interval counter
iIntervalCounter = 0;
// go to next position in vector, take care of wrap around
iCurPosInVector++;
if ( iCurPosInVector == veciTimeOutIntervals.Size() )
{
iCurPosInVector = 0;
}
// minimum time error to actual required timer interval is reached,
// emit signal for server
emit timeout();
}
else
{
// next high precision timer interval
iIntervalCounter++;
}
}
#else // Mac and Linux
CHighPrecisionTimer::CHighPrecisionTimer ( const bool bUseDoubleSystemFrameSize ) : bRun ( false )
{
// calculate delay in ns
uint64_t iNsDelay;
if ( bUseDoubleSystemFrameSize )
{
iNsDelay = ( (uint64_t) DOUBLE_SYSTEM_FRAME_SIZE_SAMPLES * 1000000000 ) / (uint64_t) SYSTEM_SAMPLE_RATE_HZ; // in ns
}
else
{
iNsDelay = ( (uint64_t) SYSTEM_FRAME_SIZE_SAMPLES * 1000000000 ) / (uint64_t) SYSTEM_SAMPLE_RATE_HZ; // in ns
}
# if defined( __APPLE__ ) || defined( __MACOSX )
// calculate delay in mach absolute time
struct mach_timebase_info timeBaseInfo;
mach_timebase_info ( &timeBaseInfo );
Delay = ( iNsDelay * (uint64_t) timeBaseInfo.denom ) / (uint64_t) timeBaseInfo.numer;
# else
// set delay
Delay = iNsDelay;
# endif
}
void CHighPrecisionTimer::Start()
{
// only start if not already running
if ( !bRun )
{
// set run flag
bRun = true;
// set initial end time
# if defined( __APPLE__ ) || defined( __MACOSX )
NextEnd = mach_absolute_time() + Delay;
# else
clock_gettime ( CLOCK_MONOTONIC, &NextEnd );
NextEnd.tv_nsec += Delay;
if ( NextEnd.tv_nsec >= 1000000000L )
{
NextEnd.tv_sec++;
NextEnd.tv_nsec -= 1000000000L;
}
# endif
// start thread
QThread::start ( QThread::TimeCriticalPriority );
}
}
void CHighPrecisionTimer::Stop()
{
// set flag so that thread can leave the main loop
bRun = false;
// give thread some time to terminate
wait ( 5000 );
}
void CHighPrecisionTimer::run()
{
// loop until the thread shall be terminated
while ( bRun )
{
// call processing routine by fireing signal
//### TODO: BEGIN ###//
// by emit a signal we leave the high priority thread -> maybe use some
// other connection type to have something like a true callback, e.g.
// "Qt::DirectConnection" -> Can this work?
emit timeout();
//### TODO: END ###//
// now wait until the next buffer shall be processed (we
// use the "increment method" to make sure we do not introduce
// a timing drift)
# if defined( __APPLE__ ) || defined( __MACOSX )
mach_wait_until ( NextEnd );
NextEnd += Delay;
# else
clock_nanosleep ( CLOCK_MONOTONIC, TIMER_ABSTIME, &NextEnd, NULL );
NextEnd.tv_nsec += Delay;
if ( NextEnd.tv_nsec >= 1000000000L )
{
NextEnd.tv_sec++;
NextEnd.tv_nsec -= 1000000000L;
}
# endif
}
}
#endif
/******************************************************************************\
* GUI Utilities *
\******************************************************************************/
// About dialog ----------------------------------------------------------------
#ifndef HEADLESS
CAboutDlg::CAboutDlg ( QWidget* parent ) : CBaseDlg ( parent )
{
setupUi ( this );
// general description of software
txvAbout->setText ( "<p>" +
tr ( "This app enables musicians to perform real-time jam sessions "
"over the internet." ) +
"<br>" +
tr ( "There is a server which collects "
" the audio data from each client, mixes the audio data and sends the mix "
" back to each client." ) +
"</p>"
"<p><font face=\"courier\">" // GPL header text
"This program is free software; you can redistribute it and/or modify "
"it under the terms of the GNU General Public License as published by "
"the Free Software Foundation; either version 2 of the License, or "
"(at your option) any later version.<br>This program is distributed in "
"the hope that it will be useful, but WITHOUT ANY WARRANTY; without "
"even the implied warranty of MERCHANTABILITY or FITNESS FOR A "
"PARTICULAR PURPOSE. See the GNU General Public License for more "
"details.<br>You should have received a copy of the GNU General Public "
"License along with his program; if not, write to the Free Software "
"Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 "
"USA"
"</font></p>" );
// libraries used by this compilation
txvLibraries->setText ( tr ( "This app uses the following libraries, resources or code snippets:" ) + "<p>" +
tr ( "Qt cross-platform application framework" ) + QString ( " %1 " ).arg ( QT_VERSION_STR ) + tr ( "(build)" ) +
QString ( ", %1 " ).arg ( qVersion() ) + tr ( "(runtime)" ) +
", <i><a href=\"https://www.qt.io\">https://www.qt.io</a></i>"
"</p>"
"<p>"
"Opus Interactive Audio Codec"
", <i><a href=\"https://www.opus-codec.org\">https://www.opus-codec.org</a></i>"
"</p>"
# ifndef SERVER_ONLY
# if defined( _WIN32 ) && !defined( WITH_JACK )
"<p>"
"ASIO (Audio Stream I/O) SDK"
", <i><a href=\"https://www.steinberg.net/developers/\">https://www.steinberg.net/developers</a></i>"
"<br>"
"ASIO is a trademark and software of Steinberg Media Technologies GmbH"
"</p>"
# endif
# ifndef HEADLESS
"<p>" +
tr ( "Audio reverberation code by Perry R. Cook and Gary P. Scavone" ) +
", 1995 - 2021"
", The Synthesis ToolKit in C++ (STK)"
", <i><a href=\"https://ccrma.stanford.edu/software/stk\">https://ccrma.stanford.edu/software/stk</a></i>"
"</p>"
"<p>" +
QString ( tr ( "Some pixmaps are from the %1" ) ).arg ( "Open Clip Art Library (OCAL)" ) +
", <i><a href=\"https://openclipart.org\">https://openclipart.org</a></i>"
"</p>"
"<p>" +
tr ( "Flag icons by Mark James" ) +
", <i><a href=\"http://www.famfamfam.com\">http://www.famfamfam.com</a></i>"
"</p>"
"<p>" +
QString ( tr ( "Some sound samples are from %1" ) ).arg ( "Freesound" ) +
", <i><a href=\"https://freesound.org\">https://freesound.org</a></i>"
"</p>"
# endif
# endif
);
// contributors list
txvContributors->setText (
"<p>Volker Fischer (<a href=\"https://github.com/corrados\">corrados</a>)</p>"
"<p>Peter L. Jones (<a href=\"https://github.com/pljones\">pljones</a>)</p>"
"<p>Jonathan Baker-Bates (<a href=\"https://github.com/gilgongo\">gilgongo</a>)</p>"
"<p>ann0see (<a href=\"https://github.com/ann0see\">ann0see</a>)</p>"
"<p>Daniele Masato (<a href=\"https://github.com/doloopuntil\">doloopuntil</a>)</p>"
"<p>Martin Schilde (<a href=\"https://github.com/geheimerEichkater\">geheimerEichkater</a>)</p>"
"<p>Simon Tomlinson (<a href=\"https://github.com/sthenos\">sthenos</a>)</p>"
"<p>Marc jr. Landolt (<a href=\"https://github.com/braindef\">braindef</a>)</p>"
"<p>Olivier Humbert (<a href=\"https://github.com/trebmuh\">trebmuh</a>)</p>"
"<p>Tarmo Johannes (<a href=\"https://github.com/tarmoj\">tarmoj</a>)</p>"
"<p>mirabilos (<a href=\"https://github.com/mirabilos\">mirabilos</a>)</p>"
"<p>Hector Martin (<a href=\"https://github.com/marcan\">marcan</a>)</p>"
"<p>newlaurent62 (<a href=\"https://github.com/newlaurent62\">newlaurent62</a>)</p>"
"<p>AronVietti (<a href=\"https://github.com/AronVietti\">AronVietti</a>)</p>"
"<p>Emlyn Bolton (<a href=\"https://github.com/emlynmac\">emlynmac</a>)</p>"
"<p>Jos van den Oever (<a href=\"https://github.com/vandenoever\">vandenoever</a>)</p>"
"<p>Tormod Volden (<a href=\"https://github.com/tormodvolden\">tormodvolden</a>)</p>"
"<p>Alberstein8 (<a href=\"https://github.com/Alberstein8\">Alberstein8</a>)</p>"
"<p>Gauthier Fleutot Östervall (<a href=\"https://github.com/fleutot\">fleutot</a>)</p>"
"<p>Tony Mountifield (<a href=\"https://github.com/softins\">softins</a>)</p>"
"<p>HPS (<a href=\"https://github.com/hselasky\">hselasky</a>)</p>"
"<p>Stanislas Michalak (<a href=\"https://github.com/stanislas-m\">stanislas-m</a>)</p>"
"<p>JP Cimalando (<a href=\"https://github.com/jpcima\">jpcima</a>)</p>"
"<p>Adam Sampson (<a href=\"https://github.com/atsampson\">atsampson</a>)</p>"
"<p>Jakob Jarmar (<a href=\"https://github.com/jarmar\">jarmar</a>)</p>"
"<p>Stefan Weil (<a href=\"https://github.com/stweil\">stweil</a>)</p>"
"<p>Nils Brederlow (<a href=\"https://github.com/dingodoppelt\">dingodoppelt</a>)</p>"
"<p>Sebastian Krzyszkowiak (<a href=\"https://github.com/dos1\">dos1</a>)</p>"
"<p>Bryan Flamig (<a href=\"https://github.com/bflamig\">bflamig</a>)</p>"
"<p>Kris Raney (<a href=\"https://github.com/kraney\">kraney</a>)</p>"
"<p>dszgit (<a href=\"https://github.com/dszgit\">dszgit</a>)</p>"
"<p>nefarius2001 (<a href=\"https://github.com/nefarius2001\">nefarius2001</a>)</p>"
"<p>jc-Rosichini (<a href=\"https://github.com/jc-Rosichini\">jc-Rosichini</a>)</p>"
"<p>Julian Santander (<a href=\"https://github.com/j-santander\">j-santander</a>)</p>"
"<p>chigkim (<a href=\"https://github.com/chigkim\">chigkim</a>)</p>"
"<p>Bodo (<a href=\"https://github.com/bomm\">bomm</a>)</p>"
"<p>Christian Hoffmann (<a href=\"https://github.com/hoffie\">hoffie</a>)</p>"
"<p>jp8 (<a href=\"https://github.com/jp8\">jp8</a>)</p>"
"<p>James (<a href=\"https://github.com/jdrage\">jdrage</a>)</p>"
"<p>ranfdev (<a href=\"https://github.com/ranfdev\">ranfdev</a>)</p>"
"<p>bspeer (<a href=\"https://github.com/bspeer\">bspeer</a>)</p>"
"<p>Martin Passing (<a href=\"https://github.com/passing\">passing</a>)</p>"
"<p>DonC (<a href=\"https://github.com/dcorson-ticino-com\">dcorson-ticino-com</a>)</p>"
"<p>David Kastrup (<a href=\"https://github.com/dakhubgit\">dakhubgit</a>)</p>"
"<p>Jordan Lum (<a href=\"https://github.com/mulyaj\">mulyaj</a>)</p>"
"<p>Noam Postavsky (<a href=\"https://github.com/npostavs\">npostavs</a>)</p>"
"<p>David Savinkoff (<a href=\"https://github.com/DavidSavinkoff\">DavidSavinkoff</a>)</p>"
"<p>Johannes Brauers (<a href=\"https://github.com/JohannesBrx\">JohannesBrx</a>)</p>"
"<p>Henk De Groot (<a href=\"https://github.com/henkdegroot\">henkdegroot</a>)</p>"
"<p>Ferenc Wágner (<a href=\"https://github.com/wferi\">wferi</a>)</p>"
"<p>Martin Kaistra (<a href=\"https://github.com/djfun\">djfun</a>)</p>"
"<p>Burkhard Volkemer (<a href=\"https://github.com/buv\">buv</a>)</p>"
"<p>Magnus Groß (<a href=\"https://github.com/vimpostor\">vimpostor</a>)</p>"
"<p>Julien Taverna (<a href=\"https://github.com/jujudusud\">jujudusud</a>)</p>"
"<p>Detlef Hennings (<a href=\"https://github.com/DetlefHennings\">DetlefHennings</a>)</p>"
"<p>drummer1154 (<a href=\"https://github.com/drummer1154\">drummer1154</a>)</p>"
"<p>helgeerbe (<a href=\"https://github.com/helgeerbe\">helgeerbe</a>)</p>"
"<p>Hk1020 (<a href=\"https://github.com/Hk1020\">Hk1020</a>)</p>"
"<p>Jeroen van Veldhuizen (<a href=\"https://github.com/jeroenvv\">jeroenvv</a>)</p>"
"<p>Reinhard (<a href=\"https://github.com/reinhardwh\">reinhardwh</a>)</p>"
"<p>Stefan Menzel (<a href=\"https://github.com/menzels\">menzels</a>)</p>"
"<p>Dau Huy Ngoc (<a href=\"https://github.com/ngocdh\">ngocdh</a>)</p>"
"<p>Jiri Popek (<a href=\"https://github.com/jardous\">jardous</a>)</p>"
"<p>Gary Wang (<a href=\"https://github.com/BLumia\">BLumia</a>)</p>"
"<p>RobyDati (<a href=\"https://github.com/RobyDati\">RobyDati</a>)</p>"
"<p>Rob-NY (<a href=\"https://github.com/Rob-NY\">Rob-NY</a>)</p>"
"<p>Thai Pangsakulyanont (<a href=\"https://github.com/dtinth\">dtinth</a>)</p>"
"<p>Peter Goderie (<a href=\"https://github.com/pgScorpio\">pgScorpio</a>)</p>"
"<p>Dan Garton (<a href=\"https://github.com/danryu\">danryu</a>)</p>"
"<br>" +
tr ( "For details on the contributions check out the %1" )
.arg ( "<a href=\"https://github.com/jamulussoftware/jamulus/graphs/contributors\">" + tr ( "Github Contributors list" ) + "</a>." ) );
// translators
txvTranslation->setText ( "<p><b>" + tr ( "Spanish" ) +
"</b></p>"
"<p>Daryl Hanlon (<a href=\"https://github.com/ignotus666\">ignotus666</a>)</p>"
"<p><b>" +
tr ( "French" ) +
"</b></p>"
"<p>Olivier Humbert (<a href=\"https://github.com/trebmuh\">trebmuh</a>)</p>"
"<p>Julien Taverna (<a href=\"https://github.com/jujudusud\">jujudusud</a>)</p>"
"<p><b>" +
tr ( "Portuguese" ) +
"</b></p>"
"<p>Miguel de Matos (<a href=\"https://github.com/Snayler\">Snayler</a>)</p>"
"<p>Melcon Moraes (<a href=\"https://github.com/melcon\">melcon</a>)</p>"
"<p>Manuela Silva (<a href=\"https://hosted.weblate.org/user/mansil/\">mansil</a>)</p>"
"<p>gbonaspetti (<a href=\"https://hosted.weblate.org/user/gbonaspetti/\">gbonaspetti</a>)</p>"
"<p><b>" +
tr ( "Dutch" ) +
"</b></p>"
"<p>Jeroen Geertzen (<a href=\"https://github.com/jerogee\">jerogee</a>)</p>"
"<p>Henk De Groot (<a href=\"https://github.com/henkdegroot\">henkdegroot</a>)</p>"
"<p><b>" +
tr ( "Italian" ) +
"</b></p>"
"<p>Giuseppe Sapienza (<a href=\"https://github.com/dzpex\">dzpex</a>)</p>"
"<p><b>" +
tr ( "German" ) +
"</b></p>"
"<p>Volker Fischer (<a href=\"https://github.com/corrados\">corrados</a>)</p>"
"<p>Roland Moschel (<a href=\"https://github.com/rolamos\">rolamos</a>)</p>"
"<p><b>" +
tr ( "Polish" ) +
"</b></p>"
"<p>Martyna Danysz (<a href=\"https://github.com/Martyna27\">Martyna27</a>)</p>"
"<p>Tomasz Bojczuk (<a href=\"https://github.com/SeeLook\">SeeLook</a>)</p>"
"<p><b>" +
tr ( "Swedish" ) +
"</b></p>"
"<p>Daniel (<a href=\"https://github.com/genesisproject2020\">genesisproject2020</a>)</p>"
"<p>tygyh (<a href=\"https://github.com/tygyh\">tygyh</a>)</p>"
"<p>Allan Nordhøy (<a href=\"https://hosted.weblate.org/user/kingu/\">kingu</a>)</p>"
"<p><b>" +
tr ( "Korean" ) +
"</b></p>"
"<p>Jung-Kyu Park (<a href=\"https://github.com/bagjunggyu\">bagjunggyu</a>)</p>"
"<p>이정희 (<a href=\"https://hosted.weblate.org/user/MarongHappy/\">MarongHappy</a>)</p>"
"<p><b>" +
tr ( "Slovak" ) +
"</b></p>"
"<p>Jose Riha (<a href=\"https://github.com/jose1711\">jose1711</a>)</p>" +
"<p><b>" + tr ( "Simplified Chinese" ) +
"</b></p>"
"<p>Gary Wang (<a href=\"https://github.com/BLumia\">BLumia</a>)</p>" +
"<p><b>" + tr ( "Norwegian Bokmål" ) +
"</b></p>"
"<p>Allan Nordhøy (<a href=\"https://hosted.weblate.org/user/kingu/\">kingu</a>)</p>" );
// set version number in about dialog
lblVersion->setText ( GetVersionAndNameStr() );
// set window title
setWindowTitle ( tr ( "About %1" ).arg ( APP_NAME ) );
//### TODO: BEGIN ###//
// Test if the window also needs to be maximized on Android.
// Android has not been tested
# if defined( ANDROID ) || defined( Q_OS_IOS )
// for mobile version maximize the window
setWindowState ( Qt::WindowMaximized );
# endif
//### TODO: END ###//
}
// Licence dialog --------------------------------------------------------------
CLicenceDlg::CLicenceDlg ( QWidget* parent ) : CBaseDlg ( parent )
{
/*
The licence dialog is structured as follows:
- text box with the licence text on the top
- check box: I &agree to the above licence terms
- Accept button (disabled if check box not checked)
- Decline button
*/
setWindowIcon ( QIcon ( QString::fromUtf8 ( ":/png/main/res/fronticon.png" ) ) );
QVBoxLayout* pLayout = new QVBoxLayout ( this );
QHBoxLayout* pSubLayout = new QHBoxLayout;
QLabel* lblLicence =
new QLabel ( tr ( "This server requires you accept conditions before you can join. Please read these in the chat window." ), this );
QCheckBox* chbAgree = new QCheckBox ( tr ( "I have read the conditions and &agree." ), this );
butAccept = new QPushButton ( tr ( "Accept" ), this );
QPushButton* butDecline = new QPushButton ( tr ( "Decline" ), this );
pSubLayout->addStretch();
pSubLayout->addWidget ( chbAgree );
pSubLayout->addWidget ( butAccept );
pSubLayout->addWidget ( butDecline );
pLayout->addWidget ( lblLicence );
pLayout->addLayout ( pSubLayout );
// set some properties
butAccept->setEnabled ( false );
butAccept->setDefault ( true );
QObject::connect ( chbAgree, &QCheckBox::stateChanged, this, &CLicenceDlg::OnAgreeStateChanged );
QObject::connect ( butAccept, &QPushButton::clicked, this, &CLicenceDlg::accept );
QObject::connect ( butDecline, &QPushButton::clicked, this, &CLicenceDlg::reject );
}
// Help menu -------------------------------------------------------------------
CHelpMenu::CHelpMenu ( const bool bIsClient, QWidget* parent ) : QMenu ( tr ( "&Help" ), parent )
{
QAction* pAction;
// standard help menu consists of about and what's this help
if ( bIsClient )
{
addAction ( tr ( "Getting &Started..." ), this, SLOT ( OnHelpClientGetStarted() ) );
addAction ( tr ( "Software &Manual..." ), this, SLOT ( OnHelpSoftwareMan() ) );
}
else
{
addAction ( tr ( "Getting &Started..." ), this, SLOT ( OnHelpServerGetStarted() ) );
}
addSeparator();
addAction ( tr ( "What's &This" ), this, SLOT ( OnHelpWhatsThis() ), QKeySequence ( Qt::SHIFT + Qt::Key_F1 ) );
addSeparator();
pAction = addAction ( tr ( "&About Jamulus..." ), this, SLOT ( OnHelpAbout() ) );
pAction->setMenuRole ( QAction::AboutRole ); // required for Mac
pAction = addAction ( tr ( "About &Qt..." ), this, SLOT ( OnHelpAboutQt() ) );
pAction->setMenuRole ( QAction::AboutQtRole ); // required for Mac
}
// Language combo box ----------------------------------------------------------
CLanguageComboBox::CLanguageComboBox ( QWidget* parent ) : QComboBox ( parent ), iIdxSelectedLanguage ( INVALID_INDEX )
{
// This requires a Qt::QueuedConnection on iOS due to https://bugreports.qt.io/browse/QTBUG-64577
QObject::connect ( this,
static_cast<void ( QComboBox::* ) ( int )> ( &QComboBox::activated ),
this,
&CLanguageComboBox::OnLanguageActivated,
Qt::QueuedConnection );
}
void CLanguageComboBox::Init ( QString& strSelLanguage )
{
// load available translations
const QMap<QString, QString> TranslMap = CLocale::GetAvailableTranslations();
QMapIterator<QString, QString> MapIter ( TranslMap );
// add translations to the combobox list
clear();
int iCnt = 0;
int iIdxOfEnglishLanguage = 0;
iIdxSelectedLanguage = INVALID_INDEX;
while ( MapIter.hasNext() )
{
MapIter.next();
addItem ( QLocale ( MapIter.key() ).nativeLanguageName() + " (" + MapIter.key() + ")", MapIter.key() );
// store the combo box index of the default english language
if ( MapIter.key().compare ( "en" ) == 0 )
{
iIdxOfEnglishLanguage = iCnt;
}
// if the selected language is found, store the combo box index
if ( MapIter.key().compare ( strSelLanguage ) == 0 )
{
iIdxSelectedLanguage = iCnt;
}
iCnt++;
}
// if the selected language was not found, use the english language
if ( iIdxSelectedLanguage == INVALID_INDEX )
{
strSelLanguage = "en";
iIdxSelectedLanguage = iIdxOfEnglishLanguage;
}
setCurrentIndex ( iIdxSelectedLanguage );
}
void CLanguageComboBox::OnLanguageActivated ( int iLanguageIdx )
{
// only update if the language selection is different from the current selected language
if ( iIdxSelectedLanguage != iLanguageIdx )
{
QMessageBox::information ( this, tr ( "Restart Required" ), tr ( "Please restart the application for the language change to take effect." ) );
emit LanguageChanged ( itemData ( iLanguageIdx ).toString() );
}
}
QSize CMinimumStackedLayout::sizeHint() const
{
// always use the size of the currently visible widget:
if ( currentWidget() )
{
return currentWidget()->sizeHint();
}
return QStackedLayout::sizeHint();
}
#endif
/******************************************************************************\
* Other Classes *
\******************************************************************************/
// Network utility functions ---------------------------------------------------
bool NetworkUtil::ParseNetworkAddressString ( QString strAddress, QHostAddress& InetAddr, bool bEnableIPv6 )
{
// try to get host by name, assuming
// that the string contains a valid host name string or IP address
const QHostInfo HostInfo = QHostInfo::fromName ( strAddress );
if ( HostInfo.error() != QHostInfo::NoError )
{
// qInfo() << qUtf8Printable ( QString ( "Invalid hostname" ) );
return false; // invalid address
}
foreach ( const QHostAddress HostAddr, HostInfo.addresses() )
{
// qInfo() << qUtf8Printable ( QString ( "Resolved network address to %1 for proto %2" ) .arg ( HostAddr.toString() ) .arg (
// HostAddr.protocol() ) );
if ( HostAddr.protocol() == QAbstractSocket::IPv4Protocol || ( bEnableIPv6 && HostAddr.protocol() == QAbstractSocket::IPv6Protocol ) )
{
InetAddr = HostAddr;
return true;
}
}
return false;
}
#ifndef CLIENT_NO_SRV_CONNECT
bool NetworkUtil::ParseNetworkAddressSrv ( QString strAddress, CHostAddress& HostAddress, bool bEnableIPv6 )
{
// init requested host address with invalid address first
HostAddress = CHostAddress();
QRegularExpression plainHostRegex ( "^([^\\[:0-9.][^:]*)$" );
if ( plainHostRegex.match ( strAddress ).capturedStart() != 0 )
{
// not a plain hostname? then don't attempt SRV lookup and fail
// immediately.
return false;
}
QDnsLookup* dns = new QDnsLookup();
dns->setType ( QDnsLookup::SRV );
dns->setName ( QString ( "_jamulus._udp.%1" ).arg ( strAddress ) );
dns->lookup();
// QDnsLookup::lookup() works asynchronously. Therefore, wait for
// it to complete here by resuming the main loop here.
// This is not nice and blocks the UI, but is similar to what
// the regular resolve function does as well.
QTime dieTime = QTime::currentTime().addMSecs ( DNS_SRV_RESOLVE_TIMEOUT_MS );
while ( QTime::currentTime() < dieTime && !dns->isFinished() )
{
QCoreApplication::processEvents ( QEventLoop::ExcludeUserInputEvents, 100 );
}
QList<QDnsServiceRecord> records = dns->serviceRecords();
dns->deleteLater();
if ( records.length() != 1 )
{
return false;
}
QDnsServiceRecord record = records.first();
if ( record.target() == "." || record.target() == "" )
{
// RFC2782 says that "." indicates that the service is not available.
// Qt strips the trailing dot, which is why we check for empty string
// as well. Therefore, the "." part might be redundant, but this would
// need further testing to confirm.
// End processing here (= return true), but pass back an
// invalid HostAddress to let the connect logic fail properly.
HostAddress = CHostAddress ( QHostAddress ( "." ), 0 );
return true;
}
qDebug() << qUtf8Printable (
QString ( "resolved %1 to a single SRV record: %2:%3" ).arg ( strAddress ).arg ( record.target() ).arg ( record.port() ) );
QHostAddress InetAddr;
if ( ParseNetworkAddressString ( record.target(), InetAddr, bEnableIPv6 ) )
{
HostAddress = CHostAddress ( InetAddr, record.port() );
return true;
}
return false;
}
bool NetworkUtil::ParseNetworkAddressWithSrvDiscovery ( QString strAddress, CHostAddress& HostAddress, bool bEnableIPv6 )
{
// Try SRV-based discovery first:
if ( ParseNetworkAddressSrv ( strAddress, HostAddress, bEnableIPv6 ) )
{
return true;
}
// Try regular connect via plain IP or host name lookup (A/AAAA):
return ParseNetworkAddress ( strAddress, HostAddress, bEnableIPv6 );
}
#endif
bool NetworkUtil::ParseNetworkAddress ( QString strAddress, CHostAddress& HostAddress, bool bEnableIPv6 )
{
QHostAddress InetAddr;
unsigned int iNetPort = DEFAULT_PORT_NUMBER;
// qInfo() << qUtf8Printable ( QString ( "Parsing network address %1" ).arg ( strAddress ) );
// init requested host address with invalid address first
HostAddress = CHostAddress();
// Allow the following address formats:
// [addr4or6]
// [addr4or6]:port
// addr4
// addr4:port
// hostname
// hostname:port
// (where addr4or6 is a literal IPv4 or IPv6 address, and addr4 is a literal IPv4 address
bool bLiteralAddr = false;
QRegularExpression rx1 ( "^\\[([^]]*)\\](?::(\\d+))?$" ); // [addr4or6] or [addr4or6]:port
QRegularExpression rx2 ( "^([^:]*)(?::(\\d+))?$" ); // addr4 or addr4:port or host or host:port
QString strPort;
QRegularExpressionMatch rx1match = rx1.match ( strAddress );
QRegularExpressionMatch rx2match = rx2.match ( strAddress );
// parse input address with rx1 and rx2 in turn, capturing address/host and port
if ( rx1match.capturedStart() == 0 )
{
// literal address within []
strAddress = rx1match.captured ( 1 );
strPort = rx1match.captured ( 2 );
bLiteralAddr = true; // don't allow hostname within []
}
else if ( rx2match.capturedStart() == 0 )
{
// hostname or IPv4 address
strAddress = rx2match.captured ( 1 );
strPort = rx2match.captured ( 2 );
}
else
{
// invalid format
// qInfo() << qUtf8Printable ( QString ( "Invalid address format" ) );
return false;
}
if ( !strPort.isEmpty() )
{
// a port number was given: extract port number
iNetPort = strPort.toInt();
if ( iNetPort >= 65536 )
{
// invalid port number
// qInfo() << qUtf8Printable ( QString ( "Invalid port number specified" ) );
return false;
}
}
// first try if this is an IP number an can directly applied to QHostAddress
if ( InetAddr.setAddress ( strAddress ) )
{
if ( !bEnableIPv6 && InetAddr.protocol() == QAbstractSocket::IPv6Protocol )
{
// do not allow IPv6 addresses if not enabled
// qInfo() << qUtf8Printable ( QString ( "IPv6 addresses disabled" ) );
return false;
}
}
else
{
// it was no valid IP address. If literal required, return as invalid
if ( bLiteralAddr )
{
// qInfo() << qUtf8Printable ( QString ( "Invalid literal IP address" ) );
return false; // invalid address
}
if ( !ParseNetworkAddressString ( strAddress, InetAddr, bEnableIPv6 ) )
{
// no valid address found
// qInfo() << qUtf8Printable ( QString ( "No IP address found for hostname" ) );
return false;
}
}
// qInfo() << qUtf8Printable ( QString ( "Parsed network address %1" ).arg ( InetAddr.toString() ) );
HostAddress = CHostAddress ( InetAddr, iNetPort );
return true;
}
CHostAddress NetworkUtil::GetLocalAddress()
{
QUdpSocket socket;
// As we are using UDP, the connectToHost() does not generate any traffic at all.
// We just require a socket which is pointed towards the Internet in
// order to find out the IP of our own external interface:
socket.connectToHost ( WELL_KNOWN_HOST, WELL_KNOWN_PORT );
if ( socket.waitForConnected ( IP_LOOKUP_TIMEOUT ) )
{
return CHostAddress ( socket.localAddress(), 0 );
}
else
{
qWarning() << "could not determine local IPv4 address:" << socket.errorString() << "- using localhost";
return CHostAddress ( QHostAddress::LocalHost, 0 );
}
}
CHostAddress NetworkUtil::GetLocalAddress6()
{
QUdpSocket socket;
// As we are using UDP, the connectToHost() does not generate any traffic at all.
// We just require a socket which is pointed towards the Internet in
// order to find out the IP of our own external interface:
socket.connectToHost ( WELL_KNOWN_HOST6, WELL_KNOWN_PORT );
if ( socket.waitForConnected ( IP_LOOKUP_TIMEOUT ) )
{
return CHostAddress ( socket.localAddress(), 0 );
}
else
{
qWarning() << "could not determine local IPv6 address:" << socket.errorString() << "- using localhost";
return CHostAddress ( QHostAddress::LocalHostIPv6, 0 );
}
}
QString NetworkUtil::GetDirectoryAddress ( const EDirectoryType eDirectoryType, const QString& strDirectoryAddress )
{
switch ( eDirectoryType )
{
case AT_CUSTOM:
return strDirectoryAddress;
case AT_ANY_GENRE2:
return CENTSERV_ANY_GENRE2;
case AT_ANY_GENRE3:
return CENTSERV_ANY_GENRE3;
case AT_GENRE_ROCK:
return CENTSERV_GENRE_ROCK;
case AT_GENRE_JAZZ:
return CENTSERV_GENRE_JAZZ;
case AT_GENRE_CLASSICAL_FOLK:
return CENTSERV_GENRE_CLASSICAL_FOLK;
case AT_GENRE_CHORAL:
return CENTSERV_GENRE_CHORAL;
default:
return DEFAULT_SERVER_ADDRESS; // AT_DEFAULT
}
}
QString NetworkUtil::FixAddress ( const QString& strAddress )
{
// remove all spaces from the address string
return strAddress.simplified().replace ( " ", "" );
}
// Return whether the given HostAdress is within a private IP range
// as per RFC 1918 & RFC 5735.
bool NetworkUtil::IsPrivateNetworkIP ( const QHostAddress& qhAddr )
{
// https://www.rfc-editor.org/rfc/rfc1918
// https://www.rfc-editor.org/rfc/rfc5735
static QList<QPair<QHostAddress, int>> addresses = {
QPair<QHostAddress, int> ( QHostAddress ( "10.0.0.0" ), 8 ),
QPair<QHostAddress, int> ( QHostAddress ( "127.0.0.0" ), 8 ),
QPair<QHostAddress, int> ( QHostAddress ( "172.16.0.0" ), 12 ),
QPair<QHostAddress, int> ( QHostAddress ( "192.168.0.0" ), 16 ),
};
foreach ( auto item, addresses )
{
if ( qhAddr.isInSubnet ( item ) )
{
return true;
}
}
return false;