-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMainForm.cs
4195 lines (3998 loc) · 223 KB
/
MainForm.cs
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
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Drawing.Imaging;
using System.Text;
using System.Windows.Forms;
using System.Runtime.InteropServices;
// AForge download packages misses: SetVideoProperty, GetVideoProperty, GetVideoPropertyRange --> no brightness setting possible
// fix: http://www.aforgenet.com/forum/viewtopic.php?f=2&t=2939
using AForge.Video.DirectShow;
using System.Globalization;
using System.IO;
using TeleSharp.Entities;
using TeleSharp.Entities.SendEntities;
using System.Threading;
using System.Threading.Tasks;
// Accord.Video.FFMPEG: !! needs both VC_redist.x86.exe and VC_redist.x64.exe installed on target PC !!
using Accord.Video.FFMPEG;
using static MotionUVC.AppSettings;
using GrzTools;
using System.Drawing.Drawing2D;
using System.Diagnostics;
using System.Linq;
using System.Drawing.Design;
using RestSharp;
using File = System.IO.File;
// !! @compile time: needs "cvextern.dll" (not recognized as VS2019 reference) manually copied to release & debug folders !!
// !! @run time : H264 needs codec library openh264-2.3.1-win64.dll on stock Windows 10 to be copied to app folder !!
using Emgu.CV;
using Logging;
namespace MotionUVC
{
public partial class MainForm : Form, IMessageFilter {
public class oneROI { // class to define a single 'Region Of Interest' = ROI
public Rectangle rect { get; set; } // monitor area
public int thresholdIntensity { get; set; } // pixel gray value threshold considered as a potential motion
public double thresholdChanges { get; set; } // percentage of pixels in a ROI considered as a potential motion
public double thresholdUpperLimit { get; set; } // if percentage of pixels in a ROI is exceeded, it's considered false positive
public bool reference { get; set; } // reference ROI to exclude false positive motions
public int boxScaler { get; set; } // consecutive pixels in a box
};
public static int ROICOUNT = 10; // max ROI count
List<oneROI> _roi = new List<oneROI>(); // list containing ROIs
public static AppSettings Settings = new AppSettings(); // app settings
private FilterInfoCollection _videoDevices; // AForge collection of camera devices
private VideoCaptureDevice _videoDevice = null; // AForge camera device
private int _videoDeviceRestartCounter = 0; // video device restart counter per app session
private string _buttonConnectString; // original text on camera start button
Bitmap _origFrame = null; // current camera frame original
public static Bitmap _currFrame = null; // current camera scaled frame (typically 800 x 600)
Bitmap _procFrame = null; // current camera scaled processed frame
Bitmap _prevFrame = null; // previous camera scaled frame
double _frameAspectRatio = 1.3333f; // default value until it is overridden via 'firstImageProcessing' in grabber
public class Motion { // helper to have a motion list other than the stored files on disk
public String fileNameMotion;
public String fileNameProc;
public DateTime motionDateTime;
public Bitmap imageMotion;
public Bitmap imageProc;
public bool motionSaved;
public bool motionConsecutive { get; set; }
public bool bitmapLocked { get; set; }
public Motion(String fileNameMotion, DateTime motionDateTime) {
this.fileNameMotion = fileNameMotion;
this.fileNameProc = "";
this.motionDateTime = motionDateTime;
this.motionConsecutive = false;
this.imageMotion = null;
this.imageProc = null;
this.motionSaved = true;
this.bitmapLocked = false;
}
public Motion(String fileNameMotion, DateTime motionDateTime, Bitmap image, String fileNameProc, Bitmap imageProc) {
this.fileNameMotion = fileNameMotion;
this.fileNameProc = fileNameProc;
this.motionDateTime = motionDateTime;
this.motionConsecutive = false;
this.imageMotion = (Bitmap)image.Clone();
this.imageProc = imageProc != null ? (Bitmap)imageProc.Clone() : null;
this.motionSaved = false;
this.bitmapLocked = false;
}
}
List<Motion> _motionsList = new List<Motion>(); // list of Motion, which are motion sequences if 'consecutive' is true
int _motionsDetected = 0; // all motions detection counter
int _consecutivesDetected = 0; // consecutive motions counter
System.Timers.Timer _timerMotionSequenceActive = null; // timer is active for 1s, after a motion sequence was detected, used to overvote a false positive mation
string _strOverVoteFalsePositive = ""; // global string, it's either "" or "o"
bool _justConnected = false; // just connected
double _fps = 0; // current frame rate
long _procMs = 0; // current process time
long _procMsMin = long.MaxValue; // min process time
long _procMsMax = 0; // max process time
long _proc450Ms = 0; // count number of process time >450ms
Size _sizeBeforeResize; // MainForm size before a change was made by User
double BRIGHTNESS_CHANGE_THRESHOLD = 10.0f; // experimental: camera exposure control thru app
int _brightnessNoChangeCounter = 0; // experimental: camera no brightness change counter
TimeSpan _midNight = new System.TimeSpan(0, 0, 0); // magic times
TimeSpan _videoTime = new System.TimeSpan(19, 0, 0);
public static TimeSpan BootTimeBeg = new System.TimeSpan(0, 30, 0);
public static TimeSpan BootTimeEnd = new System.TimeSpan(0, 31, 0);
int _dailyVideoErrorCount = 0; // make video error counter to prevent loops
bool _dailyVideoInProgress = false; // make video in progress flag
TeleSharp.TeleSharp _Bot = null; // Telegram bot
bool _alarmSequence = false;
bool _alarmSequenceAsap = false;
bool _alarmSequenceBusy = false;
bool _alarmNotify = false; // sends all motions (SaveMotions) or a sequence photo every 60 consecutives (SaveSequence)
string _notifyText = "";
DateTime _lastSequenceSendTime = new DateTime(); // limit video/photo sequence send cadence
bool _sendVideo = false;
MessageSender _notifyReceiver = null;
MessageSender _sequenceReceiver = null;
DateTime _connectionLiveTick = DateTime.Now;
int _telegramOnErrorCount = 0;
int _telegramLiveTickErrorCount = 0;
int _telegramRestartCounter = 0;
bool _runPing = false;
List<string> telegramMasterMessageCache = new List<string>(); // msg collector, sent latest when connection is established
long ONE_GB = 1000000000; // constants for file delete
long TWO_GB = 2000000000;
long TEN_GB = 10000000000;
Font _pctFont = new Font("Arial", 15, FontStyle.Bold, GraphicsUnit.Pixel);
// the one and only way to avoid the 'red cross exception' in pictureBox: "wrong parameter"
public class PictureBoxPlus : PictureBox {
// magic: catch exceptions inside 'protected override void OnPaint'; there is NO way to interpret/avoid them, since they come from the underlying Win32
protected override void OnPaint(PaintEventArgs pea) {
try {
base.OnPaint(pea);
} catch {; }
}
}
// picturebox zoom & pan
private PictureBoxPlus pictureBox;
private int _iScaleStep = 0;
private System.Windows.Rect _iRect = new System.Windows.Rect();
private System.Drawing.Point _mouseDown = new System.Drawing.Point();
private bool _stillImage = false;
private System.Windows.Point _eOld = new System.Windows.Point(-1, -1);
protected override void OnMouseWheel(MouseEventArgs e) {
// mouse shall be in the ranges of pictureBox
if ( e.X >= 0 && e.X < pictureBox.Width && e.Y >= 60 && e.Y < 60 + pictureBox.Height ) {
// sanity check
if ( !_stillImage ) {
return;
}
// init
if ( _eOld.X == -1 ) {
_eOld.X = e.X;
_eOld.Y = e.Y;
}
// happens once at start
if ( _iScaleStep == 0 ) {
_iRect = new System.Windows.Rect(0, 0, _origFrame.Width, _origFrame.Height);
pictureBox.Image = _origFrame;
}
// mouse was potentially moved before coming here
double xMove = e.X - _eOld.X;
double yMove = e.Y - _eOld.Y;
// wheel direction
if ( e.Delta != 0 ) {
// picturebox y offset
int yOfs = this.ClientSize.Height - pictureBox.Height;
// actual zooming
if ( e.Delta > 0 ) { // zoom in
// mouse was potentially moved before coming here, correct it matching to the latest known zoom scale
xMove /= Math.Pow(0.9f, _iScaleStep);
yMove /= Math.Pow(0.9f, _iScaleStep);
// somehow limit zoom
if ( _iRect.Width * 0.9f > this.pictureBox.Size.Width / 4 ) {
_iScaleStep++;
_iRect = new System.Windows.Rect(_iRect.X, _iRect.Y, _iRect.Width * 0.9f, _iRect.Height * 0.9f);
} else {
return;
}
} else { // zoom out
// mouse was potentially moved before coming here, correct it matching to the latest known zoom scale
xMove *= Math.Pow(0.9f, _iScaleStep);
yMove *= Math.Pow(0.9f, _iScaleStep);
// border constraints: width & height
if ( _iRect.Width / 0.9f > _origFrame.Width ) {
_iRect = new System.Windows.Rect(_iRect.X, _iRect.Y, _origFrame.Width, _origFrame.Height);
} else {
_iScaleStep--;
_iRect = new System.Windows.Rect(_iRect.X, _iRect.Y, _iRect.Width / 0.9f, _iRect.Height / 0.9f);
}
}
// mouse cursor X ratio to pictureBox width in percent
double pctXpos = (double)e.X / (double)pictureBox.ClientSize.Width;
// margin between original Bmp and zoomed tile of Bmp
double xMargin = _origFrame.Width - _iRect.Width;
// 'cursor X ratio' moves left bound of zoomed tile to xLeft position
double xLeft = xMargin * pctXpos;
// correct 'previous e.X before coming here (mouse move by user)' vs. 'current e.X
_iRect.X = Math.Max(0, xLeft + xMove);
// the same to y
double pctYpos = (double)(e.Y - yOfs) / (double)pictureBox.ClientSize.Height;
_iRect.Y = Math.Max(0, (int)((double)(_origFrame.Height - _iRect.Height) * pctYpos) + yMove);
// border constraints: x + width & y + height
if ( _iRect.X + _iRect.Width > _origFrame.Width ) {
_iRect.X = _origFrame.Width - _iRect.Width;
}
if ( _iRect.Y + _iRect.Height > _origFrame.Height ) {
_iRect.Y = _origFrame.Height - _iRect.Height;
}
// render image
Bitmap bmp = _origFrame.Clone(new Rectangle((int)_iRect.X, (int)_iRect.Y, (int)_iRect.Width, (int)_iRect.Height), PixelFormat.Format24bppRgb);
pictureBox.Image = bmp;
// save current mouse position
_eOld = new System.Windows.Point(e.X, e.Y);
}
// 1 : 1
if ( _iScaleStep == 0 ) {
_iRect = new System.Windows.Rect(0, 0, _origFrame.Width, _origFrame.Height);
pictureBox.Image = _origFrame;
}
}
base.OnMouseWheel(e);
}
private void pictureBox_OnMouseDown(object sender, MouseEventArgs e) {
// sanity check
if ( !_stillImage ) {
return;
}
// initial mouse down position
if ( e.Button == MouseButtons.Left ) {
int yOfs = this.ClientSize.Height - pictureBox.Height;
_mouseDown.X = e.X;
_mouseDown.Y = e.Y;
}
// reset all zoom & pan to centered 1:1
if ( e.Button == MouseButtons.Right ) {
_eOld = new System.Windows.Point(-1, -1);
_iScaleStep = 0;
_mouseDown = new System.Drawing.Point();
_iRect = new System.Windows.Rect(0, 0, _origFrame.Width, _origFrame.Height);
pictureBox.Image = _origFrame;
}
}
private void pictureBox_OnMouseMove(object sender, MouseEventArgs e) {
if ( !_stillImage ) {
return;
}
if ( e.Button == MouseButtons.Left ) {
double pixelScaler = (double)_iRect.Width / (double)pictureBox.Width;
int deltaX = (int)Math.Round((double)(e.X - _mouseDown.X) * pixelScaler);
if ( deltaX != 0 ) {
int newX = (int)_iRect.X - deltaX;
if ( newX + _iRect.Width > _origFrame.Width ) {
newX = _origFrame.Width - (int)_iRect.Width;
}
if ( newX < 0 ) {
newX = 0;
}
_iRect.X = newX;
}
int yOfs = this.ClientSize.Height - pictureBox.Height;
int deltaY = (int)Math.Round((double)(e.Y - _mouseDown.Y) * pixelScaler);
if ( deltaY != 0 ) {
int newY = (int)_iRect.Y - deltaY;
if ( newY + _iRect.Height > _origFrame.Height ) {
newY = _origFrame.Height - (int)_iRect.Height;
}
if ( newY < 0 ) {
newY = 0;
}
_iRect.Y = newY;
}
Bitmap bmp = _origFrame.Clone(new Rectangle((int)_iRect.X, (int)_iRect.Y, (int)_iRect.Width, (int)_iRect.Height), PixelFormat.Format24bppRgb);
pictureBox.Image = bmp;
// memorize latest mouse down position
_mouseDown.X = e.X;
_mouseDown.Y = e.Y;
}
}
public MainForm() {
// form designer standard init
InitializeComponent();
// timer indicates an active motion sequence
_timerMotionSequenceActive = new System.Timers.Timer(1000);
_timerMotionSequenceActive.AutoReset = false; // 'AutoReset = false' let timer expire after 1s --> single shot
//_timerMotionSequenceActive.Elapsed += (s, e) => { ; )}; // tick/elapsed handler is not needed
// avoid empty var
_sizeBeforeResize = this.Size;
// subclassed PictureBoxPlus handles the 'red cross exception', couldn't find a way to make this class accessible thru designer & toolbox (exception thrown when dragging to form)
this.pictureBox = new PictureBoxPlus();
((System.ComponentModel.ISupportInitialize)(this.pictureBox)).BeginInit();
this.pictureBox.BackColor = System.Drawing.SystemColors.ActiveBorder;
this.pictureBox.Dock = System.Windows.Forms.DockStyle.Fill;
this.pictureBox.Margin = new System.Windows.Forms.Padding(0);
this.pictureBox.Name = "pictureBox";
this.pictureBox.Size = new System.Drawing.Size(796, 492);
this.pictureBox.SizeMode = System.Windows.Forms.PictureBoxSizeMode.Zoom;
this.pictureBox.TabIndex = 0;
this.pictureBox.TabStop = false;
this.tableLayoutPanelGraphs.Controls.Add(this.pictureBox, 0, 0);
this.pictureBox.MouseDown += new System.Windows.Forms.MouseEventHandler(this.pictureBox_OnMouseDown);
this.pictureBox.MouseMove += new System.Windows.Forms.MouseEventHandler(this.pictureBox_OnMouseMove);
((System.ComponentModel.ISupportInitialize)(this.pictureBox)).EndInit();
// prevent flickering when paint: https://stackoverflow.com/questions/24910574/how-to-prevent-flickering-when-using-paint-method-in-c-sharp-winforms
Control ctrl = this.tableLayoutPanelGraphs;
ctrl.GetType()
.GetProperty("DoubleBuffered",
System.Reflection.BindingFlags.Instance | System.Reflection.BindingFlags.NonPublic)
.SetValue(this.tableLayoutPanelGraphs, true, null);
ctrl = this.pictureBox;
ctrl.GetType()
.GetProperty("DoubleBuffered",
System.Reflection.BindingFlags.Instance | System.Reflection.BindingFlags.NonPublic)
.SetValue(this.pictureBox, true, null);
// memorize the initial camera connect button text
_buttonConnectString = this.connectButton.Text;
// add "about entry" to app's system menu
SetupSystemMenu();
// distinguish between 'forced reboot app start after ping fail' and a 'regular app start'
AppSettings.IniFile ini = new AppSettings.IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
if ( bool.Parse(ini.IniReadValue("MotionUVC", "RebootPingFlagActive", "False")) ) {
// app start due to a app forced reboot after ping fail
ini.IniWriteValue("MotionUVC", "RebootPingFlagActive", "False");
} else {
// if app was started regular, reset the ping reboot counter
ini.IniWriteValue("MotionUVC", "RebootPingCounter", "0");
}
// get settings from INI
Settings.fillPropertyGridFromIni();
// log start
Settings.WriteLogfile = bool.Parse(ini.IniReadValue("MotionUVC", "WriteLogFile", "False"));
Logger.WriteToLog = Settings.WriteLogfile;
string path = ini.IniReadValue("MotionUVC", "StoragePath", Application.StartupPath + "\\");
if ( !path.EndsWith("\\") ) {
path += "\\";
}
Logger.FullFileNameBase = path + Path.GetFileName(Application.ExecutablePath);
Logger.logTextU("\r\n---------------------------------------------------------------------------------------------------------------------------\r\n");
System.Reflection.Assembly assembly = System.Reflection.Assembly.GetExecutingAssembly();
System.Diagnostics.FileVersionInfo fvi = System.Diagnostics.FileVersionInfo.GetVersionInfo(assembly.Location);
Logger.logTextLnU(DateTime.Now, String.Format("{0} {1}", assembly.FullName, fvi.FileVersion));
// distinguish between regular app start and a restart after app crash
if ( bool.Parse(ini.IniReadValue("MotionUVC", "AppCrash", "False")) ) {
// distinguish between app crash and OS crash + store msg in telegramMasterMessageCache
if ( (DateTime.Now - getOsBootTime()).TotalMinutes < 15 ) {
Logger.logTextLnU(DateTime.Now, "App was restarted after unscheduled OS reboot");
telegramMasterMessageCache.Add("app restart after unscheduled OS reboot");
} else {
Logger.logTextLnU(DateTime.Now, "App was restarted after crash");
telegramMasterMessageCache.Add("app restart after crash");
}
} else {
Logger.logTextLn(DateTime.Now, "App start regular");
}
// before processing, images will be scaled down to a real image size
Settings.ScaledImageSize = new Size(800, 600);
// IMessageFilter - an encapsulated message filter
// - also needed: class declaration "public partial class MainForm: Form, IMessageFilter"
// - also needed: event handler "public bool PreFilterMessage( ref Message m )"
// - also needed: Application.RemoveMessageFilter(this) when closing this form
Application.AddMessageFilter(this);
}
// called when MainForm is finally shown
private void MainForm_Shown(object sender, EventArgs e) {
#if DEBUG
AutoMessageBox.Show("Ok to start session", "DEBUG Session", 60000);
#endif
AppSettings.IniFile ini = new AppSettings.IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
// from now on assume an app crash as default behavior: this flag is reset to False, if app closes the normal way
ini.IniWriteValue("MotionUVC", "AppCrash", "True");
// set app properties according to settings; in case ini craps out, delete it and begin from scratch with defaults
try {
updateAppPropertiesFromSettings();
} catch {
System.IO.File.Delete(System.Windows.Forms.Application.ExecutablePath + ".ini");
Settings.fillPropertyGridFromIni();
}
}
// when MainForm is loaded
private void MainForm_Load(object sender, EventArgs e) {
// check for UVC devices
getCameraBasics();
EnableConnectionControls(true);
}
// update app from settings
void updateAppPropertiesFromSettings() {
// UI app layout
this.Size = Settings.FormSize;
// get all display ranges (multiple monitors) and check, if desired location fits in
Rectangle dispRange = new Rectangle(0, 0, 0, int.MaxValue);
foreach ( Screen sc in Screen.AllScreens ) {
dispRange.X = Math.Min(sc.Bounds.X, dispRange.X);
dispRange.Width += sc.Bounds.Width;
dispRange.Height = Math.Min(sc.Bounds.Height, dispRange.Height);
}
dispRange.X -= Settings.FormSize.Width / 2;
dispRange.Height -= Settings.FormSize.Height / 2;
if ( !dispRange.Contains(Settings.FormLocation) ) {
Settings.FormLocation = new Point(100, 100);
}
this.Location = Settings.FormLocation;
// UI exposure controls
this.hScrollBarExposure.Minimum = Settings.ExposureMin;
this.hScrollBarExposure.Maximum = Settings.ExposureMax;
this.hScrollBarExposure.Value = Settings.ExposureVal;
this.toolTip.SetToolTip(this.hScrollBarExposure, "camera exposure time = " + Settings.ExposureVal.ToString() + " (" + this.hScrollBarExposure.Minimum.ToString() + ".." + this.hScrollBarExposure.Maximum.ToString() + ")");
// write to logfile
Logger.WriteToLog = Settings.WriteLogfile;
if ( !Settings.StoragePath.EndsWith("\\") ) {
Settings.StoragePath += "\\";
}
Logger.FullFileNameBase = Settings.StoragePath + Path.GetFileName(Application.ExecutablePath);
// get ROI motion zones
_roi = Settings.getROIsListFromPropertyGrid();
// handle Telegram bot usage
System.Net.NetworkInformation.PingReply reply = execPing(Settings.PingTestAddress);
if ( reply != null && reply.Status == System.Net.NetworkInformation.IPStatus.Success ) {
Settings.PingOk = true;
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: ping ok");
} else {
Settings.PingOk = false;
Logger.logTextLnU(DateTime.Now, "updateAppPropertiesFromSettings: ping failed");
if ( Settings.UseTelegramBot ) {
if ( _Bot == null ) {
Logger.logTextLnU(DateTime.Now, "updateAppPropertiesFromSettings: Telegram not activated due to ping fail");
} else {
// it might happen, that timerFlowControl jumped in earlier
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram obviously activated by timerFlowControl");
TelegramSendMasterMessage("Telegram obviously activated by timerFlowControl");
}
}
}
if ( Settings.PingOk ) {
// could be, that Telegram was recently enabled in Settings, but don't activate it, if restart count is already too large
if ( Settings.UseTelegramBot && Settings.TelegramRestartAppCount < 5 ) {
if ( _Bot == null ) {
_Bot = new TeleSharp.TeleSharp(Settings.BotAuthenticationToken);
_Bot.OnMessage += OnMessage;
_Bot.OnError += OnError;
_Bot.OnLiveTick += OnLiveTick;
this.timerCheckTelegramLiveTick.Start();
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram bot activated");
// send cached master messages
while ( telegramMasterMessageCache.Count > 0 ) {
TelegramSendMasterMessage(telegramMasterMessageCache[0]);
telegramMasterMessageCache.RemoveAt(0);
}
TelegramSendMasterMessage("Telegram bot activated");
} else {
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram is already active");
TelegramSendMasterMessage("Telegram bot was already active");
}
// restart alarm notify if previously enabled
_alarmNotify = false;
_notifyReceiver = new MessageSender();
_notifyReceiver.Id = -1;
_notifyText = "";
if ( Settings.KeepTelegramNotifyAction ) {
if ( Settings.KeepTelegramNotifyAction && Settings.TelegramNotifyReceiver <= 0 ) {
Logger.logTextLnU(DateTime.Now, "updateAppPropertiesFromSettings: 'TelegramNotifyReceiver' is not valid");
AutoMessageBox.Show("The 'TelegramNotifyReceiver' is not valid, alarm notification won't work unless it is changed.", "Note", 5000);
} else {
_alarmNotify = true;
_notifyReceiver.Id = Settings.TelegramNotifyReceiver;
_notifyText = " - permanent alarm notification active";
}
}
} else {
if ( Settings.TelegramRestartAppCount >= 5 ) {
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram not activated due to app restart limit");
} else {
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram not activated");
}
}
}
// could be, that Telegram was recently disabled in Settings
if ( !Settings.UseTelegramBot ) {
if ( _Bot != null ) {
_Bot.OnMessage -= OnMessage;
_Bot.OnError -= OnError;
_Bot.OnLiveTick -= OnLiveTick;
_Bot.Stop();
this.timerCheckTelegramLiveTick.Stop();
_Bot = null;
// if Telegram is actively disabled, disable permanent alarm notification too
Settings.KeepTelegramNotifyAction = false;
Settings.TelegramNotifyReceiver = -1;
_notifyText = "";
Logger.logTextLn(DateTime.Now, "updateAppPropertiesFromSettings: Telegram bot deactivated");
}
}
// ping monitoring in a UI-thread separated task, which is a loop !! overrides Settings.PingOk !!
Settings.PingTestAddressRef = Settings.PingTestAddress;
if ( !_runPing ) {
_runPing = true;
Task.Run(() => { doPingLooper(ref _runPing, ref Settings.PingTestAddressRef); });
}
// if camera was already started, allow to start OR stop webserver
if ( this.connectButton.Text != this._buttonConnectString ) {
if ( Settings.RunWebserver ) {
ImageWebServer.Start();
}
}
if ( !Settings.RunWebserver ) {
ImageWebServer.Stop();
}
// handle auto start motion detection via camera start
if ( Settings.DetectMotion ) {
// click camera button to start it, if not yet running: would start webserver too if enabled
if ( this.connectButton.Text == this._buttonConnectString ) {
this.connectButton.PerformClick();
}
} else {
// don't click camera button to stop it, if running - because it's an autostart property
//if ( this.connectButton.Text != this._buttonConnectString ) {
// this.connectButton.PerformClick();
//}
}
// sync to motion count from today
getTodaysMotionsCounters();
// check whether settings were forcing a 'make video now'
if ( Settings.MakeVideoNow ) {
Task.Run(() => { makeMotionVideo(Settings.CameraResolution); });
}
}
// update settings from app
void updateSettingsFromAppProperties() {
Settings.FormSize = this.Size;
Settings.FormLocation = this.Location;
Settings.ExposureVal = this.hScrollBarExposure.Value;
Settings.ExposureMin = this.hScrollBarExposure.Minimum;
Settings.ExposureMax = this.hScrollBarExposure.Maximum;
}
// send a message to master
void TelegramSendMasterMessage(String message) {
if ( Settings.UseTelegramBot && _Bot != null && Settings.TelegramWhitelist.Count > 0 && Settings.TelegramSendMaster ) {
string chatid = Settings.TelegramWhitelist[0].Split(',')[1];
_Bot.SendMessage(new SendMessageParams {
ChatId = chatid,
Text = message
});
}
}
// get OS boot time
[DllImport("Kernel32.dll")]
static extern long GetTickCount64();
DateTime getOsBootTime() {
return DateTime.Now.AddMilliseconds(-(double)GetTickCount64());
}
// update today's motions counters; perhaps useful, if app is restarted during the day
private void getTodaysMotionsCounters() {
DateTime now = DateTime.Now;
string nowString = now.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
if ( DateTime.Now.TimeOfDay >= new System.TimeSpan(19, 0, 0) ) {
now = now.AddDays(1);
nowString = now.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
}
string path = System.IO.Path.Combine(Settings.StoragePath, nowString);
System.IO.Directory.CreateDirectory(path);
DirectoryInfo di = new DirectoryInfo(path);
FileInfo[] files = di.GetFiles("*.jpg");
// save all but no sequences
if ( Settings.SaveMotion && !Settings.SaveSequences ) {
_motionsDetected = files.Length;
_consecutivesDetected = 0;
}
// save sequences only
if ( !Settings.SaveMotion && Settings.SaveSequences ) {
_consecutivesDetected = files.Length != 0 ? files.Length : 0;
// a bit of fake: _motionsDetected will always be larger than _consecutivesDetected, but _motionsDetected is not saved anywhere
_motionsDetected = _consecutivesDetected;
// in case path _nonc exists, adjust _motionsDetected accordingly
string noncPath = System.IO.Path.Combine(Settings.StoragePath, nowString + "_nonc");
di = new DirectoryInfo(noncPath);
if ( di.Exists ) {
_motionsDetected += di.GetFiles("*.jpg").Length;
}
}
}
// a general timer 1x / 30s for app flow control
private void timerFlowControl_Tick(object sender, EventArgs e) {
// check once per 30s, whether to search & send an alarm video sequence; ideally it's just the rest after an already sent sequence of 6 motions started from detectMotion(..)
if ( _alarmSequence && !_alarmSequenceBusy ) {
// busy flag to prevent overrun
_alarmSequenceBusy = true;
// don't continue, if list is empty
if ( _motionsList.Count == 0 ) {
_alarmSequenceBusy = false;
return;
}
// don't continue, if latest stored motion is older than 35s
if ( (DateTime.Now - _motionsList[_motionsList.Count - 1].motionDateTime).TotalSeconds > 35 ) {
_alarmSequenceBusy = false;
return;
}
// pick the most recent consecutive motion
int lastConsecutiveNdx = -1;
Motion mo = new Motion("", new DateTime(1900, 01, 01));
try {
for ( int i = _motionsList.Count - 1; i >= 0; i-- ) {
if ( _motionsList[i].motionConsecutive ) {
mo = _motionsList[i];
lastConsecutiveNdx = i;
break;
}
}
} catch ( Exception exc ) {
Logger.logTextLnU(DateTime.Now, String.Format("timerFlowControl_Tick exc:{0}", exc.Message));
_alarmSequenceBusy = false;
return;
}
// don't continue, if latest consecutive motion doeas not exist or is older than 35s
if ( lastConsecutiveNdx == -1 || (DateTime.Now - mo.motionDateTime).TotalSeconds > 35 ) {
_alarmSequenceBusy = false;
return;
}
// add dummy entry to the original motion list, it acts like a marker of what was previously sent
try {
_motionsList.Add(new Motion("", new DateTime(1900, 1, 1)));
if ( Settings.DebugMotions ) {
int i = _motionsList.Count - 1;
Motion m = _motionsList[i];
Logger.logMotionListEntry("dummy", i, m.imageMotion != null, m.motionConsecutive, m.motionDateTime, m.motionSaved);
}
} catch {;}
// make a sub list containing the latest consecutive motions
List<Motion> subList = new List<Motion>();
for ( int i = lastConsecutiveNdx; i>=0; i-- ) {
if ( _motionsList[i].motionConsecutive ) {
subList.Insert(0, _motionsList[i]);
} else {
break;
}
}
// don't continue, if subList is too small
if ( subList.Count < 2 ) {
_alarmSequenceBusy = false;
return;
}
// make latest motion video sequence, send it via Telegram and reset flag _alarmSequenceBusy when done
Task.Run(() => {
makeMotionSequence(subList, Settings.CameraResolution);
});
}
// once per hour
if ( DateTime.Now.Minute % 60 == 0 && DateTime.Now.Second < 31) {
// log once per hour the current app status
bool currentWriteLogStatus = Settings.WriteLogfile;
if ( !Settings.WriteLogfile ) {
Settings.WriteLogfile = true;
}
Logger.logTextLnU(DateTime.Now,
String.Format("motions [x] abs/seq: {0}/{1}\tprocess times [ms][x] curr/mín/max/>450: {2}/{3}/{4}/{5}\tbot alive={6}",
_motionsDetected,
_consecutivesDetected,
_procMs,
_procMsMin,
_procMsMax,
_proc450Ms,
(_Bot != null)));
_procMsMin = long.MaxValue;
_procMsMax = 0;
_proc450Ms = 0;
if ( !currentWriteLogStatus ) {
Settings.WriteLogfile = currentWriteLogStatus;
}
// check if remaining disk space is less than 2GB
if ( (Settings.SaveMotion || Settings.SaveSequences) && driveFreeBytes(Settings.StoragePath) < TWO_GB ) {
Logger.logTextLnU(DateTime.Now, "timerFlowControl_Tick: free disk space <2GB");
// delete avi-files in storage folder, try to gain 10GB space (could mean all of them)
deleteAviFiles(Settings.StoragePath, TEN_GB);
// if the remaining disk space is still less than 1GB, start deleting the oldest image folder
if ( driveFreeBytes(Settings.StoragePath) < ONE_GB ) {
Logger.logTextLnU(DateTime.Now, "timerFlowControl_Tick: free disk space <1GB");
// delete the 5 oldest image folders
for ( int i = 0; i < 5; i++ ) {
deleteOldestImageFolder(Settings.StoragePath);
}
// if finally the remaining disk space is still less than 1GB
if ( driveFreeBytes(Settings.StoragePath) < ONE_GB ) {
// check alternative storage path and switch to it if feasible
if ( System.IO.Directory.Exists(Settings.StoragePathAlt) && driveFreeBytes(Settings.StoragePathAlt) > TEN_GB ) {
Settings.StoragePath = Settings.StoragePathAlt;
Logger.logTextLnU(DateTime.Now, "Now using alternative storage path.");
return;
}
// if finally the remaining disk space were still less than 1GB --> give up storing anything on disk
Logger.logTextLnU(DateTime.Now, "MotionUVC stops saving detected motions due to lack of disk space.");
Settings.SaveMotion = false;
Settings.SaveSequences = false;
Settings.writePropertyGridToIni();
}
}
}
}
// one check every 15 minutes
if ( DateTime.Now.Minute % 15 == 0 && DateTime.Now.Second < 31 ) {
// log cleanup
if ( Settings.DebugMotions ) {
Logger.logMotionListExtra(String.Format("{0} cleanup start: {1}", DateTime.Now.ToString("HH-mm-ss_fff"), _motionsList.Count));
}
// clean up _motionList from leftover Bitmaps
DateTime now = DateTime.Now;
for ( int i=0; i < _motionsList.Count; i++ ) {
// ignore all entries younger than 60s: TBD ?? what if a sequence is longer than 60s ??
if ( (now - _motionsList[i].motionDateTime).TotalSeconds > 60 ) {
// release hires images
if ( _motionsList[i].imageMotion != null ) {
_motionsList[i].imageMotion.Dispose();
_motionsList[i].imageMotion = null;
// debug motion list: only log disposed images
if ( Settings.DebugMotions ) {
Motion m = _motionsList[i];
Logger.logMotionListEntry("flowctl", i, m.imageMotion != null, m.motionConsecutive, m.motionDateTime, m.motionSaved);
}
}
// lores images
if ( Settings.DebugNonConsecutives ) {
// save an release
if ( _motionsList[i].imageProc != null ) {
string pathNonC = System.IO.Path.GetDirectoryName(_motionsList[i].fileNameProc);
pathNonC = pathNonC.Substring(0, pathNonC.Length - 4) + "nonc";
string fileNonC = System.IO.Path.GetFileName(_motionsList[i].fileNameProc);
System.IO.Directory.CreateDirectory(pathNonC);
_motionsList[i].imageProc.Save(System.IO.Path.Combine(pathNonC, fileNonC), System.Drawing.Imaging.ImageFormat.Jpeg);
_motionsList[i].imageProc.Dispose();
_motionsList[i].imageProc = null;
}
} else {
// release only
if ( _motionsList[i].imageProc != null ) {
_motionsList[i].imageProc.Dispose();
_motionsList[i].imageProc = null;
}
}
}
}
// log cleanup
if ( Settings.DebugMotions ) {
Logger.logMotionListExtra("cleanup finished");
}
// try to restart Telegram, if it should run but it doesn't due to an internal fail
if ( Settings.UseTelegramBot && _Bot == null && Settings.TelegramRestartAppCount < 5 ) {
// restart app after too many failing Telegram restarts in the current app session
if ( _telegramRestartCounter > 5 ) {
// set flag, that this is not an app crash
AppSettings.IniFile ini = new AppSettings.IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
ini.IniWriteValue("MotionUVC", "AppCrash", "False");
// memorize count of Telegram malfunctions forcing an app restart: needed to avoid restart loops
Settings.TelegramRestartAppCount++;
ini.IniWriteValue("MotionUVC", "TelegramRestartAppCount", Settings.TelegramRestartAppCount.ToString());
Logger.logTextLnU(DateTime.Now, String.Format("timerFlowControl_Tick: Telegram restart count > 5, now restarting MotionUVC"));
// restart MotionUVC: if Telegram restart count in session > 5, then restart app (usual max. 2 over months)
string exeName = System.Diagnostics.Process.GetCurrentProcess().MainModule.FileName;
ProcessStartInfo startInfo = new ProcessStartInfo(exeName);
try {
System.Diagnostics.Process.Start(startInfo);
this.Close();
} catch ( Exception ) {; }
} else {
// restart Telegram
try {
_telegramRestartCounter++;
Logger.logTextLnU(DateTime.Now, String.Format("timerFlowControl_Tick: Telegram restart #{0} of 5", _telegramRestartCounter));
_telegramOnErrorCount = 0;
_Bot = new TeleSharp.TeleSharp(Settings.BotAuthenticationToken);
_Bot.OnMessage += OnMessage;
_Bot.OnError += OnError;
_Bot.OnLiveTick += OnLiveTick;
this.timerCheckTelegramLiveTick.Start();
// send so far unsent cached master messages
while ( telegramMasterMessageCache.Count > 0 ) {
TelegramSendMasterMessage(telegramMasterMessageCache[0]);
telegramMasterMessageCache.RemoveAt(0);
}
} catch( Exception ex ) {
Logger.logTextLnU(DateTime.Now, String.Format("timerFlowControl_Tick exception: {0}", ex.Message));
}
}
}
// EXPERIMENTAL: check for a gradual image brightness change and adjust camera exposure time accordingly
if ( Settings.ExposureByApp ) {
// get brightness change over time
double brightnessChange = GrayAvgBuffer.GetSlope();
// brightness change shall exceed an empirical threshold
if ( _brightnessNoChangeCounter >= 4 ) {
_brightnessNoChangeCounter = 0;
Logger.logTextLn(DateTime.Now, string.Format("timerFlowControl_Tick: no brightness change detected {0:0.###} vs. {1}", brightnessChange, BRIGHTNESS_CHANGE_THRESHOLD));
}
if ( Math.Abs(brightnessChange) < BRIGHTNESS_CHANGE_THRESHOLD ) {
_brightnessNoChangeCounter++;
return;
}
// get current exposure time
int currValue;
bool success = getCameraExposureTime(out currValue);
if ( !success ) {
Logger.logTextLn(DateTime.Now, "timerFlowControl_Tick: no current exposure time returned");
return;
}
// distinguish between images got brighter vs. darker
int changeValue = currValue;
if ( brightnessChange < 0 ) {
changeValue++;
} else {
changeValue--;
}
// set new exposure time
int newValue;
success = setCameraExposureTime(changeValue, out newValue);
if ( !success ) {
Logger.logTextLn(DateTime.Now, "timerFlowControl_Tick: no new exposure time returned");
return;
}
// reset brightness monitor history
GrayAvgBuffer.ResetData();
// update UI
_brightnessNoChangeCounter = 0;
Logger.logTextLn(DateTime.Now, string.Format("timerFlowControl_Tick: camera exposure time old={0} new={1}", currValue, newValue));
updateUiCameraProperties();
}
}
// only care, if making a daily video is active
if ( Settings.MakeDailyVideo ) {
// make video from today's images at 19:00:00: if not done yet AND if today's error count < 5 AND not in progress
if ( DateTime.Now.TimeOfDay >= _videoTime && !Settings.DailyVideoDone && (_dailyVideoErrorCount < 5) && !_dailyVideoInProgress ) {
// generate daily video: a) from single motion images b) from motion sequences afterwards
Task.Run(() => { makeMotionVideo(Settings.CameraResolution); });
// clear _motionsList for current day
for ( int i = 0; i < _motionsList.Count; i++ ) {
// dispose hires if existing
if ( _motionsList[i].imageMotion != null ) {
_motionsList[i].imageMotion.Dispose();
_motionsList[i].imageMotion = null;
}
// dispose lores if existing
if ( _motionsList[i].imageProc != null ) {
_motionsList[i].imageProc.Dispose();
_motionsList[i].imageProc = null;
}
}
_motionsList.Clear();
// done
return;
}
// prevent 'make video' loops in case of errors
if ( _dailyVideoErrorCount == 5 ) {
_dailyVideoErrorCount = int.MaxValue;
Logger.logTextLnU(DateTime.Now, "timerFlowControl_Tick: too many 'make video' errors, giving up for today");
}
// some time after 19:00 _dailyVideoDone might become TRUE, it needs to reset after midnight
if ( Settings.DailyVideoDone && DateTime.Now.TimeOfDay >= _midNight && DateTime.Now.TimeOfDay < _videoTime ) {
// reset _dailyVideoDone right after midnight BUT not after 19:00
Settings.DailyVideoDone = false;
IniFile ini = new IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
ini.IniWriteValue("MotionUVC", "DailyVideoDoneForToday", "False");
_dailyVideoErrorCount = 0;
_dailyVideoInProgress = false;
Logger.logTextLnU(DateTime.Now, "timerFlowControl_Tick: reset video done flag at midnight");
// sync to motion count from today
getTodaysMotionsCounters();
}
}
// actions around 00:30 --> timer tick is 30s, so within a range of 60s this condition will be met once for sure (surely 2x)
if ( DateTime.Now.TimeOfDay >= MainForm.BootTimeBeg && DateTime.Now.TimeOfDay <= MainForm.BootTimeEnd ) {
// reset Telegram restart counter for the app current session
_telegramRestartCounter = 0;
// reset 'Telegram malfunction forced app restart' counter
if ( Settings.TelegramRestartAppCount > 0 ) {
Settings.TelegramRestartAppCount = 0;
AppSettings.IniFile ini = new AppSettings.IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
ini.IniWriteValue("MotionUVC", "TelegramRestartAppCount", "0");
}
// only care, if daily reboot of Windows-OS is active
if ( Settings.RebootDaily ) {
Logger.logTextLnU(DateTime.Now, "Now: daily reboot system");
// INI: write to ini
updateSettingsFromAppProperties();
Settings.writePropertyGridToIni();
// a planned reboot is not a crash
AppSettings.IniFile ini = new AppSettings.IniFile(System.Windows.Forms.Application.ExecutablePath + ".ini");
ini.IniWriteValue("MotionUVC", "AppCrash", "False");
// reboot
System.Diagnostics.Process.Start("shutdown", "/r /f /y /t 1"); // REBOOT: /f == force if /t > 0; /y == yes to all questions asked
} else {
// reset counters etc
_motionsList.Clear();
getTodaysMotionsCounters();
}
}
}
// make video sequence from motion/image data stored in mol aka List<Motion>
public void makeMotionSequence(List<Motion> mol, Size size) {
// folder and video file name
DateTime now = DateTime.Now;
Logger.logTextLnU(DateTime.Now, "makeMotionSequence: 'on demand' start");
string nowString = now.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
string path = System.IO.Path.Combine(Settings.StoragePath, nowString + "_sequ");
System.IO.Directory.CreateDirectory(path);
// fileName shall distinguish between full motion sequence and an 'on demand' sequence via Telegram
string fileName = System.IO.Path.Combine(path, now.ToString("yyyyMMdd", CultureInfo.InvariantCulture) + ".avi");
if ( _alarmSequence && _Bot != null && _sequenceReceiver != null ) {
fileName = System.IO.Path.Combine(path, now.ToString("yyyyMMdd_HHmmss", CultureInfo.InvariantCulture) + ".avi");
}
Accord.Video.FFMPEG.VideoFileWriter writer = null;
// try to make a motion video sequence
try {
// video writer: !! needs both VC_redist.x86.exe and VC_redist.x64.exe installed on target PC !!
writer = new VideoFileWriter();
// create new video file
writer.Open(fileName, size.Width, size.Height, 25, VideoCodec.MPEG4);
Bitmap image;
// loop list
foreach ( Motion mo in mol ) {
if ( mo.motionConsecutive ) {
try {
if ( mo.motionSaved ) {
// if motion is already saved, get bmp from disk
image = new Bitmap(mo.fileNameMotion);
} else {
// if motion is not yet saved, get image bmp from list
image = (Bitmap)mo.imageMotion.Clone();
}
writer.WriteVideoFrame(image);
image.Dispose();
} catch {
continue;
}
}
}
writer.Close();
} catch ( Exception ex1 ) {
// update bot status
if ( _alarmSequence && _Bot != null && _sequenceReceiver != null ) {
_Bot.SendMessage(new SendMessageParams {
ChatId = _sequenceReceiver.Id.ToString(),
Text = "Make video sequence failed."
});