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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
|
// *****************************************************************************
// * This file is part of the FreeFileSync project. It is distributed under *
// * GNU General Public License: https://www.gnu.org/licenses/gpl-3.0 *
// * Copyright (C) Zenju (zenju AT freefilesync DOT org) - All Rights Reserved *
// *****************************************************************************
#include "small_dlgs.h"
#include <variant>
#include <zen/time.h>
#include <zen/format_unit.h>
#include <zen/build_info.h>
#include <zen/file_io.h>
#include <zen/http.h>
#include <wx/wupdlock.h>
#include <wx/filedlg.h>
#include <wx/clipbrd.h>
#include <wx/sound.h>
#include <wx+/choice_enum.h>
#include <wx+/bitmap_button.h>
#include <wx+/rtl.h>
#include <wx+/no_flicker.h>
#include <wx+/image_tools.h>
#include <wx+/font_size.h>
//#include <wx+/std_button_layout.h>
#include <wx+/popup_dlg.h>
#include <wx+/async_task.h>
#include <wx+/image_resources.h>
#include "gui_generated.h"
#include "folder_selector.h"
#include "version_check.h"
#include "abstract_folder_picker.h"
#include "../afs/concrete.h"
#include "../afs/gdrive.h"
#include "../afs/ftp.h"
#include "../afs/sftp.h"
#include "../base/algorithm.h"
#include "../base/synchronization.h"
#include "../base/path_filter.h"
#include "../base/icon_loader.h"
#include "../status_handler.h" //uiUpdateDue()
#include "../version/version.h"
//#include "../log_file.h"
#include "../ffs_paths.h"
#include "../icon_buffer.h"
using namespace zen;
using namespace fff;
namespace
{
class AboutDlg : public AboutDlgGenerated
{
public:
AboutDlg(wxWindow* parent);
private:
void onOkay (wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::accept)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onOpenForum(wxCommandEvent& event) override { wxLaunchDefaultBrowser(L"https://freefilesync.org/forum"); }
void onSendEmail(wxCommandEvent& event) override { wxLaunchDefaultBrowser(L"mailto:zenju@" L"freefilesync.org"); }
void onDonate (wxCommandEvent& event) override { wxLaunchDefaultBrowser(L"https://freefilesync.org/donate"); }
void onLocalKeyEvent(wxKeyEvent& event);
};
AboutDlg::AboutDlg(wxWindow* parent) : AboutDlgGenerated(parent)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonClose));
assert(m_buttonClose->GetId() == wxID_OK); //we cannot use wxID_CLOSE else Esc key won't work: yet another wxWidgets bug??
setImage(*m_bitmapLogo, loadImage("logo"));
setImage(*m_bitmapLogoLeft, loadImage("logo-left"));
setBitmapTextLabel(*m_bpButtonForum, loadImage("ffs_forum"), L"FreeFileSync Forum");
setBitmapTextLabel(*m_bpButtonEmail, loadImage("ffs_email"), L"zenju@" L"freefilesync.org");
m_bpButtonEmail->SetToolTip(L"mailto:zenju@" L"freefilesync.org");
wxString build = utfTo<wxString>(ffsVersion);
const wchar_t* const SPACED_BULLET = L" \u2022 ";
build += SPACED_BULLET;
build += LTR_MARK; //fix Arabic
build += utfTo<wxString>(cpuArchName);
build += SPACED_BULLET;
build += utfTo<wxString>(formatTime(formatDateTag, getCompileTime()));
m_staticFfsTextVersion->SetLabelText(replaceCpy(_("Version: %x"), L"%x", build));
wxString variantName;
m_staticTextFfsVariant->SetLabelText(variantName);
#ifndef wxUSE_UNICODE
#error what is going on?
#endif
{
m_bitmapAnimalBig->Hide();
setRelativeFontSize(*m_staticTextDonate, 1.20);
m_staticTextDonate->Hide(); //temporarily! => avoid impact to dialog width
setRelativeFontSize(*m_buttonDonate1, 1.25);
setBitmapTextLabel(*m_buttonDonate1, loadImage("ffs_heart", fastFromDIP(28)), m_buttonDonate1->GetLabelText());
m_buttonShowDonationDetails->Hide();
m_buttonDonate2->Hide();
}
//--------------------------------------------------------------------------
m_staticTextThanksForLoc->SetMinSize({fastFromDIP(200), -1});
m_staticTextThanksForLoc->Wrap(fastFromDIP(200));
const int scrollDelta = GetCharHeight();
m_scrolledWindowTranslators->SetScrollRate(scrollDelta, scrollDelta);
for (const TranslationInfo& ti : getAvailableTranslations())
{
//country flag
wxStaticBitmap* staticBitmapFlag = new wxStaticBitmap(m_scrolledWindowTranslators, wxID_ANY, toScaledBitmap(loadImage(ti.languageFlag)));
fgSizerTranslators->Add(staticBitmapFlag, 0, wxALIGN_CENTER);
//translator name
wxStaticText* staticTextTranslator = new wxStaticText(m_scrolledWindowTranslators, wxID_ANY, ti.translatorName, wxDefaultPosition, wxDefaultSize, 0);
fgSizerTranslators->Add(staticTextTranslator, 0, wxALIGN_CENTER_VERTICAL);
staticBitmapFlag ->SetToolTip(ti.languageName);
staticTextTranslator->SetToolTip(ti.languageName);
}
fgSizerTranslators->Fit(m_scrolledWindowTranslators);
//--------------------------------------------------------------------------
wxImage::AddHandler(new wxJPEGHandler /*ownership passed*/); //activate support for .jpg files
wxImage animalImg(utfTo<wxString>(appendPath(getResourceDirPath(), Zstr("Animal.dat"))), wxBITMAP_TYPE_JPEG);
convertToVanillaImage(animalImg);
assert(animalImg.IsOk());
//--------------------------------------------------------------------------
//have animal + text match *final* dialog width
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
{
const int imageWidth = (m_panelDonate->GetSize().GetWidth() - 5 - 5 /* grey border*/) / 2;
const int textWidth = m_panelDonate->GetSize().GetWidth() - 5 - 5 - imageWidth;
setImage(*m_bitmapAnimalSmall, shrinkImage(animalImg, imageWidth, -1 /*maxHeight*/));
m_staticTextDonate->Show();
m_staticTextDonate->Wrap(textWidth - 10 /*left gap*/); //wrap *after* changing font size
}
//--------------------------------------------------------------------------
Bind(wxEVT_CHAR_HOOK, [this](wxKeyEvent& event) { onLocalKeyEvent(event); }); //enable dialog-specific key events
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonClose->SetFocus(); //on GTK ESC is only associated with wxID_OK correctly if we set at least *any* focus at all!!!
}
void AboutDlg::onLocalKeyEvent(wxKeyEvent& event) //process key events without explicit menu entry :)
{
event.Skip();
}
}
void fff::showAboutDialog(wxWindow* parent)
{
AboutDlg dlg(parent);
dlg.ShowModal();
}
//########################################################################################
namespace
{
class CloudSetupDlg : public CloudSetupDlgGenerated
{
public:
CloudSetupDlg(wxWindow* parent, Zstring& folderPathPhrase, Zstring& sftpKeyFileLastSelected, size_t& parallelOps, bool canChangeParallelOp);
private:
void onOkay (wxCommandEvent& event) override;
void onCancel(wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onGdriveUserAdd (wxCommandEvent& event) override;
void onGdriveUserRemove(wxCommandEvent& event) override;
void onGdriveUserSelect(wxCommandEvent& event) override;
void gdriveUpdateDrivesAndSelect(const std::string& accountEmail, const Zstring& locationToSelect);
void onDetectServerChannelLimit(wxCommandEvent& event) override;
void onToggleShowPassword(wxCommandEvent& event) override;
void onBrowseCloudFolder (wxCommandEvent& event) override;
void onConnectionGdrive(wxCommandEvent& event) override { type_ = CloudType::gdrive; updateGui(); }
void onConnectionSftp (wxCommandEvent& event) override { type_ = CloudType::sftp; updateGui(); }
void onConnectionFtp (wxCommandEvent& event) override { type_ = CloudType::ftp; updateGui(); }
void onAuthPassword(wxCommandEvent& event) override { sftpAuthType_ = SftpAuthType::password; updateGui(); }
void onAuthKeyfile (wxCommandEvent& event) override { sftpAuthType_ = SftpAuthType::keyFile; updateGui(); }
void onAuthAgent (wxCommandEvent& event) override { sftpAuthType_ = SftpAuthType::agent; updateGui(); }
void onSelectKeyfile(wxCommandEvent& event) override;
void updateGui();
//work around defunct keyboard focus on macOS (or is it wxMac?) => not needed for this dialog!
//void onLocalKeyEvent(wxKeyEvent& event);
static bool acceptFileDrop(const std::vector<Zstring>& shellItemPaths);
void onKeyFileDropped(FileDropEvent& event);
AbstractPath getFolderPath() const;
enum class CloudType
{
gdrive,
sftp,
ftp,
};
CloudType type_ = CloudType::gdrive;
const wxString txtLoading_ = L'(' + _("Loading...") + L')';
const wxString txtMyDrive_ = _("My Drive");
const SftpLogin sftpDefault_;
SftpAuthType sftpAuthType_ = sftpDefault_.authType;
AsyncGuiQueue guiQueue_;
Zstring& sftpKeyFileLastSelected_;
//output-only parameters:
Zstring& folderPathPhraseOut_;
size_t& parallelOpsOut_;
};
CloudSetupDlg::CloudSetupDlg(wxWindow* parent, Zstring& folderPathPhrase, Zstring& sftpKeyFileLastSelected, size_t& parallelOps, bool canChangeParallelOp) :
CloudSetupDlgGenerated(parent),
sftpKeyFileLastSelected_(sftpKeyFileLastSelected),
folderPathPhraseOut_(folderPathPhrase),
parallelOpsOut_(parallelOps)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOkay).setCancel(m_buttonCancel));
setImage(*m_toggleBtnGdrive, loadImage("google_drive"));
setRelativeFontSize(*m_toggleBtnGdrive, 1.25);
setRelativeFontSize(*m_toggleBtnSftp, 1.25);
setRelativeFontSize(*m_toggleBtnFtp, 1.25);
setBitmapTextLabel(*m_buttonGdriveAddUser, loadImage("user_add", fastFromDIP(20)), m_buttonGdriveAddUser ->GetLabelText());
setBitmapTextLabel(*m_buttonGdriveRemoveUser, loadImage("user_remove", fastFromDIP(20)), m_buttonGdriveRemoveUser->GetLabelText());
setImage(*m_bitmapGdriveUser, loadImage("user", fastFromDIP(20)));
setImage(*m_bitmapGdriveDrive, loadImage("drive", fastFromDIP(20)));
setImage(*m_bitmapServer, loadImage("server", fastFromDIP(20)));
setImage(*m_bitmapCloud, loadImage("cloud"));
setImage(*m_bitmapPerf, loadImage("speed"));
setImage(*m_bitmapServerDir, IconBuffer::genericDirIcon(IconBuffer::IconSize::small));
m_checkBoxShowPassword->SetValue(false);
m_textCtrlServer->SetHint(_("Example:") + L" website.com 66.198.240.22");
m_textCtrlServer->SetMinSize({fastFromDIP(260), -1});
m_textCtrlPort ->SetMinSize({fastFromDIP(60), -1}); //
m_spinCtrlConnectionCount ->SetMinSize({fastFromDIP(70), -1}); //Hack: set size (why does wxWindow::Size() not work?)
m_spinCtrlChannelCountSftp->SetMinSize({fastFromDIP(70), -1}); //
m_spinCtrlTimeout ->SetMinSize({fastFromDIP(70), -1}); //
setupFileDrop(*m_panelAuth);
m_panelAuth->Bind(EVENT_DROP_FILE, [this](FileDropEvent& event) { onKeyFileDropped(event); });
m_staticTextConnectionsLabelSub->SetLabelText(L'(' + _("Connections") + L')');
//use spacer to keep dialog height stable, no matter if key file options are visible
bSizerAuthInner->Add(0, m_panelAuth->GetSize().y);
//---------------------------------------------------------
std::vector<wxString> gdriveAccounts;
try
{
for (const std::string& loginEmail : gdriveListAccounts()) //throw FileError
gdriveAccounts.push_back(utfTo<wxString>(loginEmail));
}
catch (const FileError& e)
{
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString()));
}
m_listBoxGdriveUsers->Append(gdriveAccounts);
//set default values for Google Drive: use first item of m_listBoxGdriveUsers
if (!gdriveAccounts.empty() && !acceptsItemPathPhraseGdrive(folderPathPhrase))
{
m_listBoxGdriveUsers->SetSelection(0);
gdriveUpdateDrivesAndSelect(utfTo<std::string>(gdriveAccounts[0]), Zstring() /*My Drive*/);
}
m_spinCtrlTimeout->SetValue(sftpDefault_.timeoutSec);
assert(sftpDefault_.timeoutSec == FtpLogin().timeoutSec); //make sure the default values are in sync
//---------------------------------------------------------
if (acceptsItemPathPhraseGdrive(folderPathPhrase))
{
type_ = CloudType::gdrive;
const AbstractPath folderPath = createItemPathGdrive(folderPathPhrase);
const GdriveLogin login = extractGdriveLogin(folderPath.afsDevice); //noexcept
if (const int selPos = m_listBoxGdriveUsers->FindString(utfTo<wxString>(login.email), false /*caseSensitive*/);
selPos != wxNOT_FOUND)
{
m_listBoxGdriveUsers->EnsureVisible(selPos);
m_listBoxGdriveUsers->SetSelection(selPos);
gdriveUpdateDrivesAndSelect(login.email, login.locationName);
}
else
{
m_listBoxGdriveUsers->DeselectAll();
m_listBoxGdriveDrives->Clear();
}
m_textCtrlServerPath->ChangeValue(utfTo<wxString>(FILE_NAME_SEPARATOR + folderPath.afsPath.value));
m_spinCtrlTimeout->SetValue(login.timeoutSec);
}
else if (acceptsItemPathPhraseSftp(folderPathPhrase))
{
type_ = CloudType::sftp;
const AbstractPath folderPath = createItemPathSftp(folderPathPhrase);
const SftpLogin login = extractSftpLogin(folderPath.afsDevice); //noexcept
if (login.port > 0)
m_textCtrlPort->ChangeValue(numberTo<wxString>(login.port));
m_textCtrlServer ->ChangeValue(utfTo<wxString>(login.server));
m_textCtrlUserName ->ChangeValue(utfTo<wxString>(login.username));
sftpAuthType_ = login.authType;
m_textCtrlPasswordHidden->ChangeValue(utfTo<wxString>(login.password));
m_textCtrlKeyfilePath ->ChangeValue(utfTo<wxString>(login.privateKeyFilePath));
m_textCtrlServerPath ->ChangeValue(utfTo<wxString>(FILE_NAME_SEPARATOR + folderPath.afsPath.value));
m_checkBoxAllowZlib ->SetValue(login.allowZlib);
m_spinCtrlTimeout ->SetValue(login.timeoutSec);
m_spinCtrlChannelCountSftp->SetValue(login.traverserChannelsPerConnection);
}
else if (acceptsItemPathPhraseFtp(folderPathPhrase))
{
type_ = CloudType::ftp;
const AbstractPath folderPath = createItemPathFtp(folderPathPhrase);
const FtpLogin login = extractFtpLogin(folderPath.afsDevice); //noexcept
if (login.port > 0)
m_textCtrlPort->ChangeValue(numberTo<wxString>(login.port));
m_textCtrlServer ->ChangeValue(utfTo<wxString>(login.server));
m_textCtrlUserName ->ChangeValue(utfTo<wxString>(login.username));
m_textCtrlPasswordHidden ->ChangeValue(utfTo<wxString>(login.password));
m_textCtrlServerPath ->ChangeValue(utfTo<wxString>(FILE_NAME_SEPARATOR + folderPath.afsPath.value));
(login.useTls ? m_radioBtnEncryptSsl : m_radioBtnEncryptNone)->SetValue(true);
m_spinCtrlTimeout ->SetValue(login.timeoutSec);
}
m_spinCtrlConnectionCount->SetValue(parallelOps);
m_spinCtrlConnectionCount->Disable();
m_staticTextConnectionCountDescr->Hide();
m_spinCtrlChannelCountSftp->Disable();
m_buttonChannelCountSftp ->Disable();
//---------------------------------------------------------
//set up default view for dialog size calculation
bSizerGdrive->Show(false);
bSizerFtpEncrypt->Show(false);
m_textCtrlPasswordHidden->Hide();
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
updateGui(); //*after* SetSizeHints when standard dialog height has been calculated
m_buttonOkay->SetFocus();
}
void CloudSetupDlg::onGdriveUserAdd(wxCommandEvent& event)
{
guiQueue_.processAsync([timeoutSec = extractGdriveLogin(getFolderPath().afsDevice).timeoutSec]() -> std::variant<std::string /*email*/, FileError>
{
try
{
return gdriveAddUser(nullptr /*updateGui*/, timeoutSec); //throw FileError
}
catch (const FileError& e) { return e; }
},
[this](const std::variant<std::string, FileError>& result)
{
if (const FileError* e = std::get_if<FileError>(&result))
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e->toString()));
else
{
const std::string& loginEmail = std::get<std::string>(result);
int selPos = m_listBoxGdriveUsers->FindString(utfTo<wxString>(loginEmail), false /*caseSensitive*/);
if (selPos == wxNOT_FOUND)
selPos = m_listBoxGdriveUsers->Append(utfTo<wxString>(loginEmail));
m_listBoxGdriveUsers->EnsureVisible(selPos);
m_listBoxGdriveUsers->SetSelection(selPos);
updateGui(); //enable remove user button
gdriveUpdateDrivesAndSelect(loginEmail, Zstring() /*My Drive*/);
}
});
}
void CloudSetupDlg::onGdriveUserRemove(wxCommandEvent& event)
{
const int selPos = m_listBoxGdriveUsers->GetSelection();
assert(selPos != wxNOT_FOUND);
if (selPos != wxNOT_FOUND)
try
{
const std::string& loginEmail = utfTo<std::string>(m_listBoxGdriveUsers->GetString(selPos));
if (showConfirmationDialog(this, DialogInfoType::warning, PopupDialogCfg().
setTitle(_("Confirm")).
setMainInstructions(replaceCpy(_("Do you really want to disconnect from user account %x?"), L"%x", utfTo<std::wstring>(loginEmail))),
_("&Disconnect")) != ConfirmationButton::accept)
return;
gdriveRemoveUser(loginEmail, extractGdriveLogin(getFolderPath().afsDevice).timeoutSec); //throw FileError
m_listBoxGdriveUsers->Delete(selPos);
updateGui(); //disable remove user button
m_listBoxGdriveDrives->Clear();
}
catch (const FileError& e)
{
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString()));
}
}
void CloudSetupDlg::onGdriveUserSelect(wxCommandEvent& event)
{
const int selPos = m_listBoxGdriveUsers->GetSelection();
assert(selPos != wxNOT_FOUND);
if (selPos != wxNOT_FOUND)
{
const std::string& loginEmail = utfTo<std::string>(m_listBoxGdriveUsers->GetString(selPos));
updateGui(); //enable remove user button
gdriveUpdateDrivesAndSelect(loginEmail, Zstring() /*My Drive*/);
}
}
void CloudSetupDlg::gdriveUpdateDrivesAndSelect(const std::string& accountEmail, const Zstring& locationToSelect)
{
m_listBoxGdriveDrives->Clear();
m_listBoxGdriveDrives->Append(txtLoading_);
guiQueue_.processAsync([accountEmail, timeoutSec = extractGdriveLogin(getFolderPath().afsDevice).timeoutSec]() ->
std::variant<std::vector<Zstring /*locationName*/>, FileError>
{
try
{
return gdriveListLocations(accountEmail, timeoutSec); //throw FileError
}
catch (const FileError& e) { return e; }
},
[this, accountEmail, locationToSelect](std::variant<std::vector<Zstring /*locationName*/>, FileError>&& result)
{
if (const int selPos = m_listBoxGdriveUsers->GetSelection();
selPos == wxNOT_FOUND || utfTo<std::string>(m_listBoxGdriveUsers->GetString(selPos)) != accountEmail)
return; //different accountEmail selected in the meantime!
m_listBoxGdriveDrives->Clear();
if (const FileError* e = std::get_if<FileError>(&result))
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e->toString()));
else
{
auto& locationNames = std::get<std::vector<Zstring>>(result);
std::sort(locationNames.begin(), locationNames.end(), LessNaturalSort());
m_listBoxGdriveDrives->Append(txtMyDrive_); //sort locations, but keep "My Drive" at top
for (const Zstring& itemLabel : locationNames)
m_listBoxGdriveDrives->Append(utfTo<wxString>(itemLabel));
const wxString labelToSelect = locationToSelect.empty() ? txtMyDrive_ : utfTo<wxString>(locationToSelect);
if (const int selPos = m_listBoxGdriveDrives->FindString(labelToSelect, true /*caseSensitive*/);
selPos != wxNOT_FOUND)
{
m_listBoxGdriveDrives->EnsureVisible(selPos);
m_listBoxGdriveDrives->SetSelection (selPos);
}
}
});
}
void CloudSetupDlg::onDetectServerChannelLimit(wxCommandEvent& event)
{
assert (type_ == CloudType::sftp);
try
{
m_spinCtrlChannelCountSftp->SetSelection(0, 0); //some visual feedback: clear selection
m_spinCtrlChannelCountSftp->Refresh(); //both needed for wxGTK: meh!
m_spinCtrlChannelCountSftp->Update(); //
const int channelCountMax = getServerMaxChannelsPerConnection(extractSftpLogin(getFolderPath().afsDevice)); //throw FileError
m_spinCtrlChannelCountSftp->SetValue(channelCountMax);
m_spinCtrlChannelCountSftp->SetFocus(); //[!] otherwise selection is lost
m_spinCtrlChannelCountSftp->SetSelection(-1, -1); //some visual feedback: select all
}
catch (const FileError& e)
{
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString()));
}
}
void CloudSetupDlg::onToggleShowPassword(wxCommandEvent& event)
{
assert(type_ != CloudType::gdrive);
if (m_checkBoxShowPassword->GetValue())
m_textCtrlPasswordVisible->ChangeValue(m_textCtrlPasswordHidden->GetValue());
else
m_textCtrlPasswordHidden->ChangeValue(m_textCtrlPasswordVisible->GetValue());
updateGui();
}
bool CloudSetupDlg::acceptFileDrop(const std::vector<Zstring>& shellItemPaths)
{
if (shellItemPaths.empty())
return false;
const Zstring ext = getFileExtension(shellItemPaths[0]);
return ext.empty() ||
equalAsciiNoCase(ext, "pem") ||
equalAsciiNoCase(ext, "ppk");
}
void CloudSetupDlg::onKeyFileDropped(FileDropEvent& event)
{
//assert (type_ == CloudType::SFTP); -> no big deal if false
if (!event.itemPaths_.empty())
{
m_textCtrlKeyfilePath->ChangeValue(utfTo<wxString>(event.itemPaths_[0]));
sftpAuthType_ = SftpAuthType::keyFile;
updateGui();
}
}
void CloudSetupDlg::onSelectKeyfile(wxCommandEvent& event)
{
assert (type_ == CloudType::sftp && sftpAuthType_ == SftpAuthType::keyFile);
std::optional<Zstring> defaultFolderPath = getParentFolderPath(sftpKeyFileLastSelected_);
wxFileDialog fileSelector(this, wxString() /*message*/, utfTo<wxString>(defaultFolderPath ? *defaultFolderPath : Zstr("")), wxString() /*default file name*/,
_("All files") + L" (*.*)|*" +
L"|" + L"OpenSSL PEM (*.pem)|*.pem" +
L"|" + L"PuTTY Private Key (*.ppk)|*.ppk",
wxFD_OPEN);
if (fileSelector.ShowModal() != wxID_OK)
return;
m_textCtrlKeyfilePath->ChangeValue(fileSelector.GetPath());
sftpKeyFileLastSelected_ = utfTo<Zstring>(fileSelector.GetPath());
}
void CloudSetupDlg::updateGui()
{
m_toggleBtnGdrive->SetValue(type_ == CloudType::gdrive);
m_toggleBtnSftp ->SetValue(type_ == CloudType::sftp);
m_toggleBtnFtp ->SetValue(type_ == CloudType::ftp);
bSizerGdrive->Show(type_ == CloudType::gdrive);
bSizerServer->Show(type_ == CloudType::ftp || type_ == CloudType::sftp);
bSizerAuth ->Show(type_ == CloudType::ftp || type_ == CloudType::sftp);
bSizerFtpEncrypt->Show(type_ == CloudType:: ftp);
bSizerSftpAuth ->Show(type_ == CloudType::sftp);
m_staticTextKeyfile->Show(type_ == CloudType::sftp && sftpAuthType_ == SftpAuthType::keyFile);
bSizerKeyFile ->Show(type_ == CloudType::sftp && sftpAuthType_ == SftpAuthType::keyFile);
m_staticTextPassword->Show(type_ == CloudType::ftp || (type_ == CloudType::sftp && sftpAuthType_ != SftpAuthType::agent));
bSizerPassword ->Show(type_ == CloudType::ftp || (type_ == CloudType::sftp && sftpAuthType_ != SftpAuthType::agent));
if (m_staticTextPassword->IsShown())
{
m_textCtrlPasswordVisible->Show( m_checkBoxShowPassword->GetValue());
m_textCtrlPasswordHidden ->Show(!m_checkBoxShowPassword->GetValue());
}
switch (type_)
{
case CloudType::gdrive:
m_buttonGdriveRemoveUser->Enable(m_listBoxGdriveUsers->GetSelection() != wxNOT_FOUND);
break;
case CloudType::sftp:
m_radioBtnPassword->SetValue(false);
m_radioBtnKeyfile ->SetValue(false);
m_radioBtnAgent ->SetValue(false);
m_textCtrlPort->SetHint(numberTo<wxString>(DEFAULT_PORT_SFTP));
switch (sftpAuthType_) //*not* owned by GUI controls
{
case SftpAuthType::password:
m_radioBtnPassword->SetValue(true);
m_staticTextPassword->SetLabelText(_("Password:"));
break;
case SftpAuthType::keyFile:
m_radioBtnKeyfile->SetValue(true);
m_staticTextPassword->SetLabelText(_("Key passphrase:"));
break;
case SftpAuthType::agent:
m_radioBtnAgent->SetValue(true);
break;
}
break;
case CloudType::ftp:
m_textCtrlPort->SetHint(numberTo<wxString>(DEFAULT_PORT_FTP));
m_staticTextPassword->SetLabelText(_("Password:"));
break;
}
m_staticTextChannelCountSftp->Show(type_ == CloudType::sftp);
m_spinCtrlChannelCountSftp ->Show(type_ == CloudType::sftp);
m_buttonChannelCountSftp ->Show(type_ == CloudType::sftp);
m_checkBoxAllowZlib ->Show(type_ == CloudType::sftp);
m_staticTextZlibDescr ->Show(type_ == CloudType::sftp);
Layout(); //needed! hidden items are not considered during resize
Refresh();
}
AbstractPath CloudSetupDlg::getFolderPath() const
{
//clean up (messy) user input, but no trim: support folders with trailing blanks!
const AfsPath serverRelPath = sanitizeDeviceRelativePath(utfTo<Zstring>(m_textCtrlServerPath->GetValue()));
switch (type_)
{
case CloudType::gdrive:
{
GdriveLogin login;
if (const int selPos = m_listBoxGdriveUsers->GetSelection();
selPos != wxNOT_FOUND)
{
login.email = utfTo<std::string>(m_listBoxGdriveUsers->GetString(selPos));
if (const int selPos2 = m_listBoxGdriveDrives->GetSelection();
selPos2 != wxNOT_FOUND)
{
if (const wxString& locationName = m_listBoxGdriveDrives->GetString(selPos2);
locationName != txtMyDrive_ &&
locationName != txtLoading_)
login.locationName = utfTo<Zstring>(locationName);
}
}
login.timeoutSec = m_spinCtrlTimeout->GetValue();
return AbstractPath(condenseToGdriveDevice(login), serverRelPath); //noexcept
}
case CloudType::sftp:
{
SftpLogin login;
login.server = utfTo<Zstring>(m_textCtrlServer ->GetValue());
login.port = stringTo<int> (m_textCtrlPort ->GetValue()); //0 if empty
login.username = utfTo<Zstring>(m_textCtrlUserName->GetValue());
login.authType = sftpAuthType_;
login.privateKeyFilePath = utfTo<Zstring>(m_textCtrlKeyfilePath->GetValue());
login.password = utfTo<Zstring>((m_checkBoxShowPassword->GetValue() ? m_textCtrlPasswordVisible : m_textCtrlPasswordHidden)->GetValue());
login.allowZlib = m_checkBoxAllowZlib->GetValue();
login.timeoutSec = m_spinCtrlTimeout->GetValue();
login.traverserChannelsPerConnection = m_spinCtrlChannelCountSftp->GetValue();
return AbstractPath(condenseToSftpDevice(login), serverRelPath); //noexcept
}
case CloudType::ftp:
{
FtpLogin login;
login.server = utfTo<Zstring>(m_textCtrlServer ->GetValue());
login.port = stringTo<int> (m_textCtrlPort ->GetValue()); //0 if empty
login.username = utfTo<Zstring>(m_textCtrlUserName->GetValue());
login.password = utfTo<Zstring>((m_checkBoxShowPassword->GetValue() ? m_textCtrlPasswordVisible : m_textCtrlPasswordHidden)->GetValue());
login.useTls = m_radioBtnEncryptSsl->GetValue();
login.timeoutSec = m_spinCtrlTimeout->GetValue();
return AbstractPath(condenseToFtpDevice(login), serverRelPath); //noexcept
}
}
assert(false);
return createAbstractPath(Zstr(""));
}
void CloudSetupDlg::onBrowseCloudFolder(wxCommandEvent& event)
{
AbstractPath folderPath = getFolderPath(); //noexcept
if (!AFS::getParentPath(folderPath))
try //for (S)FTP it makes more sense to start with the home directory rather than root (which often denies access!)
{
if (type_ == CloudType::sftp)
folderPath.afsPath = getSftpHomePath(extractSftpLogin(folderPath.afsDevice)); //throw FileError
if (type_ == CloudType::ftp)
folderPath.afsPath = getFtpHomePath(extractFtpLogin(folderPath.afsDevice)); //throw FileError
}
catch (const FileError& e)
{
showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString()));
return;
}
if (showAbstractFolderPicker(this, folderPath) == ConfirmationButton::accept)
m_textCtrlServerPath->ChangeValue(utfTo<wxString>(FILE_NAME_SEPARATOR + folderPath.afsPath.value));
}
void CloudSetupDlg::onOkay(wxCommandEvent& event)
{
//------- parameter validation (BEFORE writing output!) -------
if (type_ == CloudType::sftp && sftpAuthType_ == SftpAuthType::keyFile)
if (trimCpy(m_textCtrlKeyfilePath->GetValue()).empty())
{
showNotificationDialog(this, DialogInfoType::info, PopupDialogCfg().setMainInstructions(_("Please enter a file path.")));
//don't show error icon to follow "Windows' encouraging tone"
m_textCtrlKeyfilePath->SetFocus();
return;
}
//-------------------------------------------------------------
folderPathPhraseOut_ = AFS::getInitPathPhrase(getFolderPath());
parallelOpsOut_ = m_spinCtrlConnectionCount->GetValue();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showCloudSetupDialog(wxWindow* parent, Zstring& folderPathPhrase, Zstring& sftpKeyFileLastSelected, size_t& parallelOps, bool canChangeParallelOp)
{
CloudSetupDlg dlg(parent, folderPathPhrase, sftpKeyFileLastSelected, parallelOps, canChangeParallelOp);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class CopyToDialog : public CopyToDlgGenerated
{
public:
CopyToDialog(wxWindow* parent,
std::span<const FileSystemObject* const> rowsOnLeft,
std::span<const FileSystemObject* const> rowsOnRight,
Zstring& targetFolderPath, Zstring& targetFolderLastSelected,
std::vector<Zstring>& folderHistory, size_t folderHistoryMax,
Zstring& sftpKeyFileLastSelected,
bool& keepRelPaths,
bool& overwriteIfExists);
private:
void onOkay (wxCommandEvent& event) override;
void onCancel(wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onLocalKeyEvent(wxKeyEvent& event);
std::unique_ptr<FolderSelector> targetFolder; //always bound
//output-only parameters:
Zstring& targetFolderPathOut_;
bool& keepRelPathsOut_;
bool& overwriteIfExistsOut_;
std::vector<Zstring>& folderHistoryOut_;
};
CopyToDialog::CopyToDialog(wxWindow* parent,
std::span<const FileSystemObject* const> rowsOnLeft,
std::span<const FileSystemObject* const> rowsOnRight,
Zstring& targetFolderPath, Zstring& targetFolderLastSelected,
std::vector<Zstring>& folderHistory, size_t folderHistoryMax,
Zstring& sftpKeyFileLastSelected,
bool& keepRelPaths,
bool& overwriteIfExists) :
CopyToDlgGenerated(parent),
targetFolderPathOut_(targetFolderPath),
keepRelPathsOut_(keepRelPaths),
overwriteIfExistsOut_(overwriteIfExists),
folderHistoryOut_(folderHistory)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOK).setCancel(m_buttonCancel));
setMainInstructionFont(*m_staticTextHeader);
setImage(*m_bitmapCopyTo, loadImage("copy_to"));
targetFolder = std::make_unique<FolderSelector>(this, *this, *m_buttonSelectTargetFolder, *m_bpButtonSelectAltTargetFolder, *m_targetFolderPath,
targetFolderLastSelected, sftpKeyFileLastSelected, nullptr /*staticText*/, nullptr /*wxWindow*/, nullptr /*droppedPathsFilter*/,
[](const Zstring& folderPathPhrase) { return 1; } /*getDeviceParallelOps*/, nullptr /*setDeviceParallelOps*/);
m_targetFolderPath->setHistory(std::make_shared<HistoryList>(folderHistory, folderHistoryMax));
m_textCtrlFileList->SetMinSize({fastFromDIP(500), fastFromDIP(200)});
/* There is a nasty bug on wxGTK under Ubuntu: If a multi-line wxTextCtrl contains so many lines that scrollbars are shown,
it re-enables all windows that are supposed to be disabled during the current modal loop!
This only affects Ubuntu/wxGTK! No such issue on Debian/wxGTK or Suse/wxGTK
=> another Unity problem like the following?
https://github.com/wxWidgets/wxWidgets/issues/14823 "Menu not disabled when showing modal dialogs in wxGTK under Unity" */
const auto& [itemList, itemCount] = getSelectedItemsAsString(rowsOnLeft, rowsOnRight);
m_staticTextHeader->SetLabelText(_P("Copy the following item to another folder?",
"Copy the following %x items to another folder?", itemCount));
m_staticTextHeader->Wrap(fastFromDIP(460)); //needs to be reapplied after SetLabel()
m_textCtrlFileList->ChangeValue(itemList);
//----------------- set config ---------------------------------
targetFolder ->setPath(targetFolderPath);
m_checkBoxKeepRelPath ->SetValue(keepRelPaths);
m_checkBoxOverwriteIfExists->SetValue(overwriteIfExists);
//----------------- /set config --------------------------------
Bind(wxEVT_CHAR_HOOK, [this](wxKeyEvent& event) { onLocalKeyEvent(event); }); //enable dialog-specific key events
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonOK->SetFocus();
}
void CopyToDialog::onLocalKeyEvent(wxKeyEvent& event) //process key events without explicit menu entry :)
{
event.Skip();
}
void CopyToDialog::onOkay(wxCommandEvent& event)
{
//------- parameter validation (BEFORE writing output!) -------
if (trimCpy(targetFolder->getPath()).empty())
{
showNotificationDialog(this, DialogInfoType::info, PopupDialogCfg().setMainInstructions(_("Please enter a target folder.")));
//don't show error icon to follow "Windows' encouraging tone"
m_targetFolderPath->SetFocus();
return;
}
m_targetFolderPath->getHistory()->addItem(targetFolder->getPath());
//-------------------------------------------------------------
targetFolderPathOut_ = targetFolder->getPath();
keepRelPathsOut_ = m_checkBoxKeepRelPath->GetValue();
overwriteIfExistsOut_ = m_checkBoxOverwriteIfExists->GetValue();
folderHistoryOut_ = m_targetFolderPath->getHistory()->getList();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showCopyToDialog(wxWindow* parent,
std::span<const FileSystemObject* const> rowsOnLeft,
std::span<const FileSystemObject* const> rowsOnRight,
Zstring& targetFolderPath, Zstring& targetFolderLastSelected,
std::vector<Zstring>& folderHistory, size_t folderHistoryMax,
Zstring& sftpKeyFileLastSelected,
bool& keepRelPaths,
bool& overwriteIfExists)
{
CopyToDialog dlg(parent, rowsOnLeft, rowsOnRight, targetFolderPath, targetFolderLastSelected, folderHistory, folderHistoryMax, sftpKeyFileLastSelected, keepRelPaths, overwriteIfExists);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class DeleteDialog : public DeleteDlgGenerated
{
public:
DeleteDialog(wxWindow* parent,
const std::wstring& itemList, int itemCount,
bool& useRecycleBin);
private:
void onUseRecycler(wxCommandEvent& event) override { updateGui(); }
void onOkay (wxCommandEvent& event) override;
void onCancel (wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onLocalKeyEvent(wxKeyEvent& event);
void updateGui();
const int itemCount_ = 0;
const std::chrono::steady_clock::time_point dlgStartTime_ = std::chrono::steady_clock::now();
const wxImage imgTrash_ = []
{
wxImage imgDefault = loadImage("delete_recycler");
//use system icon if available (can fail on Linux??)
try { return extractWxImage(fff::getTrashIcon(imgDefault.GetHeight())); /*throw SysError*/ }
catch (SysError&) { assert(false); return imgDefault; }
}();
//output-only parameters:
bool& useRecycleBinOut_;
};
DeleteDialog::DeleteDialog(wxWindow* parent,
const std::wstring& itemList, int itemCount,
bool& useRecycleBin) :
DeleteDlgGenerated(parent),
itemCount_(itemCount),
useRecycleBinOut_(useRecycleBin)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOK).setCancel(m_buttonCancel));
setMainInstructionFont(*m_staticTextHeader);
m_textCtrlFileList->SetMinSize({fastFromDIP(500), fastFromDIP(200)});
wxString itemList2(itemList);
trim(itemList2); //remove trailing newline
m_textCtrlFileList->ChangeValue(itemList2);
/* There is a nasty bug on wxGTK under Ubuntu: If a multi-line wxTextCtrl contains so many lines that scrollbars are shown,
it re-enables all windows that are supposed to be disabled during the current modal loop!
This only affects Ubuntu/wxGTK! No such issue on Debian/wxGTK or Suse/wxGTK
=> another Unity problem like the following?
https://github.com/wxWidgets/wxWidgets/issues/14823 "Menu not disabled when showing modal dialogs in wxGTK under Unity" */
m_checkBoxUseRecycler->SetValue(useRecycleBin);
updateGui();
Bind(wxEVT_CHAR_HOOK, [this](wxKeyEvent& event) { onLocalKeyEvent(event); }); //enable dialog-specific key events
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonOK->SetFocus();
}
void DeleteDialog::updateGui()
{
if (m_checkBoxUseRecycler->GetValue())
{
setImage(*m_bitmapDeleteType, imgTrash_);
m_staticTextHeader->SetLabelText(_P("Do you really want to move the following item to the recycle bin?",
"Do you really want to move the following %x items to the recycle bin?", itemCount_));
m_buttonOK->SetLabelText(_("Move")); //no access key needed: use ENTER!
}
else
{
setImage(*m_bitmapDeleteType, loadImage("delete_permanently"));
m_staticTextHeader->SetLabelText(_P("Do you really want to delete the following item?",
"Do you really want to delete the following %x items?", itemCount_));
m_buttonOK->SetLabelText(wxControl::RemoveMnemonics(_("&Delete"))); //no access key needed: use ENTER!
}
m_staticTextHeader->Wrap(fastFromDIP(460)); //needs to be reapplied after SetLabel()
Layout();
Refresh(); //needed after m_buttonOK label change
}
void DeleteDialog::onLocalKeyEvent(wxKeyEvent& event)
{
event.Skip();
}
void DeleteDialog::onOkay(wxCommandEvent& event)
{
//additional safety net, similar to Windows Explorer: time delta between DEL and ENTER must be at least 50ms to avoid accidental deletion!
if (std::chrono::steady_clock::now() < dlgStartTime_ + std::chrono::milliseconds(50)) //considers chrono-wrap-around!
return;
useRecycleBinOut_ = m_checkBoxUseRecycler->GetValue();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showDeleteDialog(wxWindow* parent,
const std::wstring& itemList, int itemCount,
bool& useRecycleBin)
{
DeleteDialog dlg(parent, itemList, itemCount, useRecycleBin);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class SyncConfirmationDlg : public SyncConfirmationDlgGenerated
{
public:
SyncConfirmationDlg(wxWindow* parent,
bool syncSelection,
std::optional<SyncVariant> syncVar,
const SyncStatistics& st,
bool& dontShowAgain);
private:
void onStartSync(wxCommandEvent& event) override;
void onCancel (wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onLocalKeyEvent(wxKeyEvent& event);
//output-only parameters:
bool& dontShowAgainOut_;
};
SyncConfirmationDlg::SyncConfirmationDlg(wxWindow* parent,
bool syncSelection,
std::optional<SyncVariant> syncVar,
const SyncStatistics& st,
bool& dontShowAgain) :
SyncConfirmationDlgGenerated(parent),
dontShowAgainOut_(dontShowAgain)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonStartSync).setCancel(m_buttonCancel));
setMainInstructionFont(*m_staticTextCaption);
setImage(*m_bitmapSync, loadImage(syncSelection ? "start_sync_selection" : "start_sync"));
m_staticTextCaption->SetLabelText(syncSelection ?_("Start to synchronize the selection?") : _("Start synchronization now?"));
m_staticTextSyncVar->SetLabelText(getVariantName(syncVar));
const char* varImgName = nullptr;
if (syncVar)
switch (*syncVar)
{
//*INDENT-OFF*
case SyncVariant::twoWay: varImgName = "sync_twoway"; break;
case SyncVariant::mirror: varImgName = "sync_mirror"; break;
case SyncVariant::update: varImgName = "sync_update"; break;
case SyncVariant::custom: varImgName = "sync_custom"; break;
//*INDENT-ON*
}
if (varImgName)
setImage(*m_bitmapSyncVar, loadImage(varImgName, -1 /*maxWidth*/, getDefaultMenuIconSize()));
m_checkBoxDontShowAgain->SetValue(dontShowAgain);
Bind(wxEVT_CHAR_HOOK, [this](wxKeyEvent& event) { onLocalKeyEvent(event); });
//update preview of item count and bytes to be transferred:
auto setValue = [](wxStaticText& txtControl, bool isZeroValue, const wxString& valueAsString, wxStaticBitmap& bmpControl, const char* imageName)
{
wxFont fnt = txtControl.GetFont();
fnt.SetWeight(isZeroValue ? wxFONTWEIGHT_NORMAL : wxFONTWEIGHT_BOLD);
txtControl.SetFont(fnt);
setText(txtControl, valueAsString);
setImage(bmpControl, greyScaleIfDisabled(mirrorIfRtl(loadImage(imageName)), !isZeroValue));
};
auto setIntValue = [&setValue](wxStaticText& txtControl, int value, wxStaticBitmap& bmpControl, const char* imageName)
{
setValue(txtControl, value == 0, formatNumber(value), bmpControl, imageName);
};
setValue(*m_staticTextData, st.getBytesToProcess() == 0, formatFilesizeShort(st.getBytesToProcess()), *m_bitmapData, "data");
setIntValue(*m_staticTextCreateLeft, st.createCount<SelectSide::left >(), *m_bitmapCreateLeft, "so_create_left_sicon");
setIntValue(*m_staticTextUpdateLeft, st.updateCount<SelectSide::left >(), *m_bitmapUpdateLeft, "so_update_left_sicon");
setIntValue(*m_staticTextDeleteLeft, st.deleteCount<SelectSide::left >(), *m_bitmapDeleteLeft, "so_delete_left_sicon");
setIntValue(*m_staticTextCreateRight, st.createCount<SelectSide::right>(), *m_bitmapCreateRight, "so_create_right_sicon");
setIntValue(*m_staticTextUpdateRight, st.updateCount<SelectSide::right>(), *m_bitmapUpdateRight, "so_update_right_sicon");
setIntValue(*m_staticTextDeleteRight, st.deleteCount<SelectSide::right>(), *m_bitmapDeleteRight, "so_delete_right_sicon");
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonStartSync->SetFocus();
}
void SyncConfirmationDlg::onLocalKeyEvent(wxKeyEvent& event)
{
event.Skip();
}
void SyncConfirmationDlg::onStartSync(wxCommandEvent& event)
{
dontShowAgainOut_ = m_checkBoxDontShowAgain->GetValue();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showSyncConfirmationDlg(wxWindow* parent,
bool syncSelection,
std::optional<SyncVariant> syncVar,
const SyncStatistics& statistics,
bool& dontShowAgain)
{
SyncConfirmationDlg dlg(parent,
syncSelection,
syncVar,
statistics,
dontShowAgain);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class OptionsDlg : public OptionsDlgGenerated
{
public:
OptionsDlg(wxWindow* parent, XmlGlobalSettings& globalCfg);
private:
void onOkay (wxCommandEvent& event) override;
void onShowHiddenDialogs (wxCommandEvent& event) override { expandConfigArea(ConfigArea::hidden); };
void onShowContextCustomize(wxCommandEvent& event) override { expandConfigArea(ConfigArea::context); };
void onDefault (wxCommandEvent& event) override;
void onCancel (wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onAddRow (wxCommandEvent& event) override;
void onRemoveRow (wxCommandEvent& event) override;
void onShowLogFolder (wxCommandEvent& event) override;
void onToggleLogfilesLimit(wxCommandEvent& event) override { updateGui(); }
void onToggleHiddenDialog (wxCommandEvent& event) override { updateGui(); }
void onSelectSoundCompareDone (wxCommandEvent& event) override { selectSound(*m_textCtrlSoundPathCompareDone); }
void onSelectSoundSyncDone (wxCommandEvent& event) override { selectSound(*m_textCtrlSoundPathSyncDone); }
void onSelectSoundAlertPending(wxCommandEvent& event) override { selectSound(*m_textCtrlSoundPathAlertPending); }
void selectSound(wxTextCtrl& txtCtrl);
void onChangeSoundFilePath(wxCommandEvent& event) override { updateGui(); }
void onPlayCompareDone (wxCommandEvent& event) override { playSoundWithDiagnostics(trimCpy(m_textCtrlSoundPathCompareDone ->GetValue())); }
void onPlaySyncDone (wxCommandEvent& event) override { playSoundWithDiagnostics(trimCpy(m_textCtrlSoundPathSyncDone ->GetValue())); }
void onPlayAlertPending(wxCommandEvent& event) override { playSoundWithDiagnostics(trimCpy(m_textCtrlSoundPathAlertPending->GetValue())); }
void playSoundWithDiagnostics(const wxString& filePath);
void onGridResize(wxEvent& event);
void updateGui();
enum class ConfigArea
{
hidden,
context
};
void expandConfigArea(ConfigArea area);
//work around defunct keyboard focus on macOS (or is it wxMac?) => not needed for this dialog!
//void onLocalKeyEvent(wxKeyEvent& event);
void setExtApp(const std::vector<ExternalApp>& extApp);
std::vector<ExternalApp> getExtApp() const;
std::unordered_map<std::wstring, std::wstring> descriptionTransToEng_; //"translated description" -> "english" mapping for external application config
const XmlGlobalSettings defaultCfg_;
std::vector<std::tuple<std::function<bool(const XmlGlobalSettings& gs)> /*get dialog shown status*/,
std::function<void(XmlGlobalSettings& gs, bool show)> /*set dialog shown status*/,
wxString /*dialog message*/>> hiddenDialogCfgMapping_
{
//*INDENT-OFF*
{[](const XmlGlobalSettings& gs){ return gs.confirmDlgs.confirmSyncStart; },
[]( XmlGlobalSettings& gs, bool show){ gs.confirmDlgs.confirmSyncStart = show; }, _("Start synchronization now?")},
{[](const XmlGlobalSettings& gs){ return gs.confirmDlgs.confirmSaveConfig; },
[]( XmlGlobalSettings& gs, bool show){ gs.confirmDlgs.confirmSaveConfig = show; }, _("Do you want to save changes to %x?")},
{[](const XmlGlobalSettings& gs){ return !gs.progressDlgAutoClose; },
[]( XmlGlobalSettings& gs, bool show){ gs.progressDlgAutoClose = !show; }, _("Leave progress dialog open after synchronization. (don't auto-close)")},
{[](const XmlGlobalSettings& gs){ return gs.confirmDlgs.confirmSwapSides; },
[]( XmlGlobalSettings& gs, bool show){ gs.confirmDlgs.confirmSwapSides = show; }, _("Please confirm you want to swap sides.")},
{[](const XmlGlobalSettings& gs){ return gs.confirmDlgs.confirmCommandMassInvoke; },
[]( XmlGlobalSettings& gs, bool show){ gs.confirmDlgs.confirmCommandMassInvoke = show; }, _P("Do you really want to execute the command %y for one item?",
"Do you really want to execute the command %y for %x items?", 42)},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnFolderNotExisting; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnFolderNotExisting = show; }, _("The following folders do not yet exist:") + L" [...] " + _("The folders are created automatically when needed.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnFoldersDifferInCase; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnFoldersDifferInCase = show; }, _("The following folder paths differ in case. Please use a single form in order to avoid duplicate accesses.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnDependentFolderPair; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnDependentFolderPair = show; }, _("One base folder of a folder pair is contained in the other one.") + L' ' + _("The folder should be excluded from synchronization via filter.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnDependentBaseFolders; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnDependentBaseFolders = show; }, _("Some files will be synchronized as part of multiple base folders.") + L' ' + _("To avoid conflicts, set up exclude filters so that each updated file is included by only one base folder.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnSignificantDifference; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnSignificantDifference = show; }, _("The following folders are significantly different. Please check that the correct folders are selected for synchronization.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnNotEnoughDiskSpace; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnNotEnoughDiskSpace = show; }, _("Not enough free disk space available in:")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnUnresolvedConflicts; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnUnresolvedConflicts = show; }, _("The following items have unresolved conflicts and will not be synchronized:")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnModificationTimeError; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnModificationTimeError = show; }, _("Cannot write modification time of %x.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnRecyclerMissing; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnRecyclerMissing = show; }, _("The recycle bin is not supported by the following folders. Deleted or overwritten files will not be able to be restored:")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnInputFieldEmpty; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnInputFieldEmpty = show; }, _("A folder input field is empty.") + L' ' + _("The corresponding folder will be considered as empty.")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnDirectoryLockFailed; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnDirectoryLockFailed = show; }, _("Cannot set directory locks for the following folders:")},
{[](const XmlGlobalSettings& gs){ return gs.warnDlgs.warnVersioningFolderPartOfSync; },
[]( XmlGlobalSettings& gs, bool show){ gs.warnDlgs.warnVersioningFolderPartOfSync = show; }, _("The versioning folder is contained in a base folder.") + L' ' + _("The folder should be excluded from synchronization via filter.")},
//*INDENT-ON*
};
FolderSelector logFolderSelector_;
//output-only parameters:
XmlGlobalSettings& globalCfgOut_;
};
OptionsDlg::OptionsDlg(wxWindow* parent, XmlGlobalSettings& globalCfg) :
OptionsDlgGenerated(parent),
logFolderSelector_(this, *m_panelLogfile, *m_buttonSelectLogFolder, *m_bpButtonSelectAltLogFolder, *m_logFolderPath, globalCfg.logFolderLastSelected, globalCfg.sftpKeyFileLastSelected,
nullptr /*staticText*/, nullptr /*dropWindow2*/, nullptr /*droppedPathsFilter*/,
[](const Zstring& folderPathPhrase) { return 1; } /*getDeviceParallelOps_*/, nullptr /*setDeviceParallelOps_*/),
globalCfgOut_(globalCfg)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOkay).setCancel(m_buttonCancel));
//setMainInstructionFont(*m_staticTextHeader);
m_gridCustomCommand->SetTabBehaviour(wxGrid::Tab_Leave);
const wxImage imgFileManagerSmall_([]
{
try { return extractWxImage(fff::getFileManagerIcon(fastFromDIP(20))); /*throw SysError*/ }
catch (SysError&) { assert(false); return loadImage("file_manager", fastFromDIP(20)); }
}());
setImage(*m_bpButtonShowLogFolder, imgFileManagerSmall_);
m_bpButtonShowLogFolder->SetToolTip(translate(extCommandFileManager.description));//translate default external apps on the fly: "Show in Explorer"
m_logFolderPath->SetHint(utfTo<wxString>(defaultCfg_.logFolderPhrase));
//1. no text shown when control is disabled! 2. apparently there's a refresh problem on GTK
m_logFolderPath->setHistory(std::make_shared<HistoryList>(globalCfg.logFolderHistory, globalCfg.folderHistoryMax));
logFolderSelector_.setPath(globalCfg.logFolderPhrase);
m_spinCtrlLogFilesMaxAge->SetMinSize({fastFromDIP(70), -1}); //Hack: set size (why does wxWindow::Size() not work?)
setImage(*m_bitmapSettings, loadImage("settings"));
setImage(*m_bitmapWarnings, loadImage("msg_warning", fastFromDIP(20)));
setImage(*m_bitmapLogFile, loadImage("log_file", fastFromDIP(20)));
setImage(*m_bitmapNotificationSounds, loadImage("notification_sounds"));
setImage(*m_bitmapConsole, loadImage("command_line", fastFromDIP(20)));
setImage(*m_bitmapCompareDone, loadImage("compare_sicon"));
setImage(*m_bitmapSyncDone, loadImage("start_sync_sicon"));
setImage(*m_bitmapAlertPending, loadImage("msg_error", loadImage("compare_sicon").GetSize().x));
setImage(*m_bpButtonPlayCompareDone, loadImage("play_sound"));
setImage(*m_bpButtonPlaySyncDone, loadImage("play_sound"));
setImage(*m_bpButtonPlayAlertPending, loadImage("play_sound"));
setImage(*m_bpButtonAddRow, loadImage("item_add"));
setImage(*m_bpButtonRemoveRow, loadImage("item_remove"));
//--------------------------------------------------------------------------------
m_checkListHiddenDialogs->Hide();
m_buttonShowCtxCustomize->Hide();
//fix wxCheckListBox's stupid "per-item toggle"
m_checkListHiddenDialogs->Bind(wxEVT_KEY_DOWN, [&checklist = *m_checkListHiddenDialogs](wxKeyEvent& event)
{
switch (event.GetKeyCode())
{
case WXK_SPACE:
case WXK_NUMPAD_SPACE:
assert(checklist.HasMultipleSelection());
if (wxArrayInt selection;
checklist.GetSelections(selection), !selection.empty())
{
const bool checkedNew = !checklist.IsChecked(selection[0]);
for (const int itemPos : selection)
checklist.Check(itemPos, checkedNew);
wxCommandEvent chkEvent(wxEVT_CHECKLISTBOX);
chkEvent.SetInt(selection[0]);
if (wxEvtHandler* evtHandler = checklist.GetEventHandler())
evtHandler->ProcessEvent(chkEvent);
}
return;
}
event.Skip();
});
std::stable_partition(hiddenDialogCfgMapping_.begin(), hiddenDialogCfgMapping_.end(), [&](const auto& item)
{
const auto& [dlgShown, dlgSetShown, msg] = item;
return !dlgShown(globalCfg); //move hidden dialogs to the top
});
std::vector<wxString> dialogMessages;
for (const auto& [dlgShown, dlgSetShown, msg] : hiddenDialogCfgMapping_)
dialogMessages.push_back(msg);
m_checkListHiddenDialogs->Append(dialogMessages);
unsigned int itemPos = 0;
for (const auto& [dlgShown, dlgSetShown, msg] : hiddenDialogCfgMapping_)
{
if (dlgShown(globalCfg))
m_checkListHiddenDialogs->Check(itemPos);
++itemPos;
}
//--------------------------------------------------------------------------------
m_checkBoxFailSafe ->SetValue(globalCfg.failSafeFileCopy);
m_checkBoxCopyLocked ->SetValue(globalCfg.copyLockedFiles);
m_checkBoxCopyPermissions->SetValue(globalCfg.copyFilePermissions);
m_checkBoxLogFilesMaxAge->SetValue(globalCfg.logfilesMaxAgeDays > 0);
m_spinCtrlLogFilesMaxAge->SetValue(globalCfg.logfilesMaxAgeDays > 0 ? globalCfg.logfilesMaxAgeDays : XmlGlobalSettings().logfilesMaxAgeDays);
switch (globalCfg.logFormat)
{
case LogFileFormat::html:
m_radioBtnLogHtml->SetValue(true);
break;
case LogFileFormat::text:
m_radioBtnLogText->SetValue(true);
break;
}
m_textCtrlSoundPathCompareDone ->ChangeValue(utfTo<wxString>(globalCfg.soundFileCompareFinished));
m_textCtrlSoundPathSyncDone ->ChangeValue(utfTo<wxString>(globalCfg.soundFileSyncFinished));
m_textCtrlSoundPathAlertPending->ChangeValue(utfTo<wxString>(globalCfg.soundFileAlertPending));
//--------------------------------------------------------------------------------
bSizerLockedFiles->Show(false);
m_gridCustomCommand->SetMargins(0, 0);
//automatically fit column width to match total grid width
m_gridCustomCommand->GetGridWindow()->Bind(wxEVT_SIZE, [this](wxSizeEvent& event) { onGridResize(event); });
//temporarily set dummy value for window height calculations:
setExtApp(std::vector<ExternalApp>(globalCfg.externalApps.size() + 1));
updateGui();
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
//restore actual value:
setExtApp(globalCfg.externalApps);
updateGui();
m_buttonOkay->SetFocus();
}
void OptionsDlg::onGridResize(wxEvent& event)
{
const int widthTotal = m_gridCustomCommand->GetGridWindow()->GetClientSize().GetWidth();
assert(m_gridCustomCommand->GetNumberCols() == 2);
const int w0 = widthTotal * 2 / 5; //ratio 2 : 3
const int w1 = widthTotal - w0;
m_gridCustomCommand->SetColSize(0, w0);
m_gridCustomCommand->SetColSize(1, w1);
m_gridCustomCommand->Refresh(); //required on Ubuntu
event.Skip();
}
void OptionsDlg::updateGui()
{
m_spinCtrlLogFilesMaxAge->Enable(m_checkBoxLogFilesMaxAge->GetValue());
m_bpButtonPlayCompareDone ->Enable(!trimCpy(m_textCtrlSoundPathCompareDone ->GetValue()).empty());
m_bpButtonPlaySyncDone ->Enable(!trimCpy(m_textCtrlSoundPathSyncDone ->GetValue()).empty());
m_bpButtonPlayAlertPending->Enable(!trimCpy(m_textCtrlSoundPathAlertPending->GetValue()).empty());
int hiddenDialogs = 0;
for (unsigned int itemPos = 0; itemPos < static_cast<unsigned int>(hiddenDialogCfgMapping_.size()); ++itemPos)
if (!m_checkListHiddenDialogs->IsChecked(itemPos))
++hiddenDialogs;
assert(hiddenDialogCfgMapping_.size() == m_checkListHiddenDialogs->GetCount());
m_staticTextHiddenDialogsCount->SetLabelText(L'(' + (hiddenDialogs == 0 ? _("No dialogs hidden") :
_P("1 dialog hidden", "%x dialogs hidden", hiddenDialogs)) + L')');
Layout();
}
void OptionsDlg::expandConfigArea(ConfigArea area)
{
//only show one expaned area at a time (wxGTK even crashes when showing both: not worth debugging)
m_buttonShowHiddenDialogs->Show(area != ConfigArea::hidden);
m_buttonShowCtxCustomize ->Show(area != ConfigArea::context);
m_checkListHiddenDialogs->Show(area == ConfigArea::hidden);
bSizerContextCustomize ->Show(area == ConfigArea::context);
Layout();
Refresh(); //required on Windows
}
void OptionsDlg::selectSound(wxTextCtrl& txtCtrl)
{
std::optional<Zstring> defaultFolderPath = getParentFolderPath(utfTo<Zstring>(txtCtrl.GetValue()));
if (!defaultFolderPath)
defaultFolderPath = getResourceDirPath();
wxFileDialog fileSelector(this, wxString() /*message*/, utfTo<wxString>(*defaultFolderPath), wxString() /*default file name*/,
wxString(L"WAVE (*.wav)|*.wav") + L"|" + _("All files") + L" (*.*)|*",
wxFD_OPEN);
if (fileSelector.ShowModal() != wxID_OK)
return;
txtCtrl.ChangeValue(fileSelector.GetPath());
updateGui();
}
void OptionsDlg::playSoundWithDiagnostics(const wxString& filePath)
{
try
{
//::PlaySound() => NO failure indication on Windows! does not set last error!
//wxSound::Play(..., wxSOUND_SYNC) can return false, but does not provide details!
//=> check file access manually:
[[maybe_unused]] const std::string& stream = getFileContent(utfTo<Zstring>(filePath), nullptr /*notifyUnbufferedIO*/); //throw FileError
[[maybe_unused]] const bool success = wxSound::Play(filePath, wxSOUND_ASYNC);
}
catch (const FileError& e) { showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString())); }
}
void OptionsDlg::onDefault(wxCommandEvent& event)
{
m_checkBoxFailSafe ->SetValue(defaultCfg_.failSafeFileCopy);
m_checkBoxCopyLocked ->SetValue(defaultCfg_.copyLockedFiles);
m_checkBoxCopyPermissions->SetValue(defaultCfg_.copyFilePermissions);
unsigned int itemPos = 0;
for (const auto& [dlgShown, dlgSetShown, msg] : hiddenDialogCfgMapping_)
m_checkListHiddenDialogs->Check(itemPos++, dlgShown(defaultCfg_));
logFolderSelector_.setPath(defaultCfg_.logFolderPhrase);
m_checkBoxLogFilesMaxAge->SetValue(defaultCfg_.logfilesMaxAgeDays > 0);
m_spinCtrlLogFilesMaxAge->SetValue(defaultCfg_.logfilesMaxAgeDays > 0 ? defaultCfg_.logfilesMaxAgeDays : 14);
switch (defaultCfg_.logFormat)
{
case LogFileFormat::html:
m_radioBtnLogHtml->SetValue(true);
break;
case LogFileFormat::text:
m_radioBtnLogText->SetValue(true);
break;
}
m_textCtrlSoundPathCompareDone ->ChangeValue(utfTo<wxString>(defaultCfg_.soundFileCompareFinished));
m_textCtrlSoundPathSyncDone ->ChangeValue(utfTo<wxString>(defaultCfg_.soundFileSyncFinished));
m_textCtrlSoundPathAlertPending->ChangeValue(utfTo<wxString>(defaultCfg_.soundFileAlertPending));
setExtApp(defaultCfg_.externalApps);
updateGui();
}
void OptionsDlg::onOkay(wxCommandEvent& event)
{
//------- parameter validation (BEFORE writing output!) -------
Zstring logFolderPhrase = logFolderSelector_.getPath();
if (AFS::isNullPath(createAbstractPath(logFolderPhrase))) //no need to show an error: just set default!
logFolderPhrase = defaultCfg_.logFolderPhrase;
//-------------------------------------------------------------
//write settings only when okay-button is pressed (except hidden dialog reset)!
globalCfgOut_.failSafeFileCopy = m_checkBoxFailSafe->GetValue();
globalCfgOut_.copyLockedFiles = m_checkBoxCopyLocked->GetValue();
globalCfgOut_.copyFilePermissions = m_checkBoxCopyPermissions->GetValue();
globalCfgOut_.logFolderPhrase = logFolderPhrase;
m_logFolderPath->getHistory()->addItem(logFolderPhrase);
globalCfgOut_.logFolderHistory = m_logFolderPath->getHistory()->getList();
globalCfgOut_.logfilesMaxAgeDays = m_checkBoxLogFilesMaxAge->GetValue() ? m_spinCtrlLogFilesMaxAge->GetValue() : -1;
globalCfgOut_.logFormat = m_radioBtnLogHtml->GetValue() ? LogFileFormat::html : LogFileFormat::text;
globalCfgOut_.soundFileCompareFinished = utfTo<Zstring>(trimCpy(m_textCtrlSoundPathCompareDone ->GetValue()));
globalCfgOut_.soundFileSyncFinished = utfTo<Zstring>(trimCpy(m_textCtrlSoundPathSyncDone ->GetValue()));
globalCfgOut_.soundFileAlertPending = utfTo<Zstring>(trimCpy(m_textCtrlSoundPathAlertPending->GetValue()));
globalCfgOut_.externalApps = getExtApp();
unsigned int itemPos = 0;
for (const auto& [dlgShown, dlgSetShown, msg] : hiddenDialogCfgMapping_)
dlgSetShown(globalCfgOut_, m_checkListHiddenDialogs->IsChecked(itemPos++));
EndModal(static_cast<int>(ConfirmationButton::accept));
}
void OptionsDlg::setExtApp(const std::vector<ExternalApp>& extApps)
{
int rowDiff = static_cast<int>(extApps.size()) - m_gridCustomCommand->GetNumberRows();
++rowDiff; //append empty row to facilitate insertions by user
if (rowDiff >= 0)
m_gridCustomCommand->AppendRows(rowDiff);
else
m_gridCustomCommand->DeleteRows(0, -rowDiff);
int row = 0;
for (const auto& [descriptionEng, cmdLine] : extApps)
{
const std::wstring description = translate(descriptionEng);
//remember english description to save in GlobalSettings.xml later rather than hard-code translation
descriptionTransToEng_[description] = descriptionEng;
m_gridCustomCommand->SetCellValue(row, 0, description);
m_gridCustomCommand->SetCellValue(row, 1, utfTo<wxString>(cmdLine));
++row;
}
}
std::vector<ExternalApp> OptionsDlg::getExtApp() const
{
std::vector<ExternalApp> output;
for (int i = 0; i < m_gridCustomCommand->GetNumberRows(); ++i)
{
auto description = copyStringTo<std::wstring>(m_gridCustomCommand->GetCellValue(i, 0));
auto commandline = utfTo<Zstring>(m_gridCustomCommand->GetCellValue(i, 1));
//try to undo translation of description for GlobalSettings.xml
auto it = descriptionTransToEng_.find(description);
if (it != descriptionTransToEng_.end())
description = it->second;
if (!description.empty() || !commandline.empty())
output.push_back({description, commandline});
}
return output;
}
void OptionsDlg::onAddRow(wxCommandEvent& event)
{
const int selectedRow = m_gridCustomCommand->GetGridCursorRow();
if (0 <= selectedRow && selectedRow < m_gridCustomCommand->GetNumberRows())
m_gridCustomCommand->InsertRows(selectedRow);
else
m_gridCustomCommand->AppendRows();
m_gridCustomCommand->SetFocus(); //make grid cursor visible
}
void OptionsDlg::onRemoveRow(wxCommandEvent& event)
{
if (m_gridCustomCommand->GetNumberRows() > 0)
{
const int selectedRow = m_gridCustomCommand->GetGridCursorRow();
if (0 <= selectedRow && selectedRow < m_gridCustomCommand->GetNumberRows())
m_gridCustomCommand->DeleteRows(selectedRow);
else
m_gridCustomCommand->DeleteRows(m_gridCustomCommand->GetNumberRows() - 1);
m_gridCustomCommand->SetFocus(); //make grid cursor visible
}
}
void OptionsDlg::onShowLogFolder(wxCommandEvent& event)
{
try
{
AbstractPath logFolderPath = createAbstractPath(logFolderSelector_.getPath());
if (AFS::isNullPath(logFolderPath))
logFolderPath = createAbstractPath(defaultCfg_.logFolderPhrase);
openFolderInFileBrowser(logFolderPath); //throw FileError
}
catch (const FileError& e) { showNotificationDialog(this, DialogInfoType::error, PopupDialogCfg().setDetailInstructions(e.toString())); }
}
}
ConfirmationButton fff::showOptionsDlg(wxWindow* parent, XmlGlobalSettings& globalCfg)
{
OptionsDlg dlg(parent, globalCfg);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class SelectTimespanDlg : public SelectTimespanDlgGenerated
{
public:
SelectTimespanDlg(wxWindow* parent, time_t& timeFrom, time_t& timeTo);
private:
void onOkay (wxCommandEvent& event) override;
void onCancel(wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onChangeSelectionFrom(wxCalendarEvent& event) override
{
if (m_calendarFrom->GetDate() > m_calendarTo->GetDate())
m_calendarTo->SetDate(m_calendarFrom->GetDate());
}
void onChangeSelectionTo(wxCalendarEvent& event) override
{
if (m_calendarFrom->GetDate() > m_calendarTo->GetDate())
m_calendarFrom->SetDate(m_calendarTo->GetDate());
}
void onLocalKeyEvent(wxKeyEvent& event);
//output-only parameters:
time_t& timeFromOut_;
time_t& timeToOut_;
};
SelectTimespanDlg::SelectTimespanDlg(wxWindow* parent, time_t& timeFrom, time_t& timeTo) :
SelectTimespanDlgGenerated(parent),
timeFromOut_(timeFrom),
timeToOut_(timeTo)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOkay).setCancel(m_buttonCancel));
assert(m_calendarFrom->GetWindowStyleFlag() == m_calendarTo->GetWindowStyleFlag());
assert(m_calendarFrom->HasFlag(wxCAL_SHOW_HOLIDAYS)); //caveat: for some stupid reason this is not honored when set by SetWindowStyleFlag()
assert(m_calendarFrom->HasFlag(wxCAL_SHOW_SURROUNDING_WEEKS));
assert(!m_calendarFrom->HasFlag(wxCAL_MONDAY_FIRST) &&
!m_calendarFrom->HasFlag(wxCAL_SUNDAY_FIRST)); //...because we set it in the following:
long style = m_calendarFrom->GetWindowStyleFlag();
style |= getFirstDayOfWeek() == WeekDay::sunday ? wxCAL_SUNDAY_FIRST : wxCAL_MONDAY_FIRST; //seems to be ignored on CentOS
m_calendarFrom->SetWindowStyleFlag(style);
m_calendarTo ->SetWindowStyleFlag(style);
//set default values
time_t timeFromTmp = timeFrom;
time_t timeToTmp = timeTo;
if (timeToTmp == 0)
timeToTmp = std::time(nullptr); //
if (timeFromTmp == 0)
timeFromTmp = timeToTmp - 7 * 24 * 3600; //default time span: one week from "now"
//wxDateTime models local(!) time (in contrast to what documentation says), but it has a constructor taking time_t UTC
m_calendarFrom->SetDate(timeFromTmp);
m_calendarTo ->SetDate(timeToTmp );
Bind(wxEVT_CHAR_HOOK, [this](wxKeyEvent& event) { onLocalKeyEvent(event); }); //enable dialog-specific key events
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonOkay->SetFocus();
}
void SelectTimespanDlg::onLocalKeyEvent(wxKeyEvent& event) //process key events without explicit menu entry :)
{
event.Skip();
}
void SelectTimespanDlg::onOkay(wxCommandEvent& event)
{
wxDateTime from = m_calendarFrom->GetDate();
wxDateTime to = m_calendarTo ->GetDate();
//align to full days
from.ResetTime();
to .ResetTime(); //reset local(!) time
to += wxTimeSpan::Day();
to -= wxTimeSpan::Second(); //go back to end of previous day
timeFromOut_ = from.GetTicks();
timeToOut_ = to .GetTicks();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showSelectTimespanDlg(wxWindow* parent, time_t& timeFrom, time_t& timeTo)
{
SelectTimespanDlg dlg(parent, timeFrom, timeTo);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class CfgHighlightDlg : public CfgHighlightDlgGenerated
{
public:
CfgHighlightDlg(wxWindow* parent, int& cfgHistSyncOverdueDays);
private:
void onOkay (wxCommandEvent& event) override;
void onCancel(wxCommandEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ConfirmationButton::cancel)); }
//work around defunct keyboard focus on macOS (or is it wxMac?) => not needed for this dialog!
//void onLocalKeyEvent(wxKeyEvent& event);
//output-only parameters:
int& cfgHistSyncOverdueDaysOut_;
};
CfgHighlightDlg::CfgHighlightDlg(wxWindow* parent, int& cfgHistSyncOverdueDays) :
CfgHighlightDlgGenerated(parent),
cfgHistSyncOverdueDaysOut_(cfgHistSyncOverdueDays)
{
m_staticTextHighlight->Wrap(fastFromDIP(300));
m_spinCtrlOverdueDays->SetMinSize({fastFromDIP(70), -1}); //Hack: set size (why does wxWindow::Size() not work?)
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setAffirmative(m_buttonOkay).setCancel(m_buttonCancel));
m_spinCtrlOverdueDays->SetValue(cfgHistSyncOverdueDays);
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_spinCtrlOverdueDays->SetFocus();
}
void CfgHighlightDlg::onOkay(wxCommandEvent& event)
{
cfgHistSyncOverdueDaysOut_ = m_spinCtrlOverdueDays->GetValue();
EndModal(static_cast<int>(ConfirmationButton::accept));
}
}
ConfirmationButton fff::showCfgHighlightDlg(wxWindow* parent, int& cfgHistSyncOverdueDays)
{
CfgHighlightDlg dlg(parent, cfgHistSyncOverdueDays);
return static_cast<ConfirmationButton>(dlg.ShowModal());
}
//########################################################################################
namespace
{
class ActivationDlg : public ActivationDlgGenerated
{
public:
ActivationDlg(wxWindow* parent, const std::wstring& lastErrorMsg, const std::wstring& manualActivationUrl, std::wstring& manualActivationKey);
private:
void onActivateOnline (wxCommandEvent& event) override;
void onActivateOffline(wxCommandEvent& event) override;
void onOfflineActivationEnter(wxCommandEvent& event) override { onActivateOffline(event); }
void onCopyUrl (wxCommandEvent& event) override;
void onCancel(wxCommandEvent& event) override { EndModal(static_cast<int>(ActivationDlgButton::cancel)); }
void onClose (wxCloseEvent& event) override { EndModal(static_cast<int>(ActivationDlgButton::cancel)); }
std::wstring& manualActivationKeyOut_; //in/out parameter
};
ActivationDlg::ActivationDlg(wxWindow* parent,
const std::wstring& lastErrorMsg,
const std::wstring& manualActivationUrl,
std::wstring& manualActivationKey) :
ActivationDlgGenerated(parent),
manualActivationKeyOut_(manualActivationKey)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setCancel(m_buttonCancel));
SetTitle(L"FreeFileSync " + utfTo<std::wstring>(ffsVersion) + L" [" + _("Donation Edition") + L']');
m_richTextLastError ->SetMinSize({-1, m_richTextLastError ->GetCharHeight() * 7});
m_richTextManualActivationUrl->SetMinSize({-1, m_richTextManualActivationUrl->GetCharHeight() * 4});
m_textCtrlOfflineActivationKey->SetMinSize({fastFromDIP(260), -1});
//setMainInstructionFont(*m_staticTextMain);
setImage(*m_bitmapActivation, loadImage("internet"));
m_textCtrlOfflineActivationKey->ForceUpper();
setTextWithUrls(*m_richTextLastError, lastErrorMsg);
setTextWithUrls(*m_richTextManualActivationUrl, manualActivationUrl);
m_textCtrlOfflineActivationKey->ChangeValue(manualActivationKey);
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
m_buttonActivateOnline->SetFocus();
}
void ActivationDlg::onCopyUrl(wxCommandEvent& event)
{
if (wxClipboard::Get()->Open())
{
ZEN_ON_SCOPE_EXIT(wxClipboard::Get()->Close());
wxClipboard::Get()->SetData(new wxTextDataObject(m_richTextManualActivationUrl->GetValue())); //ownership passed
wxClipboard::Get()->Flush();
m_richTextManualActivationUrl->SetFocus(); //[!] otherwise selection is lost
m_richTextManualActivationUrl->SelectAll(); //some visual feedback
}
}
void ActivationDlg::onActivateOnline(wxCommandEvent& event)
{
manualActivationKeyOut_ = m_textCtrlOfflineActivationKey->GetValue();
EndModal(static_cast<int>(ActivationDlgButton::activateOnline));
}
void ActivationDlg::onActivateOffline(wxCommandEvent& event)
{
manualActivationKeyOut_ = m_textCtrlOfflineActivationKey->GetValue();
if (trimCpy(manualActivationKeyOut_).empty()) //alternative: disable button? => user thinks option is not available!
{
showNotificationDialog(this, DialogInfoType::info, PopupDialogCfg().setMainInstructions(_("Please enter a key for offline activation.")));
m_textCtrlOfflineActivationKey->SetFocus();
return;
}
EndModal(static_cast<int>(ActivationDlgButton::activateOffline));
}
}
ActivationDlgButton fff::showActivationDialog(wxWindow* parent, const std::wstring& lastErrorMsg, const std::wstring& manualActivationUrl, std::wstring& manualActivationKey)
{
ActivationDlg dlg(parent, lastErrorMsg, manualActivationUrl, manualActivationKey);
return static_cast<ActivationDlgButton>(dlg.ShowModal());
}
//########################################################################################
class DownloadProgressWindow::Impl : public DownloadProgressDlgGenerated
{
public:
Impl(wxWindow* parent, int64_t fileSizeTotal);
void notifyNewFile (const Zstring& filePath) { filePath_ = filePath; }
void notifyProgress(int64_t delta) { bytesCurrent_ += delta; }
void requestUiUpdate() //throw CancelPressed
{
if (cancelled_)
throw CancelPressed();
if (uiUpdateDue())
{
updateGui();
//wxTheApp->Yield();
::wxSafeYield(this); //disables user input except for "this" (using wxWindowDisabler instead would move the FFS main dialog into the background: why?)
}
}
private:
void onCancel(wxCommandEvent& event) override { cancelled_ = true; }
void updateGui()
{
const double fraction = bytesTotal_ == 0 ? 0 : 1.0 * bytesCurrent_ / bytesTotal_;
m_staticTextHeader->SetLabelText(_("Downloading update...") + L' ' +
numberTo<std::wstring>(std::lround(fraction * 100)) + L"% (" + formatFilesizeShort(bytesCurrent_) + L')');
m_gaugeProgress->SetValue(std::round(fraction * GAUGE_FULL_RANGE));
m_staticTextDetails->SetLabelText(utfTo<std::wstring>(filePath_));
}
bool cancelled_ = false;
int64_t bytesCurrent_ = 0;
const int64_t bytesTotal_;
Zstring filePath_;
const int GAUGE_FULL_RANGE = 1000'000;
};
DownloadProgressWindow::Impl::Impl(wxWindow* parent, int64_t fileSizeTotal) :
DownloadProgressDlgGenerated(parent),
bytesTotal_(fileSizeTotal)
{
setStandardButtonLayout(*bSizerStdButtons, StdButtons().setCancel(m_buttonCancel));
setMainInstructionFont(*m_staticTextHeader);
m_staticTextHeader->Wrap(fastFromDIP(460)); //*after* font change!
m_staticTextDetails->SetMinSize({fastFromDIP(550), -1});
setImage(*m_bitmapDownloading, loadImage("internet"));
m_gaugeProgress->SetRange(GAUGE_FULL_RANGE);
updateGui();
GetSizer()->SetSizeHints(this); //~=Fit() + SetMinSize()
//=> works like a charm for GTK2 with window resizing problems and title bar corruption; e.g. Debian!!!
Center(); //needs to be re-applied after a dialog size change!
Show();
//clear gui flicker: window must be visible to make this work!
::wxSafeYield(); //at least on OS X a real Yield() is required to flush pending GUI updates; Update() is not enough
m_buttonCancel->SetFocus();
}
DownloadProgressWindow::DownloadProgressWindow(wxWindow* parent, int64_t fileSizeTotal) :
pimpl_(new DownloadProgressWindow::Impl(parent, fileSizeTotal)) {}
DownloadProgressWindow::~DownloadProgressWindow() { pimpl_->Destroy(); }
void DownloadProgressWindow::notifyNewFile(const Zstring& filePath) { pimpl_->notifyNewFile(filePath); }
void DownloadProgressWindow::notifyProgress(int64_t delta) { pimpl_->notifyProgress(delta); }
void DownloadProgressWindow::requestUiUpdate() { pimpl_->requestUiUpdate(); } //throw CancelPressed
//########################################################################################
|