-
Notifications
You must be signed in to change notification settings - Fork 2
/
soundmanager2.js
executable file
·1730 lines (1568 loc) · 56.7 KB
/
soundmanager2.js
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
/*!
SoundManager 2: Javascript Sound for the Web
--------------------------------------------
http://schillmania.com/projects/soundmanager2/
Copyright (c) 2008, Scott Schiller. All rights reserved.
Code licensed under the BSD License:
http://schillmania.com/projects/soundmanager2/license.txt
V2.95a.20090501
*/
var soundManager = null;
var SM2_DEFER = true;
function SoundManager(smURL,smID) {
this.flashVersion = 8; // version of flash to require, either 8 or 9. Some API features require Flash 9.
this.debugMode = true; // enable debugging output (div#soundmanager-debug, OR console if available + configured)
this.useConsole = true; // use firebug/safari console.log()-type debug console if available
this.consoleOnly = false; // if console is being used, do not create/write to #soundmanager-debug
this.waitForWindowLoad = false; // force SM2 to wait for window.onload() before trying to call soundManager.onload()
this.nullURL = 'null.mp3'; // path to "null" (empty) MP3 file, used to unload sounds (Flash 8 only)
this.allowPolling = true; // allow flash to poll for status update (required for "while playing", peak, sound spectrum functions to work.)
this.useMovieStar = false; // enable support for Flash 9.0r115+ (codename "MovieStar") MPEG4 audio + video formats (AAC, M4V, FLV, MOV etc.)
this.bgColor = '#ffffff'; // movie (.swf) background color, '#000000' useful if showing on-screen/full-screen video etc.
this.useHighPerformance = false; // position:fixed flash movie gives increased js/flash speed
this.flashLoadTimeout = 750; // ms to wait for flash movie to load before failing (0 = infinity)
this.wmode = null; // mode to render the flash movie in - null, transparent, opaque (last two allow layering of HTML on top)
this.allowFullScreen = true; // enter full-screen (via double-click on movie) for flash 9+ video
this.defaultOptions = {
'autoLoad': false, // enable automatic loading (otherwise .load() will be called on demand with .play(), the latter being nicer on bandwidth - if you want to .load yourself, you also can)
'stream': true, // allows playing before entire file has loaded (recommended)
'autoPlay': false, // enable playing of file as soon as possible (much faster if "stream" is true)
'onid3': null, // callback function for "ID3 data is added/available"
'onload': null, // callback function for "load finished"
'whileloading': null, // callback function for "download progress update" (X of Y bytes received)
'onplay': null, // callback for "play" start
'onpause': null, // callback for "pause"
'onresume': null, // callback for "resume" (pause toggle)
'whileplaying': null, // callback during play (position update)
'onstop': null, // callback for "user stop"
'onfinish': null, // callback function for "sound finished playing"
'onbeforefinish': null, // callback for "before sound finished playing (at [time])"
'onbeforefinishtime': 5000, // offset (milliseconds) before end of sound to trigger beforefinish (eg. 1000 msec = 1 second)
'onbeforefinishcomplete':null, // function to call when said sound finishes playing
'onjustbeforefinish':null, // callback for [n] msec before end of current sound
'onjustbeforefinishtime':200, // [n] - if not using, set to 0 (or null handler) and event will not fire.
'multiShot': true, // let sounds "restart" or layer on top of each other when played multiple times, rather than one-shot/one at a time
'position': null, // offset (milliseconds) to seek to within loaded sound data.
'pan': 0, // "pan" settings, left-to-right, -100 to 100
'volume': 100 // self-explanatory. 0-100, the latter being the max.
};
this.flash9Options = { // flash 9-only options, merged into defaultOptions if flash 9 is being used
'isMovieStar': null, // "MovieStar" MPEG4 audio/video mode. Null (default) = auto detect MP4, AAC etc. based on URL. true = force on, ignore URL
'usePeakData': false, // enable left/right channel peak (level) data
'useWaveformData': false, // enable sound spectrum (raw waveform data) - WARNING: CPU-INTENSIVE: may set CPUs on fire.
'useEQData': false, // enable sound EQ (frequency spectrum data) - WARNING: Also CPU-intensive.
'onbufferchange': null, // callback for "isBuffering" property change
'ondataerror': null // callback for waveform/eq data access error (flash playing audio in other tabs/domains)
};
this.movieStarOptions = { // flash 9.0r115+ MPEG4 audio/video options, merged into defaultOptions if flash 9 + movieStar mode is enabled
'onmetadata': null, // callback for when video width/height etc. are received
'useVideo': false, // if loading movieStar content, whether to show video
'bufferTime': null // seconds of data to buffer before playback begins (null = flash default of 0.1 seconds - if AAC playback is gappy, try up to 3 seconds)
};
// jslint global declarations
/*global SM2_DEFER, sm2Debugger, alert, console, document, navigator, setTimeout, window */
var SMSound = null; // defined later
var _s = this;
this.version = null;
this.versionNumber = 'V2.95a.20090501';
this.movieURL = null;
this.url = null;
this.altURL = null;
this.swfLoaded = false;
this.enabled = false;
this.o = null;
this.id = (smID||'sm2movie');
this.oMC = null;
this.sounds = {};
this.soundIDs = [];
this.muted = false;
this.isFullScreen = false; // set later by flash 9+
this.isIE = (navigator.userAgent.match(/MSIE/i));
this.isSafari = (navigator.userAgent.match(/safari/i));
this.isGecko = (navigator.userAgent.match(/gecko/i));
this.debugID = 'soundmanager-debug';
this.specialWmodeCase = false;
this._debugOpen = true;
this._didAppend = false;
this._appendSuccess = false;
this._didInit = false;
this._disabled = false;
this._windowLoaded = false;
this._hasConsole = (typeof console != 'undefined' && typeof console.log != 'undefined');
this._debugLevels = ['log','info','warn','error'];
this._defaultFlashVersion = 8;
this._oRemoved = null;
this._oRemovedHTML = null;
var _$ = function(sID) {
return document.getElementById(sID);
};
this.filePatterns = {
flash8: /\.mp3(\?.*)?$/i,
flash9: /\.mp3(\?.*)?$/i
};
this.netStreamTypes = ['aac','flv','mov','mp4','m4v','f4v','m4a','mp4v','3gp','3g2']; // Flash v9.0r115+ "moviestar" formats
this.netStreamPattern = new RegExp('\\.('+this.netStreamTypes.join('|')+')(\\?.*)?$','i');
this.filePattern = null;
this.features = {
buffering: false,
peakData: false,
waveformData: false,
eqData: false,
movieStar: false
};
this.sandbox = {
'type': null,
'types': {
'remote': 'remote (domain-based) rules',
'localWithFile': 'local with file access (no internet access)',
'localWithNetwork': 'local with network (internet access only, no local access)',
'localTrusted': 'local, trusted (local + internet access)'
},
'description': null,
'noRemote': null,
'noLocal': null
};
this._setVersionInfo = function() {
if (_s.flashVersion != 8 && _s.flashVersion != 9) {
alert('soundManager.flashVersion must be 8 or 9. "'+_s.flashVersion+'" is invalid. Reverting to '+_s._defaultFlashVersion+'.');
_s.flashVersion = _s._defaultFlashVersion;
}
_s.version = _s.versionNumber+(_s.flashVersion==9?' (AS3/Flash 9)':' (AS2/Flash 8)');
// set up default options
if (_s.flashVersion > 8) {
_s.defaultOptions = _s._mergeObjects(_s.defaultOptions,_s.flash9Options);
_s.features.buffering = true;
}
if (_s.flashVersion > 8 && _s.useMovieStar) {
// flash 9+ support for movieStar formats as well as MP3
_s.defaultOptions = _s._mergeObjects(_s.defaultOptions,_s.movieStarOptions);
_s.filePatterns.flash9 = new RegExp('\\.(mp3|'+_s.netStreamTypes.join('|')+')(\\?.*)?$','i');
_s.features.movieStar = true;
} else {
_s.useMovieStar = false;
_s.features.movieStar = false;
}
_s.filePattern = _s.filePatterns[(_s.flashVersion!=8?'flash9':'flash8')];
_s.movieURL = (_s.flashVersion==8?'soundmanager2.swf':'soundmanager2_flash9.swf');
_s.features.peakData = _s.features.waveformData = _s.features.eqData = (_s.flashVersion>8);
};
this._overHTTP = (document.location?document.location.protocol.match(/http/i):null);
this._waitingforEI = false;
this._initPending = false;
this._tryInitOnFocus = (this.isSafari && typeof document.hasFocus == 'undefined');
this._isFocused = (typeof document.hasFocus != 'undefined'?document.hasFocus():null);
this._okToDisable = !this._tryInitOnFocus;
this.useAltURL = !this._overHTTP; // use altURL if not "online"
var flashCPLink = 'http://www.macromedia.com/support/documentation/en/flashplayer/help/settings_manager04.html';
this.strings = {
notReady: 'Not loaded yet - wait for soundManager.onload() before calling sound-related methods',
appXHTML: 'soundManager._createMovie(): appendChild/innerHTML set failed. May be app/xhtml+xml DOM-related.'
};
// --- public methods ---
this.supported = function() {
return (_s._didInit && !_s._disabled);
};
this.getMovie = function(smID) {
return _s.isIE?window[smID]:(_s.isSafari?_$(smID)||document[smID]:_$(smID));
};
this.loadFromXML = function(sXmlUrl) {
try {
_s.o._loadFromXML(sXmlUrl);
} catch(e) {
_s._failSafely();
return true;
}
};
this.createSound = function(oOptions) {
if (!_s._didInit) {
throw _s._complain('soundManager.createSound(): '+_s.strings.notReady,arguments.callee.caller);
}
if (arguments.length == 2) {
// function overloading in JS! :) ..assume simple createSound(id,url) use case
oOptions = {'id':arguments[0],'url':arguments[1]};
}
var thisOptions = _s._mergeObjects(oOptions); // inherit SM2 defaults
var _tO = thisOptions; // alias
_s._wD('soundManager.createSound(): '+_tO.id+' ('+_tO.url+')',1);
if (_s._idCheck(_tO.id,true)) {
_s._wD('soundManager.createSound(): '+_tO.id+' exists',1);
return _s.sounds[_tO.id];
}
if (_s.flashVersion > 8 && _s.useMovieStar) {
if (_tO.isMovieStar === null) {
_tO.isMovieStar = (_tO.url.match(_s.netStreamPattern)?true:false);
}
if (_tO.isMovieStar) {
_s._wD('soundManager.createSound(): using MovieStar handling');
}
if (_tO.isMovieStar && (_tO.usePeakData || _tO.useWaveformData || _tO.useEQData)) {
_s._wD('Warning: peak/waveform/eqData features unsupported for non-MP3 formats');
_tO.usePeakData = false;
_tO.useWaveformData = false;
_tO.useEQData = false;
}
}
_s.sounds[_tO.id] = new SMSound(_tO);
_s.soundIDs[_s.soundIDs.length] = _tO.id;
// AS2:
if (_s.flashVersion == 8) {
_s.o._createSound(_tO.id,_tO.onjustbeforefinishtime);
} else {
_s.o._createSound(_tO.id,_tO.url,_tO.onjustbeforefinishtime,_tO.usePeakData,_tO.useWaveformData,_tO.useEQData,_tO.isMovieStar,(_tO.isMovieStar?_tO.useVideo:false),(_tO.isMovieStar?_tO.bufferTime:false));
}
if (_tO.autoLoad || _tO.autoPlay) {
// TODO: does removing timeout here cause problems?
if (_s.sounds[_tO.id]) {
_s.sounds[_tO.id].load(_tO);
}
}
if (_tO.autoPlay) {
_s.sounds[_tO.id].play();
}
return _s.sounds[_tO.id];
};
this.createVideo = function(oOptions) {
if (arguments.length==2) {
oOptions = {'id':arguments[0],'url':arguments[1]};
}
if (_s.flashVersion >= 9) {
oOptions.isMovieStar = true;
oOptions.useVideo = true;
} else {
_s._wD('soundManager.createVideo(): flash 9 required for video. Exiting.',2);
return false;
}
if (!_s.useMovieStar) {
_s._wD('soundManager.createVideo(): MovieStar mode not enabled. Exiting.',2);
}
return _s.createSound(oOptions);
};
this.destroySound = function(sID,bFromSound) {
// explicitly destroy a sound before normal page unload, etc.
if (!_s._idCheck(sID)) {
return false;
}
for (var i=0; i<_s.soundIDs.length; i++) {
if (_s.soundIDs[i] == sID) {
_s.soundIDs.splice(i,1);
continue;
}
}
// conservative option: avoid crash with ze flash 8
// calling destroySound() within a sound onload() might crash firefox, certain flavours of winXP + flash 8??
// if (_s.flashVersion != 8) {
_s.sounds[sID].unload();
// }
if (!bFromSound) {
// ignore if being called from SMSound instance
_s.sounds[sID].destruct();
}
delete _s.sounds[sID];
};
this.destroyVideo = this.destroySound;
this.load = function(sID,oOptions) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].load(oOptions);
};
this.unload = function(sID) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].unload();
};
this.play = function(sID,oOptions) {
if (!_s._didInit) {
throw _s._complain('soundManager.play(): '+_s.strings.notReady,arguments.callee.caller);
}
if (!_s._idCheck(sID)) {
if (typeof oOptions != 'Object') {
oOptions = {url:oOptions}; // overloading use case: play('mySound','/path/to/some.mp3');
}
if (oOptions && oOptions.url) {
// overloading use case, creation + playing of sound: .play('someID',{url:'/path/to.mp3'});
_s._wD('soundController.play(): attempting to create "'+sID+'"',1);
oOptions.id = sID;
_s.createSound(oOptions);
} else {
return false;
}
}
_s.sounds[sID].play(oOptions);
};
this.start = this.play; // just for convenience
this.setPosition = function(sID,nMsecOffset) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].setPosition(nMsecOffset);
};
this.stop = function(sID) {
if (!_s._idCheck(sID)) {
return false;
}
_s._wD('soundManager.stop('+sID+')',1);
_s.sounds[sID].stop();
};
this.stopAll = function() {
_s._wD('soundManager.stopAll()',1);
for (var oSound in _s.sounds) {
if (_s.sounds[oSound] instanceof SMSound) {
_s.sounds[oSound].stop(); // apply only to sound objects
}
}
};
this.pause = function(sID) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].pause();
};
this.pauseAll = function() {
for (var i=_s.soundIDs.length; i--;) {
_s.sounds[_s.soundIDs[i]].pause();
}
};
this.resume = function(sID) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].resume();
};
this.resumeAll = function() {
for (var i=_s.soundIDs.length; i--;) {
_s.sounds[_s.soundIDs[i]].resume();
}
};
this.togglePause = function(sID) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].togglePause();
};
this.setPan = function(sID,nPan) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].setPan(nPan);
};
this.setVolume = function(sID,nVol) {
if (!_s._idCheck(sID)) {
return false;
}
_s.sounds[sID].setVolume(nVol);
};
this.mute = function(sID) {
if (typeof sID != 'string') {
sID = null;
}
if (!sID) {
_s._wD('soundManager.mute(): Muting all sounds');
for (var i=_s.soundIDs.length; i--;) {
_s.sounds[_s.soundIDs[i]].mute();
}
_s.muted = true;
} else {
if (!_s._idCheck(sID)) {
return false;
}
_s._wD('soundManager.mute(): Muting "'+sID+'"');
_s.sounds[sID].mute();
}
};
this.muteAll = function() {
_s.mute();
};
this.unmute = function(sID) {
if (typeof sID != 'string') {
sID = null;
}
if (!sID) {
_s._wD('soundManager.unmute(): Unmuting all sounds');
for (var i=_s.soundIDs.length; i--;) {
_s.sounds[_s.soundIDs[i]].unmute();
}
_s.muted = false;
} else {
if (!_s._idCheck(sID)) {
return false;
}
_s._wD('soundManager.unmute(): Unmuting "'+sID+'"');
_s.sounds[sID].unmute();
}
};
this.unmuteAll = function() {
_s.unmute();
};
this.getMemoryUse = function() {
if (_s.flashVersion == 8) {
// not supported in Flash 8
return 0;
}
if (_s.o) {
return parseInt(_s.o._getMemoryUse(),10);
}
};
this.setPolling = function(bPolling) {
if (!_s.o || !_s.allowPolling) {
return false;
}
_s.o._setPolling(bPolling);
};
this.disable = function(bNoDisable) {
// destroy all functions
if (typeof bNoDisable == 'undefined') {
bNoDisable = false;
}
if (_s._disabled) {
return false;
}
_s._disabled = true;
_s._wD('soundManager.disable(): Shutting down',1);
for (var i=_s.soundIDs.length; i--;) {
_s._disableObject(_s.sounds[_s.soundIDs[i]]);
}
_s.initComplete(bNoDisable); // fire "complete", despite fail
// _s._disableObject(_s); // taken out to allow reboot()
};
this.canPlayURL = function(sURL) {
return (sURL?(sURL.match(_s.filePattern)?true:false):null);
};
this.getSoundById = function(sID,suppressDebug) {
if (!sID) {
throw new Error('SoundManager.getSoundById(): sID is null/undefined');
}
var result = _s.sounds[sID];
if (!result && !suppressDebug) {
_s._wD('"'+sID+'" is an invalid sound ID.',2);
// soundManager._wD('trace: '+arguments.callee.caller);
}
return result;
};
this.onload = function() {
// window.onload() equivalent for SM2, ready to create sounds etc.
// this is a stub - you can override this in your own external script, eg. soundManager.onload = function() {}
soundManager._wD('Warning: soundManager.onload() is undefined.',2);
};
this.onerror = function() {
// stub for user handler, called when SM2 fails to load/init
};
// --- "private" methods ---
this._idCheck = this.getSoundById;
this._complain = function(sMsg,oCaller) {
// Try to create meaningful custom errors, w/stack trace to the "offending" line
var sPre = 'Error: ';
if (!oCaller) {
return new Error(sPre+sMsg);
}
var e = new Error(''); // make a mistake.
var stackMsg = null;
if (e.stack) {
// potentially dangerous: Try to return a meaningful stacktrace where provided (Mozilla)
try {
var splitChar = '@';
var stackTmp = e.stack.split(splitChar);
stackMsg = stackTmp[4]; // try to return only the relevant bit, skipping internal SM2 shiz
} catch(ee) {
// oops.
stackMsg = e.stack;
}
}
if (typeof console != 'undefined' && typeof console.trace != 'undefined') {
console.trace();
}
var errorDesc = sPre+sMsg+'. \nCaller: '+oCaller.toString()+(e.stack?' \nTop of stacktrace: '+stackMsg:(e.message?' \nMessage: '+e.message:''));
// See JS error/debug/console output for real error source, stack trace / message detail where possible.
return new Error(errorDesc);
};
var _doNothing = function() {
return false;
};
_doNothing._protected = true;
this._disableObject = function(o) {
for (var oProp in o) {
if (typeof o[oProp] == 'function' && typeof o[oProp]._protected == 'undefined') {
o[oProp] = _doNothing;
}
}
oProp = null;
};
this._failSafely = function(bNoDisable) {
// general failure exception handler
if (typeof bNoDisable == 'undefined') {
bNoDisable = false;
}
if (!_s._disabled || bNoDisable) {
_s._wD('soundManager: Failed to initialise.',2);
_s.disable(bNoDisable);
}
};
this._normalizeMovieURL = function(smURL) {
var urlParams = null;
if (smURL) {
if (smURL.match(/\.swf(\?.*)?$/i)) {
urlParams = smURL.substr(smURL.toLowerCase().lastIndexOf('.swf?')+4);
if (urlParams) {
return smURL; // assume user knows what they're doing
}
} else if (smURL.lastIndexOf('/') != smURL.length-1) {
smURL = smURL+'/';
}
}
return(smURL && smURL.lastIndexOf('/')!=-1?smURL.substr(0,smURL.lastIndexOf('/')+1):'./')+_s.movieURL;
};
this._getDocument = function() {
return (document.body?document.body:(document.documentElement?document.documentElement:document.getElementsByTagName('div')[0]));
};
this._getDocument._protected = true;
this._createMovie = function(smID,smURL) {
if (_s._didAppend && _s._appendSuccess) {
return false; // ignore if already succeeded
}
if (window.location.href.indexOf('debug=1')+1) {
_s.debugMode = true; // allow force of debug mode via URL
}
_s._didAppend = true;
// safety check for legacy (change to Flash 9 URL)
_s._setVersionInfo();
var remoteURL = (smURL?smURL:_s.url);
var localURL = (_s.altURL?_s.altURL:remoteURL);
_s.url = _s._normalizeMovieURL(_s._overHTTP?remoteURL:localURL);
smURL = _s.url;
var specialCase = null;
if (_s.useHighPerformance && _s.useMovieStar && _s.defaultOptions.useVideo === true) {
specialCase = 'soundManager note: disabling highPerformance, not applicable with movieStar mode + useVideo';
_s.useHighPerformance = false;
}
_s.wmode = (!_s.wmode && _s.useHighPerformance && !_s.useMovieStar?'transparent':_s.wmode);
if (_s.wmode !== null && _s.flashLoadTimeout !== 0 && !_s.useHighPerformance && !_s.isIE && navigator.platform.match(/win32/i)) {
_s.specialWmodeCase = true;
// extra-special case: movie doesn't load until scrolled into view when using wmode = anything but 'window' here
// does not apply when using high performance (position:fixed means on-screen), OR infinite flash load timeout
_s._wD('soundManager note: Removing wmode, preventing off-screen SWF loading issue');
_s.wmode = null;
}
if (_s.flashVersion == 8) {
_s.allowFullScreen = false;
}
var oEmbed = {
name: smID,
id: smID,
src: smURL,
width: '100%',
height: '100%',
quality: 'high',
allowScriptAccess: 'always',
bgcolor: _s.bgColor,
pluginspage: 'http://www.macromedia.com/go/getflashplayer',
type: 'application/x-shockwave-flash',
wmode: _s.wmode,
allowfullscreen: (_s.allowFullScreen?'true':'false')
};
if (!_s.wmode) {
delete oEmbed.wmode; // don't write empty attribute
}
var oObject = {
id: smID,
data: smURL,
type: 'application/x-shockwave-flash',
width: '100%',
height: '100%',
wmode: _s.wmode
};
var oMovie = null;
var tmp = null;
if (_s.isIE) {
// IE is "special".
oMovie = document.createElement('div');
var movieHTML = '<object id="'+smID+'" data="'+smURL+'" type="application/x-shockwave-flash" width="100%" height="100%"><param name="movie" value="'+smURL+'" /><param name="AllowScriptAccess" value="always" /><param name="quality" value="high" />'+(_s.wmode?'<param name="wmode" value="'+_s.wmode+'" /> ':'')+'<param name="bgcolor" value="'+_s.bgColor+'" /><param name="allowFullScreen" value="'+(_s.allowFullScreen?'true':'false')+'" /><!-- --></object>';
} else {
oMovie = document.createElement('embed');
for (tmp in oEmbed) {
if (oEmbed.hasOwnProperty(tmp)) {
oMovie.setAttribute(tmp,oEmbed[tmp]);
}
}
}
var oD = document.createElement('div');
oD.id = _s.debugID+'-toggle';
var oToggle = {
position: 'fixed',
bottom: '0px',
right: '0px',
width: '1.2em',
height: '1.2em',
lineHeight: '1.2em',
margin: '2px',
textAlign: 'center',
border: '1px solid #999',
cursor: 'pointer',
background: '#fff',
color: '#333',
zIndex: 10001
};
oD.appendChild(document.createTextNode('-'));
oD.onclick = _s._toggleDebug;
oD.title = 'Toggle SM2 debug console';
if (navigator.userAgent.match(/msie 6/i)) {
oD.style.position = 'absolute';
oD.style.cursor = 'hand';
}
for (tmp in oToggle) {
if (oToggle.hasOwnProperty(tmp)) {
oD.style[tmp] = oToggle[tmp];
}
}
var oTarget = _s._getDocument();
if (oTarget) {
_s.oMC = _$('sm2-container')?_$('sm2-container'):document.createElement('div');
if (!_s.oMC.id) {
_s.oMC.id = 'sm2-container';
_s.oMC.className = 'movieContainer';
// "hide" flash movie
var s = null;
var oEl = null;
if (_s.useHighPerformance) {
s = {
position: 'fixed',
width: '8px',
height: '8px', // must be at least 6px for flash to run fast. odd? yes.
bottom: '0px',
left: '0px'
// zIndex:-1 // sit behind everything else - potentially dangerous/buggy?
};
} else {
s = {
position: 'absolute',
width: '1px',
height: '1px',
top: '-999px',
left: '-999px'
};
}
var x = null;
for (x in s) {
if (s.hasOwnProperty(x)) {
_s.oMC.style[x] = s[x];
}
}
try {
if (!_s.isIE) {
_s.oMC.appendChild(oMovie);
}
oTarget.appendChild(_s.oMC);
if (_s.isIE) {
oEl = _s.oMC.appendChild(document.createElement('div'));
oEl.className = 'sm2-object-box';
oEl.innerHTML = movieHTML;
}
_s._appendSuccess = true;
} catch(e) {
throw new Error(_s.strings.appXHTML);
}
} else {
// it's already in the document.
_s.oMC.appendChild(oMovie);
if (_s.isIE) {
oEl = _s.oMC.appendChild(document.createElement('div'));
oEl.className = 'sm2-object-box';
oEl.innerHTML = movieHTML;
}
_s._appendSuccess = true;
}
if (!_$(_s.debugID) && ((!_s._hasConsole||!_s.useConsole)||(_s.useConsole && _s._hasConsole && !_s.consoleOnly))) {
var oDebug = document.createElement('div');
oDebug.id = _s.debugID;
oDebug.style.display = (_s.debugMode?'block':'none');
if (_s.debugMode && !_$(oD.id)) {
try {
oTarget.appendChild(oD);
} catch(e2) {
throw new Error(_s.strings.appXHTML);
}
oTarget.appendChild(oDebug);
}
}
oTarget = null;
}
if (specialCase) {
_s._wD(specialCase);
}
_s._wD('-- SoundManager 2 '+_s.version+(_s.useMovieStar?', MovieStar mode':'')+(_s.useHighPerformance?', high performance mode':'')+(_s.wmode?', wmode: '+_s.wmode:'')+' --',1);
_s._wD('soundManager._createMovie(): Trying to load '+smURL+(!_s._overHTTP && _s.altURL?' (alternate URL)':''),1);
};
// aliased to this._wD()
this._writeDebug = function(sText,sType,bTimestamp) {
if (!_s.debugMode) {
return false;
}
if (typeof bTimestamp != 'undefined' && bTimestamp) {
sText = sText + ' | '+new Date().getTime();
}
if (_s._hasConsole && _s.useConsole) {
var sMethod = _s._debugLevels[sType];
if (typeof console[sMethod] != 'undefined') {
console[sMethod](sText);
} else {
console.log(sText);
}
if (_s.useConsoleOnly) {
return true;
}
}
var sDID = 'soundmanager-debug';
try {
var o = _$(sDID);
if (!o) {
return false;
}
var oItem = document.createElement('div');
if (++_s._wdCount%2===0) {
oItem.className = 'sm2-alt';
}
// sText = sText.replace(/\n/g,'<br />');
if (typeof sType == 'undefined') {
sType = 0;
} else {
sType = parseInt(sType,10);
}
oItem.appendChild(document.createTextNode(sText));
if (sType) {
if (sType >= 2) {
oItem.style.fontWeight = 'bold';
}
if (sType == 3) {
oItem.style.color = '#ff3333';
}
}
// o.appendChild(oItem); // top-to-bottom
o.insertBefore(oItem,o.firstChild); // bottom-to-top
} catch(e) {
// oh well
}
o = null;
};
this._writeDebug._protected = true;
this._wdCount = 0;
this._wdCount._protected = true;
this._wD = this._writeDebug;
this._wDAlert = function(sText) { alert(sText); };
if (window.location.href.indexOf('debug=alert')+1 && _s.debugMode) {
_s._wD = _s._wDAlert;
}
this._toggleDebug = function() {
var o = _$(_s.debugID);
var oT = _$(_s.debugID+'-toggle');
if (!o) {
return false;
}
if (_s._debugOpen) {
// minimize
oT.innerHTML = '+';
o.style.display = 'none';
} else {
oT.innerHTML = '-';
o.style.display = 'block';
}
_s._debugOpen = !_s._debugOpen;
};
this._toggleDebug._protected = true;
this._debug = function() {
_s._wD('--- soundManager._debug(): Current sound objects ---',1);
for (var i=0,j=_s.soundIDs.length; i<j; i++) {
_s.sounds[_s.soundIDs[i]]._debug();
}
};
this._debugTS = function(sEventType,bSuccess,sMessage) {
// troubleshooter debug hooks
if (typeof sm2Debugger != 'undefined') {
try {
sm2Debugger.handleEvent(sEventType,bSuccess,sMessage);
} catch(e) {
// oh well
}
}
};
this._debugTS._protected = true;
this._mergeObjects = function(oMain,oAdd) {
// non-destructive merge
var o1 = {}; // clone o1
for (var i in oMain) {
if (oMain.hasOwnProperty(i)) {
o1[i] = oMain[i];
}
}
var o2 = (typeof oAdd == 'undefined'?_s.defaultOptions:oAdd);
for (var o in o2) {
if (o2.hasOwnProperty(o) && typeof o1[o] == 'undefined') {
o1[o] = o2[o];
}
}
return o1;
};
this.createMovie = function(sURL) {
if (sURL) {
_s.url = sURL;
}
_s._initMovie();
};
this.go = this.createMovie; // nice alias
this._initMovie = function() {
// attempt to get, or create, movie
if (_s.o) {
return false; // may already exist
}
_s.o = _s.getMovie(_s.id); // (inline markup)
if (!_s.o) {
if (!_s.oRemoved) {
// try to create
_s._createMovie(_s.id,_s.url);
} else {
// try to re-append removed movie after reboot()
if (!_s.isIE) {
_s.oMC.appendChild(_s.oRemoved);
} else {
_s.oMC.innerHTML = _s.oRemovedHTML;
}
_s.oRemoved = null;
_s._didAppend = true;
}
_s.o = _s.getMovie(_s.id);
}
if (_s.o) {
_s._wD('soundManager._initMovie(): Got '+_s.o.nodeName+' element ('+(_s._didAppend?'created via JS':'static HTML')+')',1);
if (_s.flashLoadTimeout>0) {
_s._wD('soundManager._initMovie(): Waiting for ExternalInterface call from Flash..');
}
}
};
this.waitForExternalInterface = function() {
if (_s._waitingForEI) {
return false;
}
_s._waitingForEI = true;
if (_s._tryInitOnFocus && !_s._isFocused) {
_s._wD('soundManager: Special case: Waiting for focus-related event..');
return false;
}
if (_s.flashLoadTimeout>0) {
if (!_s._didInit) {
_s._wD('soundManager: Getting impatient, still waiting for Flash.. ;)');
}
setTimeout(function() {
if (!_s._didInit) {
_s._wD('soundManager: No Flash response within reasonable time after document load.\nPossible causes: Loading '+_s.movieURL+' failed, Flash version under '+_s.flashVersion+', no support, flash blocked or JS-Flash security error.',2);
if (!_s._overHTTP) {
_s._wD('soundManager: Loading this page from local/network file system (not over HTTP?) Flash security likely restricting JS-Flash access. Consider adding current URL to "trusted locations" in the Flash player security settings manager at '+flashCPLink+', or simply serve this content over HTTP.',2);
}
_s._debugTS('flashtojs',false,': Timed out'+(_s._overHTTP)?' (Check flash security)':' (No plugin/missing SWF?)');
}
// if still not initialized and no other options, give up
if (!_s._didInit && _s._okToDisable) {
_s._failSafely(true); // don't disable, for reboot()
}
},_s.flashLoadTimeout);
} else if (!_s.didInit) {
_s._wD('soundManager: Waiting indefinitely for Flash...');
}
};
this.handleFocus = function() {
if (_s._isFocused || !_s._tryInitOnFocus) {
return true;
}
_s._okToDisable = true;
_s._isFocused = true;
_s._wD('soundManager.handleFocus()');
if (_s._tryInitOnFocus) {
// giant Safari 3.1 hack - assume window in focus if mouse is moving, since document.hasFocus() not currently implemented.
window.removeEventListener('mousemove',_s.handleFocus,false);
}
// allow init to restart
_s._waitingForEI = false;
setTimeout(_s.waitForExternalInterface,500);
// detach event
if (window.removeEventListener) {
window.removeEventListener('focus',_s.handleFocus,false);
} else if (window.detachEvent) {
window.detachEvent('onfocus',_s.handleFocus);
}
};
this.initComplete = function(bNoDisable) {
if (_s._didInit) {
return false;
}
_s._didInit = true;
_s._wD('-- SoundManager 2 '+(_s._disabled?'failed to load':'loaded')+' ('+(_s._disabled?'security/load error':'OK')+') --',1);
if (_s._disabled || bNoDisable) {
_s._wD('soundManager.initComplete(): calling soundManager.onerror()',1);