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
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
|
// **************************************************************************
// * This file is part of the FreeFileSync project. It is distributed under *
// * GNU General Public License: http://www.gnu.org/licenses/gpl.html *
// * Copyright (C) 2008-2011 ZenJu (zhnmju123 AT gmx.de) *
// **************************************************************************
#include "synchronization.h"
#include <memory>
#include <deque>
#include <stdexcept>
#include <wx/msgdlg.h>
#include <wx/log.h>
#include <wx/file.h>
#include <boost/bind.hpp>
#include "shared/string_conv.h"
#include "shared/util.h"
#include "shared/loki/ScopeGuard.h"
#include "library/status_handler.h"
#include "shared/file_handling.h"
#include "shared/resolve_path.h"
#include "shared/recycler.h"
#include "shared/i18n.h"
#include "shared/global_func.h"
#include "shared/disable_standby.h"
#include "library/db_file.h"
#include "library/dir_exist_async.h"
#include "library/cmp_filetime.h"
#include "shared/file_io.h"
#ifdef FFS_WIN
#include "shared/long_path_prefix.h"
#include <boost/scoped_ptr.hpp>
#include "shared/perf.h"
#include "shared/shadow.h"
#endif
using namespace zen;
void SyncStatistics::init()
{
createLeft = 0;
createRight = 0;
overwriteLeft = 0;
overwriteRight = 0;
deleteLeft = 0;
deleteRight = 0;
conflict = 0;
rowsTotal = 0;
}
SyncStatistics::SyncStatistics(const FolderComparison& folderCmp)
{
init();
std::for_each(begin(folderCmp), end(folderCmp), [&](const BaseDirMapping& baseMap) { getNumbersRecursively(baseMap); });
}
SyncStatistics::SyncStatistics(const HierarchyObject& hierObj)
{
init();
getNumbersRecursively(hierObj);
}
inline
void SyncStatistics::getNumbersRecursively(const HierarchyObject& hierObj)
{
std::for_each(hierObj.refSubDirs().begin(), hierObj.refSubDirs().end(),
[&](const DirMapping& dirObj) { getDirNumbers(dirObj); });
std::for_each(hierObj.refSubFiles().begin(), hierObj.refSubFiles().end(),
[&](const FileMapping& fileObj) { getFileNumbers(fileObj); });
std::for_each(hierObj.refSubLinks().begin(), hierObj.refSubLinks().end(),
[&](const SymLinkMapping& linkObj) { getLinkNumbers(linkObj); });
rowsTotal += hierObj.refSubDirs(). size();
rowsTotal += hierObj.refSubFiles().size();
rowsTotal += hierObj.refSubLinks().size();
}
inline
void SyncStatistics::getFileNumbers(const FileMapping& fileObj)
{
switch (fileObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
++createLeft;
dataToProcess += fileObj.getFileSize<RIGHT_SIDE>();
break;
case SO_CREATE_NEW_RIGHT:
++createRight;
dataToProcess += fileObj.getFileSize<LEFT_SIDE>();
break;
case SO_DELETE_LEFT:
++deleteLeft;
break;
case SO_DELETE_RIGHT:
++deleteRight;
break;
case SO_OVERWRITE_LEFT:
++overwriteLeft;
dataToProcess += fileObj.getFileSize<RIGHT_SIDE>();
break;
case SO_OVERWRITE_RIGHT:
++overwriteRight;
dataToProcess += fileObj.getFileSize<LEFT_SIDE>();
break;
case SO_UNRESOLVED_CONFLICT:
++conflict;
if (firstConflicts.size() < 3) //save the first 3 conflict texts
firstConflicts.push_back(std::make_pair(fileObj.getObjRelativeName(), fileObj.getSyncOpConflict()));
break;
case SO_COPY_METADATA_TO_LEFT:
++overwriteLeft;
break;
case SO_COPY_METADATA_TO_RIGHT:
++overwriteRight;
break;
case SO_DO_NOTHING:
case SO_EQUAL:
break;
}
}
inline
void SyncStatistics::getLinkNumbers(const SymLinkMapping& linkObj)
{
switch (linkObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
++createLeft;
break;
case SO_CREATE_NEW_RIGHT:
++createRight;
break;
case SO_DELETE_LEFT:
++deleteLeft;
break;
case SO_DELETE_RIGHT:
++deleteRight;
break;
case SO_OVERWRITE_LEFT:
case SO_COPY_METADATA_TO_LEFT:
++overwriteLeft;
break;
case SO_OVERWRITE_RIGHT:
case SO_COPY_METADATA_TO_RIGHT:
++overwriteRight;
break;
case SO_UNRESOLVED_CONFLICT:
++conflict;
if (firstConflicts.size() < 3) //save the first 3 conflict texts
firstConflicts.push_back(std::make_pair(linkObj.getObjRelativeName(), linkObj.getSyncOpConflict()));
break;
case SO_DO_NOTHING:
case SO_EQUAL:
break;
}
}
inline
void SyncStatistics::getDirNumbers(const DirMapping& dirObj)
{
switch (dirObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
++createLeft;
break;
case SO_CREATE_NEW_RIGHT:
++createRight;
break;
case SO_DELETE_LEFT:
++deleteLeft;
break;
case SO_DELETE_RIGHT:
++deleteRight;
break;
case SO_OVERWRITE_LEFT:
case SO_OVERWRITE_RIGHT:
assert(false);
break;
case SO_UNRESOLVED_CONFLICT:
++conflict;
if (firstConflicts.size() < 3) //save the first 3 conflict texts
firstConflicts.push_back(std::make_pair(dirObj.getObjRelativeName(), dirObj.getSyncOpConflict()));
break;
case SO_COPY_METADATA_TO_LEFT:
++overwriteLeft;
break;
case SO_COPY_METADATA_TO_RIGHT:
++overwriteRight;
break;
case SO_DO_NOTHING:
case SO_EQUAL:
break;
}
//recurse into sub-dirs
getNumbersRecursively(dirObj);
}
std::vector<zen::FolderPairSyncCfg> zen::extractSyncCfg(const MainConfiguration& mainCfg)
{
//merge first and additional pairs
std::vector<FolderPairEnh> allPairs;
allPairs.push_back(mainCfg.firstPair);
allPairs.insert(allPairs.end(),
mainCfg.additionalPairs.begin(), //add additional pairs
mainCfg.additionalPairs.end());
std::vector<FolderPairSyncCfg> output;
//process all pairs
for (auto i = allPairs.begin(); i != allPairs.end(); ++i)
{
SyncConfig syncCfg = i->altSyncConfig.get() ? *i->altSyncConfig : mainCfg.syncCfg;
output.push_back(
FolderPairSyncCfg(syncCfg.directionCfg.var == DirectionConfig::AUTOMATIC,
syncCfg.handleDeletion,
toZ(syncCfg.customDeletionDirectory)));
}
return output;
}
//------------------------------------------------------------------------------------------------------------
namespace
{
bool synchronizationNeeded(const SyncStatistics& statisticsTotal)
{
return statisticsTotal.getCreate() +
statisticsTotal.getOverwrite() +
statisticsTotal.getDelete() +
//conflicts (unless excluded) justify a sync! Also note: if this method returns false, no warning about unresolved conflicts were shown!
statisticsTotal.getConflict() != 0;
}
}
//test if user accidentally tries to sync the wrong folders
bool significantDifferenceDetected(const SyncStatistics& folderPairStat)
{
//initial file copying shall not be detected as major difference
if (folderPairStat.getCreate<LEFT_SIDE>() == 0 &&
folderPairStat.getOverwrite() == 0 &&
folderPairStat.getDelete() == 0 &&
folderPairStat.getConflict() == 0) return false;
if (folderPairStat.getCreate<RIGHT_SIDE>() == 0 &&
folderPairStat.getOverwrite() == 0 &&
folderPairStat.getDelete() == 0 &&
folderPairStat.getConflict() == 0) return false;
const int changedRows = folderPairStat.getCreate() +
folderPairStat.getOverwrite() +
folderPairStat.getDelete() +
folderPairStat.getConflict();
return changedRows >= 10 && changedRows > 0.5 * folderPairStat.getRowCount();
}
//#################################################################################################################
FolderPairSyncCfg::FolderPairSyncCfg(bool automaticMode,
const DeletionPolicy handleDel,
const Zstring& custDelDir) :
inAutomaticMode(automaticMode),
handleDeletion(handleDel),
custDelFolder(zen::getFormattedDirectoryName(custDelDir)) {}
//-----------------------------------------------------------------------------------------------------------
template <typename Function> inline
bool tryReportingError(ProcessCallback& handler, Function cmd) //return "true" on success, "false" if error was ignored
{
while (true)
{
try
{
cmd(); //throw FileError
return true;
}
catch (FileError& error)
{
ProcessCallback::Response rv = handler.reportError(error.msg()); //may throw!
if (rv == ProcessCallback::IGNORE_ERROR)
return false;
else if (rv == ProcessCallback::RETRY)
; //continue with loop
else
throw std::logic_error("Programming Error: Unknown return value!");
}
}
}
namespace
{
template <class S, class T, class U> inline
S replaceCpy(const S& str, const T& old, const U& replacement, bool replaceAll = true)
{
S tmp = str;
zen::replace(tmp, old, replacement, replaceAll);
return tmp;
}
}
/*
add some postfix to alternate deletion directory: deletionDirectory\<prefix>2010-06-30 12-59-12\
*/
Zstring getSessionDeletionDir(const Zstring& deletionDirectory, const Zstring& prefix = Zstring())
{
Zstring formattedDir = deletionDirectory;
if (formattedDir.empty())
return Zstring(); //no valid directory for deletion specified (checked later)
if (!formattedDir.EndsWith(FILE_NAME_SEPARATOR))
formattedDir += FILE_NAME_SEPARATOR;
const wxString timeNow = replaceCpy(wxDateTime::Now().FormatISOTime(), L":", L"");
const wxString sessionName = wxDateTime::Now().FormatISODate() + wxChar(' ') + timeNow;
formattedDir += prefix + toZ(sessionName);
//ensure that session directory does not yet exist (must be unique)
Zstring output = formattedDir;
//ensure uniqueness
for (int i = 1; zen::somethingExists(output); ++i)
output = formattedDir + Zchar('_') + Zstring::fromNumber(i);
output += FILE_NAME_SEPARATOR;
return output;
}
SyncProcess::SyncProcess(xmlAccess::OptionalDialogs& warnings,
bool verifyCopiedFiles,
bool copyLockedFiles,
bool copyFilePermissions,
bool transactionalFileCopy,
ProcessCallback& handler) :
verifyCopiedFiles_(verifyCopiedFiles),
copyLockedFiles_(copyLockedFiles),
copyFilePermissions_(copyFilePermissions),
transactionalFileCopy_(transactionalFileCopy),
m_warnings(warnings),
procCallback(handler) {}
//--------------------------------------------------------------------------------------------------------------
namespace
{
struct CallbackRemoveDirImpl;
}
class DeletionHandling //e.g. generate name of alternate deletion directory (unique for session AND folder pair)
{
public:
DeletionHandling(DeletionPolicy handleDel,
const Zstring& custDelFolder,
const Zstring& baseDir, //with separator postfix
ProcessCallback& procCallback);
~DeletionHandling(); //always (try to) clean up, even if synchronization is aborted!
//clean-up temporary directory (recycler bin optimization)
void tryCleanup(); //throw FileError -> call this in non-exceptional coding, i.e. after Sync somewhere!
void removeFile (const Zstring& relativeName) const; //throw FileError
void removeFolder(const Zstring& relativeName) const; //throw FileError
const wxString& getTxtRemovingFile () const { return txtRemovingFile; } //
const wxString& getTxtRemovingSymLink() const { return txtRemovingSymlink; } //status text templates
const wxString& getTxtRemovingDir () const { return txtRemovingDirectory; } //
//evaluate whether a deletion will actually free space within a volume
bool deletionFreesSpace() const;
private:
friend struct ::CallbackRemoveDirImpl;
DeletionPolicy deletionType;
ProcessCallback* procCallback_; //always bound! need assignment operator => not a reference
Zstring sessionDelDir; //target deletion folder for current folder pair (with timestamp, ends with path separator)
Zstring baseDir_; //with separator postfix
//preloaded status texts:
wxString txtRemovingFile;
wxString txtRemovingSymlink;
wxString txtRemovingDirectory;
bool cleanedUp;
};
DeletionHandling::DeletionHandling(DeletionPolicy handleDel,
const Zstring& custDelFolder,
const Zstring& baseDir, //with separator postfix
ProcessCallback& procCallback) :
deletionType(handleDel),
procCallback_(&procCallback),
baseDir_(baseDir),
cleanedUp(false)
{
#ifdef FFS_WIN
if (baseDir.empty() ||
(deletionType == MOVE_TO_RECYCLE_BIN && recycleBinStatus(baseDir) != STATUS_REC_EXISTS))
deletionType = DELETE_PERMANENTLY; //Windows' ::SHFileOperation() will do this anyway, but we have a better and faster deletion routine (e.g. on networks)
#endif
switch (deletionType)
{
case DELETE_PERMANENTLY:
txtRemovingFile = replaceCpy(_("Deleting file %x" ), L"%x", L"\n\"%x\"", false);
txtRemovingDirectory = replaceCpy(_("Deleting folder %x" ), L"%x", L"\n\"%x\"", false);
txtRemovingSymlink = replaceCpy(_("Deleting symbolic link %x"), L"%x", L"\n\"%x\"", false);
break;
case MOVE_TO_RECYCLE_BIN:
sessionDelDir = getSessionDeletionDir(baseDir_, Zstr("FFS "));
txtRemovingFile = replaceCpy(_("Moving file %x to recycle bin" ), L"%x", L"\n\"%x\"", false);
txtRemovingDirectory = replaceCpy(_("Moving folder %x to recycle bin" ), L"%x", L"\n\"%x\"", false);
txtRemovingSymlink = replaceCpy(_("Moving symbolic link %x to recycle bin"), L"%x", L"\n\"%x\"", false);
break;
case MOVE_TO_CUSTOM_DIRECTORY:
sessionDelDir = getSessionDeletionDir(custDelFolder);
txtRemovingFile = replaceCpy(replaceCpy(_("Moving file %x to %y" ), L"%x", L"\n\"%x\"", false), L"%y", L"\"" + utf8CvrtTo<wxString>(custDelFolder) + L"\"", false);
txtRemovingDirectory = replaceCpy(replaceCpy(_("Moving folder %x to %y" ), L"%x", L"\n\"%x\"", false), L"%y", L"\"" + utf8CvrtTo<wxString>(custDelFolder) + L"\"", false);
txtRemovingSymlink = replaceCpy(replaceCpy(_("Moving symbolic link %x to %y"), L"%x", L"\n\"%x\"", false), L"%y", L"\"" + utf8CvrtTo<wxString>(custDelFolder) + L"\"", false);
break;
}
}
DeletionHandling::~DeletionHandling()
{
//always (try to) clean up, even if synchronization is aborted!
try { tryCleanup(); }
catch (...) {} //make sure this stays non-blocking!
}
void DeletionHandling::tryCleanup() //throw FileError
{
if (!cleanedUp)
{
if (deletionType == MOVE_TO_RECYCLE_BIN) //clean-up temporary directory (recycle bin)
zen::moveToRecycleBin(sessionDelDir.BeforeLast(FILE_NAME_SEPARATOR)); //throw FileError
cleanedUp = true;
}
}
namespace
{
class CallbackMoveFileImpl : public CallbackMoveFile //callback functionality
{
public:
CallbackMoveFileImpl(ProcessCallback& handler) : statusHandler_(handler) {}
virtual void requestUiRefresh(const Zstring& currentObject) //DON'T throw exceptions here, at least in Windows build!
{
statusHandler_.requestUiRefresh(); //exceptions may be thrown here!
}
private:
ProcessCallback& statusHandler_;
};
struct CallbackRemoveDirImpl : public CallbackRemoveDir
{
CallbackRemoveDirImpl(const DeletionHandling& delHandling) : delHandling_(delHandling) {}
virtual void notifyFileDeletion(const Zstring& filename)
{
delHandling_.procCallback_->reportStatus(replaceCpy(delHandling_.getTxtRemovingFile(), L"%x", utf8CvrtTo<wxString>(filename)));
}
virtual void notifyDirDeletion(const Zstring& dirname)
{
delHandling_.procCallback_->reportStatus(replaceCpy(delHandling_.getTxtRemovingDir(), L"%x", utf8CvrtTo<wxString>(dirname)));
}
private:
const DeletionHandling& delHandling_;
};
}
void DeletionHandling::removeFile(const Zstring& relativeName) const
{
const Zstring fullName = baseDir_ + relativeName;
switch (deletionType)
{
case DELETE_PERMANENTLY:
zen::removeFile(fullName);
break;
case MOVE_TO_RECYCLE_BIN:
if (fileExists(fullName))
{
const Zstring targetFile = sessionDelDir + relativeName; //altDeletionDir ends with path separator
const Zstring targetDir = targetFile.BeforeLast(FILE_NAME_SEPARATOR);
try //rename file: no copying!!!
{
if (!dirExists(targetDir)) //no reason to update gui or overwrite status text!
createDirectory(targetDir); //throw FileError -> may legitimately fail on Linux if permissions are missing
//performance optimization!! Instead of moving each object into recycle bin separately, we rename them ony by one into a
//temporary directory and delete this directory only ONCE!
renameFile(fullName, targetFile); //throw FileError
}
catch (FileError&) //if anything went wrong, move to recycle bin the standard way (single file processing: slow)
{
moveToRecycleBin(fullName); //throw FileError
}
}
break;
case MOVE_TO_CUSTOM_DIRECTORY:
if (fileExists(fullName))
{
const Zstring targetFile = sessionDelDir + relativeName; //altDeletionDir ends with path separator
const Zstring targetDir = targetFile.BeforeLast(FILE_NAME_SEPARATOR);
if (!dirExists(targetDir))
createDirectory(targetDir); //throw FileError
CallbackMoveFileImpl callBack(*procCallback_); //if file needs to be copied we need callback functionality to update screen and offer abort
moveFile(fullName, targetFile, true, &callBack);
}
break;
}
}
void DeletionHandling::removeFolder(const Zstring& relativeName) const
{
const Zstring fullName = baseDir_ + relativeName;
switch (deletionType)
{
case DELETE_PERMANENTLY:
{
CallbackRemoveDirImpl remDirCallback(*this);
removeDirectory(fullName, &remDirCallback);
}
break;
case MOVE_TO_RECYCLE_BIN:
if (dirExists(fullName))
{
const Zstring targetDir = sessionDelDir + relativeName;
const Zstring targetSuperDir = targetDir.BeforeLast(FILE_NAME_SEPARATOR);
try //rename directory: no copying!!!
{
if (!dirExists(targetSuperDir))
createDirectory(targetSuperDir); //throw FileError -> may legitimately fail on Linux if permissions are missing
//performance optimization!! Instead of moving each object into recycle bin separately, we rename them one by one into a
//temporary directory and delete this directory only ONCE!
renameFile(fullName, targetDir); //throw FileError
}
catch (FileError&) //if anything went wrong, move to recycle bin the standard way (single file processing: slow)
{
moveToRecycleBin(fullName); //throw FileError
}
}
break;
case MOVE_TO_CUSTOM_DIRECTORY:
if (dirExists(fullName))
{
const Zstring targetDir = sessionDelDir + relativeName;
const Zstring targetSuperDir = targetDir.BeforeLast(FILE_NAME_SEPARATOR);
if (!dirExists(targetSuperDir))
createDirectory(targetSuperDir); //throw FileError
CallbackMoveFileImpl callBack(*procCallback_); //if files need to be copied, we need callback functionality to update screen and offer abort
moveDirectory(fullName, targetDir, true, &callBack);
}
break;
}
}
//evaluate whether a deletion will actually free space within a volume
bool DeletionHandling::deletionFreesSpace() const
{
switch (deletionType)
{
case DELETE_PERMANENTLY:
return true;
case MOVE_TO_RECYCLE_BIN:
return false; //in general... (unless Recycle Bin is full)
case MOVE_TO_CUSTOM_DIRECTORY:
switch (zen::onSameVolume(baseDir_, sessionDelDir))
{
case IS_SAME_YES:
return false;
case IS_SAME_NO:
return true; //but other volume (sessionDelDir) may become full...
case IS_SAME_CANT_SAY:
return true; //a rough guess!
}
}
assert(false);
return true;
}
//------------------------------------------------------------------------------------------------------------
namespace
{
class DiskSpaceNeeded
{
public:
DiskSpaceNeeded(const BaseDirMapping& baseObj, bool freeSpaceDelLeft, bool freeSpaceDelRight) :
freeSpaceDelLeft_(freeSpaceDelLeft),
freeSpaceDelRight_(freeSpaceDelRight)
{
processRecursively(baseObj);
}
std::pair<zen::Int64, zen::Int64> getSpaceTotal() const
{
return std::make_pair(spaceNeededLeft, spaceNeededRight);
}
private:
void processRecursively(const HierarchyObject& hierObj)
{
//don't process directories
//process files
for (auto i = hierObj.refSubFiles().begin(); i != hierObj.refSubFiles().end(); ++i)
switch (i->getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
spaceNeededLeft += to<zen::Int64>(i->getFileSize<RIGHT_SIDE>());
break;
case SO_CREATE_NEW_RIGHT:
spaceNeededRight += to<zen::Int64>(i->getFileSize<LEFT_SIDE>());
break;
case SO_DELETE_LEFT:
if (freeSpaceDelLeft_)
spaceNeededLeft -= to<zen::Int64>(i->getFileSize<LEFT_SIDE>());
break;
case SO_DELETE_RIGHT:
if (freeSpaceDelRight_)
spaceNeededRight -= to<zen::Int64>(i->getFileSize<RIGHT_SIDE>());
break;
case SO_OVERWRITE_LEFT:
if (freeSpaceDelLeft_)
spaceNeededLeft -= to<zen::Int64>(i->getFileSize<LEFT_SIDE>());
spaceNeededLeft += to<zen::Int64>(i->getFileSize<RIGHT_SIDE>());
break;
case SO_OVERWRITE_RIGHT:
if (freeSpaceDelRight_)
spaceNeededRight -= to<zen::Int64>(i->getFileSize<RIGHT_SIDE>());
spaceNeededRight += to<zen::Int64>(i->getFileSize<LEFT_SIDE>());
break;
case SO_DO_NOTHING:
case SO_EQUAL:
case SO_UNRESOLVED_CONFLICT:
case SO_COPY_METADATA_TO_LEFT:
case SO_COPY_METADATA_TO_RIGHT:
break;
}
//symbolic links
//[...]
//recurse into sub-dirs
std::for_each(hierObj.refSubDirs().begin(), hierObj.refSubDirs().end(), boost::bind(&DiskSpaceNeeded::processRecursively, this, _1));
}
const bool freeSpaceDelLeft_;
const bool freeSpaceDelRight_;
zen::Int64 spaceNeededLeft;
zen::Int64 spaceNeededRight;
};
}
//----------------------------------------------------------------------------------------
//test if current sync-line will result in deletion of files or
//big file is overwritten by smaller one -> used to avoid disc space bottlenecks (at least if permanent deletion is active)
inline
bool diskSpaceIsReduced(const FileMapping& fileObj)
{
switch (fileObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_DELETE_LEFT:
case SO_DELETE_RIGHT:
return true;
case SO_OVERWRITE_LEFT:
return fileObj.getFileSize<LEFT_SIDE>() > fileObj.getFileSize<RIGHT_SIDE>();
case SO_OVERWRITE_RIGHT:
return fileObj.getFileSize<LEFT_SIDE>() < fileObj.getFileSize<RIGHT_SIDE>();
case SO_CREATE_NEW_LEFT:
case SO_CREATE_NEW_RIGHT:
case SO_DO_NOTHING:
case SO_EQUAL:
case SO_UNRESOLVED_CONFLICT:
case SO_COPY_METADATA_TO_LEFT:
case SO_COPY_METADATA_TO_RIGHT:
return false;
}
assert(false);
return false; //dummy
}
inline
bool diskSpaceIsReduced(const DirMapping& dirObj)
{
switch (dirObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_DELETE_LEFT:
case SO_DELETE_RIGHT:
return true;
case SO_OVERWRITE_LEFT:
case SO_OVERWRITE_RIGHT:
assert(false);
case SO_CREATE_NEW_LEFT:
case SO_CREATE_NEW_RIGHT:
case SO_DO_NOTHING:
case SO_EQUAL:
case SO_UNRESOLVED_CONFLICT:
case SO_COPY_METADATA_TO_LEFT:
case SO_COPY_METADATA_TO_RIGHT:
return false;
}
assert(false);
return false; //dummy
}
//---------------------------------------------------------------------------------------------------------------
class zen::SynchronizeFolderPair
{
public:
SynchronizeFolderPair(const SyncProcess& syncProc,
#ifdef FFS_WIN
shadow::ShadowCopy* shadowCopyHandler,
#endif
const DeletionHandling& delHandlingLeft,
const DeletionHandling& delHandlingRight) :
procCallback_(syncProc.procCallback),
#ifdef FFS_WIN
shadowCopyHandler_(shadowCopyHandler),
#endif
delHandlingLeft_(delHandlingLeft),
delHandlingRight_(delHandlingRight),
verifyCopiedFiles(syncProc.verifyCopiedFiles_),
copyFilePermissions(syncProc.copyFilePermissions_),
transactionalFileCopy(syncProc.transactionalFileCopy_),
txtCreatingFile (replaceCpy(_("Creating file %x" ), L"%x", L"\n\"%x\"", false)),
txtCreatingLink (replaceCpy(_("Creating symbolic link %x" ), L"%x", L"\n\"%x\"", false)),
txtCreatingFolder (replaceCpy(_("Creating folder %x" ), L"%x", L"\n\"%x\"", false)),
txtOverwritingFile (replaceCpy(_("Overwriting file %x" ), L"%x", L"\n\"%x\"", false)),
txtOverwritingLink (replaceCpy(_("Overwriting symbolic link %x"), L"%x", L"\n\"%x\"", false)),
txtVerifying (replaceCpy(_("Verifying file %x" ), L"%x", L"\n\"%x\"", false)),
txtWritingAttributes(replaceCpy(_("Updating attributes of %x" ), L"%x", L"\n\"%x\"", false)) {}
void startSync(BaseDirMapping& baseMap)
{
//loop through all files twice; reason: first delete files (or overwrite big ones with smaller ones), then copy rest
execute<FIRST_PASS >(baseMap);
execute<SECOND_PASS>(baseMap);
}
private:
enum PassId
{
FIRST_PASS, //delete files
SECOND_PASS //create, modify
};
template <PassId pass>
void execute(HierarchyObject& hierObj);
void synchronizeFile (FileMapping& fileObj) const;
void synchronizeLink (SymLinkMapping& linkObj) const;
void synchronizeFolder(DirMapping& dirObj) const;
//more low level helper
template <zen::SelectedSide side>
void deleteSymlink(const SymLinkMapping& linkObj) const;
template <SelectedSide side, class DelTargetCommand>
void copyFileUpdatingTo(const FileMapping& fileObj, const DelTargetCommand& cmd, FileDescriptor& sourceAttr) const;
void verifyFileCopy(const Zstring& source, const Zstring& target) const;
ProcessCallback& procCallback_;
#ifdef FFS_WIN
shadow::ShadowCopy* shadowCopyHandler_; //optional!
#endif
const DeletionHandling& delHandlingLeft_;
const DeletionHandling& delHandlingRight_;
const bool verifyCopiedFiles;
const bool copyFilePermissions;
const bool transactionalFileCopy;
//preload status texts
const wxString txtCreatingFile;
const wxString txtCreatingLink;
const wxString txtCreatingFolder;
const wxString txtOverwritingFile;
const wxString txtOverwritingLink;
const wxString txtVerifying;
const wxString txtWritingAttributes;
};
template <SynchronizeFolderPair::PassId pass>
void SynchronizeFolderPair::execute(HierarchyObject& hierObj)
{
//synchronize files:
std::for_each(hierObj.refSubFiles().begin(), hierObj.refSubFiles().end(),
[&](FileMapping& fileObj)
{
const bool letsDoThis = (pass == FIRST_PASS) == diskSpaceIsReduced(fileObj); //to be deleted files on first pass, rest on second!
if (letsDoThis)
tryReportingError(procCallback_, [&]() { synchronizeFile(fileObj); });
});
//synchronize symbolic links: (process in second step only)
if (pass == SECOND_PASS)
std::for_each(hierObj.refSubLinks().begin(), hierObj.refSubLinks().end(),
[&](SymLinkMapping& linkObj) { tryReportingError(procCallback_, [&]() { synchronizeLink(linkObj); }); });
//synchronize folders:
std::for_each(hierObj.refSubDirs().begin(), hierObj.refSubDirs().end(),
[&](DirMapping& dirObj)
{
const bool letsDoThis = (pass == FIRST_PASS) == diskSpaceIsReduced(dirObj); //to be deleted files on first pass, rest on second!
if (letsDoThis) //running folder creation on first pass only, works, but looks strange for initial mirror sync when all folders are created at once
tryReportingError(procCallback_, [&]() { synchronizeFolder(dirObj); });
//recursion!
this->execute<pass>(dirObj);
});
}
void SynchronizeFolderPair::synchronizeFile(FileMapping& fileObj) const
{
wxString logText;
Zstring target;
switch (fileObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
target = fileObj.getBaseDirPf<LEFT_SIDE>() + fileObj.getRelativeName<RIGHT_SIDE>(); //can't use "getFullName" as target is not yet existing
logText = txtCreatingFile;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
try
{
FileDescriptor sourceAttr;
copyFileUpdatingTo<LEFT_SIDE>(fileObj,
[]() {}, //no target to delete
sourceAttr);
fileObj.copyTo<LEFT_SIDE>(&sourceAttr); //update FileMapping
}
catch (FileError&)
{
if (fileExists(fileObj.getFullName<RIGHT_SIDE>()))
throw;
//source deleted meanwhile...
procCallback_.updateProcessedData(0, to<zen::Int64>(fileObj.getFileSize<RIGHT_SIDE>()));
fileObj.removeObject<RIGHT_SIDE>();
}
break;
case SO_CREATE_NEW_RIGHT:
target = fileObj.getBaseDirPf<RIGHT_SIDE>() + fileObj.getRelativeName<LEFT_SIDE>();
logText = txtCreatingFile;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
try
{
FileDescriptor sourceAttr;
copyFileUpdatingTo<RIGHT_SIDE>(fileObj,
[]() {}, //no target to delete
sourceAttr);
fileObj.copyTo<RIGHT_SIDE>(&sourceAttr); //update FileMapping
}
catch (FileError&)
{
if (fileExists(fileObj.getFullName<LEFT_SIDE>()))
throw;
//source deleted meanwhile...
procCallback_.updateProcessedData(0, to<zen::Int64>(fileObj.getFileSize<LEFT_SIDE>()));
fileObj.removeObject<LEFT_SIDE>();
}
break;
case SO_DELETE_LEFT:
logText = replaceCpy(delHandlingLeft_.getTxtRemovingFile(), L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
delHandlingLeft_.removeFile(fileObj.getObjRelativeName()); //throw FileError
fileObj.removeObject<LEFT_SIDE>(); //update FileMapping
break;
case SO_DELETE_RIGHT:
logText = replaceCpy(delHandlingRight_.getTxtRemovingFile(), L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
delHandlingRight_.removeFile(fileObj.getObjRelativeName()); //throw FileError
fileObj.removeObject<RIGHT_SIDE>(); //update FileMapping
break;
case SO_OVERWRITE_LEFT:
{
target = fileObj.getBaseDirPf<LEFT_SIDE>() + fileObj.getRelativeName<RIGHT_SIDE>(); //respect differences in case of source object
logText = txtOverwritingFile;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
FileDescriptor sourceAttr;
copyFileUpdatingTo<LEFT_SIDE>(fileObj,
[&]() //delete target at appropriate time
{
procCallback_.reportStatus(replaceCpy(delHandlingLeft_.getTxtRemovingFile(), L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<LEFT_SIDE>())));
delHandlingLeft_.removeFile(fileObj.getObjRelativeName()); //throw FileError
fileObj.removeObject<LEFT_SIDE>(); //remove file from FileMapping, to keep in sync (if subsequent copying fails!!)
procCallback_.reportStatus(logText); //restore status text copy file
}, sourceAttr);
fileObj.copyTo<LEFT_SIDE>(&sourceAttr); //update FileMapping
}
break;
case SO_OVERWRITE_RIGHT:
{
target = fileObj.getBaseDirPf<RIGHT_SIDE>() + fileObj.getRelativeName<LEFT_SIDE>(); //respect differences in case of source object
logText = txtOverwritingFile;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
FileDescriptor sourceAttr;
copyFileUpdatingTo<RIGHT_SIDE>(fileObj,
[&]() //delete target at appropriate time
{
procCallback_.reportStatus(replaceCpy(delHandlingRight_.getTxtRemovingFile(), L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<RIGHT_SIDE>())));
delHandlingRight_.removeFile(fileObj.getObjRelativeName()); //throw FileError
fileObj.removeObject<RIGHT_SIDE>(); //remove file from FileMapping, to keep in sync (if subsequent copying fails!!)
procCallback_.reportStatus(logText); //restore status text copy file
}, sourceAttr);
fileObj.copyTo<RIGHT_SIDE>(&sourceAttr); //update FileMapping
}
break;
case SO_COPY_METADATA_TO_LEFT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
if (fileObj.getShortName<LEFT_SIDE>() != fileObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(fileObj.getFullName<LEFT_SIDE>(),
fileObj.getFullName<LEFT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + fileObj.getShortName<RIGHT_SIDE>()); //throw FileError;
if (!sameFileTime(fileObj.getLastWriteTime<LEFT_SIDE>(), fileObj.getLastWriteTime<RIGHT_SIDE>(), 2)) //respect 2 second FAT/FAT32 precision
setFileTime(fileObj.getFullName<LEFT_SIDE>(), fileObj.getLastWriteTime<RIGHT_SIDE>(), SYMLINK_FOLLOW); //throw FileError
//do NOT read *current* source file time, but use buffered value which corresponds to time of comparison!
fileObj.copyTo<LEFT_SIDE>(NULL); //-> both sides *should* be completely equal now...
break;
case SO_COPY_METADATA_TO_RIGHT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(fileObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
if (fileObj.getShortName<LEFT_SIDE>() != fileObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(fileObj.getFullName<RIGHT_SIDE>(),
fileObj.getFullName<RIGHT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + fileObj.getShortName<LEFT_SIDE>()); //throw FileError;
if (!sameFileTime(fileObj.getLastWriteTime<LEFT_SIDE>(), fileObj.getLastWriteTime<RIGHT_SIDE>(), 2)) //respect 2 second FAT/FAT32 precision
setFileTime(fileObj.getFullName<RIGHT_SIDE>(), fileObj.getLastWriteTime<LEFT_SIDE>(), SYMLINK_FOLLOW); //throw FileError
fileObj.copyTo<RIGHT_SIDE>(NULL); //-> both sides *should* be completely equal now...
break;
case SO_DO_NOTHING:
case SO_EQUAL:
case SO_UNRESOLVED_CONFLICT:
return; //no update on processed data!
}
//progress indicator update
//indicator is updated only if file is sync'ed correctly (and if some sync was done)!
procCallback_.updateProcessedData(1, 0); //processed data is communicated in subfunctions!
procCallback_.requestUiRefresh(); //may throw
}
void SynchronizeFolderPair::synchronizeLink(SymLinkMapping& linkObj) const
{
wxString logText;
Zstring target;
switch (linkObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
target = linkObj.getBaseDirPf<LEFT_SIDE>() + linkObj.getRelativeName<RIGHT_SIDE>();
logText = txtCreatingLink;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
try
{
zen::copySymlink(linkObj.getFullName<RIGHT_SIDE>(), target, copyFilePermissions); //throw FileError
linkObj.copyTo<LEFT_SIDE>(); //update SymLinkMapping
}
catch (FileError&)
{
if (fileExists(linkObj.getFullName<RIGHT_SIDE>()))
throw;
//source deleted meanwhile...
linkObj.removeObject<RIGHT_SIDE>();
}
break;
case SO_CREATE_NEW_RIGHT:
target = linkObj.getBaseDirPf<RIGHT_SIDE>() + linkObj.getRelativeName<LEFT_SIDE>();
logText = txtCreatingLink;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
try
{
zen::copySymlink(linkObj.getFullName<LEFT_SIDE>(), target, copyFilePermissions); //throw FileError
linkObj.copyTo<RIGHT_SIDE>(); //update SymLinkMapping
}
catch (FileError&)
{
if (fileExists(linkObj.getFullName<LEFT_SIDE>()))
throw;
//source deleted meanwhile...
linkObj.removeObject<LEFT_SIDE>();
}
break;
case SO_DELETE_LEFT:
logText = replaceCpy(delHandlingLeft_.getTxtRemovingSymLink(), L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
deleteSymlink<LEFT_SIDE>(linkObj); //throw FileError
linkObj.removeObject<LEFT_SIDE>(); //update SymLinkMapping
break;
case SO_DELETE_RIGHT:
logText = replaceCpy(delHandlingRight_.getTxtRemovingSymLink(), L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
deleteSymlink<RIGHT_SIDE>(linkObj); //throw FileError
linkObj.removeObject<RIGHT_SIDE>(); //update SymLinkMapping
break;
case SO_OVERWRITE_LEFT:
target = linkObj.getBaseDirPf<LEFT_SIDE>() + linkObj.getRelativeName<RIGHT_SIDE>(); //respect differences in case of source object
logText = txtOverwritingLink;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
procCallback_.reportStatus(replaceCpy(delHandlingLeft_.getTxtRemovingSymLink(), L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<LEFT_SIDE>())));
deleteSymlink<LEFT_SIDE>(linkObj); //throw FileError
linkObj.removeObject<LEFT_SIDE>(); //remove file from FileMapping, to keep in sync (if subsequent copying fails!!)
procCallback_.reportStatus(logText); //restore status text
zen::copySymlink(linkObj.getFullName<RIGHT_SIDE>(), target, copyFilePermissions); //throw FileError
linkObj.copyTo<LEFT_SIDE>(); //update SymLinkMapping
break;
case SO_OVERWRITE_RIGHT:
target = linkObj.getBaseDirPf<RIGHT_SIDE>() + linkObj.getRelativeName<LEFT_SIDE>(); //respect differences in case of source object
logText = txtOverwritingLink;
replace(logText, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
procCallback_.reportStatus(replaceCpy(delHandlingRight_.getTxtRemovingSymLink(), L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<RIGHT_SIDE>())));
deleteSymlink<RIGHT_SIDE>(linkObj); //throw FileError
linkObj.removeObject<RIGHT_SIDE>(); //remove file from FileMapping, to keep in sync (if subsequent copying fails!!)
procCallback_.reportStatus(logText); //restore status text
zen::copySymlink(linkObj.getFullName<LEFT_SIDE>(), target, copyFilePermissions); //throw FileError
linkObj.copyTo<RIGHT_SIDE>(); //update SymLinkMapping
break;
case SO_COPY_METADATA_TO_LEFT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
if (linkObj.getShortName<LEFT_SIDE>() != linkObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(linkObj.getFullName<LEFT_SIDE>(),
linkObj.getFullName<LEFT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + linkObj.getShortName<RIGHT_SIDE>()); //throw FileError;
if (!sameFileTime(linkObj.getLastWriteTime<LEFT_SIDE>(), linkObj.getLastWriteTime<RIGHT_SIDE>(), 2)) //respect 2 second FAT/FAT32 precision
setFileTime(linkObj.getFullName<LEFT_SIDE>(), linkObj.getLastWriteTime<RIGHT_SIDE>(), SYMLINK_DIRECT); //throw FileError
linkObj.copyTo<LEFT_SIDE>(); //-> both sides *should* be completely equal now...
break;
case SO_COPY_METADATA_TO_RIGHT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(linkObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
if (linkObj.getShortName<LEFT_SIDE>() != linkObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(linkObj.getFullName<RIGHT_SIDE>(),
linkObj.getFullName<RIGHT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + linkObj.getShortName<LEFT_SIDE>()); //throw FileError;
if (!sameFileTime(linkObj.getLastWriteTime<LEFT_SIDE>(), linkObj.getLastWriteTime<RIGHT_SIDE>(), 2)) //respect 2 second FAT/FAT32 precision
setFileTime(linkObj.getFullName<RIGHT_SIDE>(), linkObj.getLastWriteTime<LEFT_SIDE>(), SYMLINK_DIRECT); //throw FileError
linkObj.copyTo<RIGHT_SIDE>(); //-> both sides *should* be completely equal now...
break;
case SO_DO_NOTHING:
case SO_EQUAL:
case SO_UNRESOLVED_CONFLICT:
return; //no update on processed data!
}
//progress indicator update
//indicator is updated only if file is sync'ed correctly (and if some sync was done)!
procCallback_.updateProcessedData(1, 0); //processed data is communicated in subfunctions!
procCallback_.requestUiRefresh(); //may throw
}
void SynchronizeFolderPair::synchronizeFolder(DirMapping& dirObj) const
{
wxString logText;
Zstring target;
//synchronize folders:
switch (dirObj.getSyncOperation()) //evaluate comparison result and sync direction
{
case SO_CREATE_NEW_LEFT:
//some check to catch the error that directory on source has been deleted externally after "compare"...
if (!dirExists(dirObj.getFullName<RIGHT_SIDE>()))
{
// throw FileError(_ ("Source directory does not exist anymore:") + "\n\"" + dirObj.getFullName<RIGHT_SIDE>() + "\"");
const SyncStatistics subObjects(dirObj); //DON'T forget to notify about implicitly deleted objects!
procCallback_.updateProcessedData(subObjects.getCreate() + subObjects.getOverwrite() + subObjects.getDelete(), to<zen::Int64>(subObjects.getDataToProcess()));
dirObj.refSubFiles().clear(); //...then remove sub-objects
dirObj.refSubLinks().clear(); //
dirObj.refSubDirs ().clear(); //
dirObj.removeObject<RIGHT_SIDE>();
}
else
{
target = dirObj.getBaseDirPf<LEFT_SIDE>() + dirObj.getRelativeName<RIGHT_SIDE>();
logText = replaceCpy(txtCreatingFolder, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
createDirectory(target, dirObj.getFullName<RIGHT_SIDE>(), copyFilePermissions); //no symlink copying!
dirObj.copyTo<LEFT_SIDE>(); //update DirMapping
}
break;
case SO_CREATE_NEW_RIGHT:
//some check to catch the error that directory on source has been deleted externally after "compare"...
if (!dirExists(dirObj.getFullName<LEFT_SIDE>()))
{
//throw FileError(_ ("Source directory does not exist anymore:") + "\n\"" + dirObj.getFullName<LEFT_SIDE>() + "\"");
const SyncStatistics subObjects(dirObj); //DON'T forget to notify about implicitly deleted objects!
procCallback_.updateProcessedData(subObjects.getCreate() + subObjects.getOverwrite() + subObjects.getDelete(), to<zen::Int64>(subObjects.getDataToProcess()));
dirObj.refSubFiles().clear(); //...then remove sub-objects
dirObj.refSubLinks().clear(); //
dirObj.refSubDirs ().clear(); //
dirObj.removeObject<LEFT_SIDE>();
}
else
{
target = dirObj.getBaseDirPf<RIGHT_SIDE>() + dirObj.getRelativeName<LEFT_SIDE>();
logText = replaceCpy(txtCreatingFolder, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
createDirectory(target, dirObj.getFullName<LEFT_SIDE>(), copyFilePermissions); //no symlink copying!
dirObj.copyTo<RIGHT_SIDE>(); //update DirMapping
}
break;
case SO_COPY_METADATA_TO_LEFT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(dirObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
if (dirObj.getShortName<LEFT_SIDE>() != dirObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(dirObj.getFullName<LEFT_SIDE>(),
dirObj.getFullName<LEFT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + dirObj.getShortName<RIGHT_SIDE>()); //throw FileError;
//copyFileTimes(dirObj.getFullName<RIGHT_SIDE>(), dirObj.getFullName<LEFT_SIDE>(), true); //throw FileError -> is executed after sub-objects have finished synchronization
dirObj.copyTo<LEFT_SIDE>(); //-> both sides *should* be completely equal now...
break;
case SO_COPY_METADATA_TO_RIGHT:
logText = replaceCpy(txtWritingAttributes, L"%x", utf8CvrtTo<wxString>(dirObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
if (dirObj.getShortName<LEFT_SIDE>() != dirObj.getShortName<RIGHT_SIDE>()) //adapt difference in case (windows only)
renameFile(dirObj.getFullName<RIGHT_SIDE>(),
dirObj.getFullName<RIGHT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR) + FILE_NAME_SEPARATOR + dirObj.getShortName<LEFT_SIDE>()); //throw FileError;
//copyFileTimes(dirObj.getFullName<LEFT_SIDE>(), dirObj.getFullName<RIGHT_SIDE>(), true); //throw FileError -> is executed after sub-objects have finished synchronization
dirObj.copyTo<RIGHT_SIDE>(); //-> both sides *should* be completely equal now...
break;
case SO_DELETE_LEFT:
//status information
logText = replaceCpy(delHandlingLeft_.getTxtRemovingDir(), L"%x", utf8CvrtTo<wxString>(dirObj.getFullName<LEFT_SIDE>()));
procCallback_.reportInfo(logText);
delHandlingLeft_.removeFolder(dirObj.getObjRelativeName()); //throw FileError
{
//progress indicator update: DON'T forget to notify about implicitly deleted objects!
const SyncStatistics subObjects(dirObj);
//...then remove everything
dirObj.refSubFiles().clear();
dirObj.refSubLinks().clear();
dirObj.refSubDirs ().clear();
procCallback_.updateProcessedData(subObjects.getCreate() + subObjects.getOverwrite() + subObjects.getDelete(), to<zen::Int64>(subObjects.getDataToProcess()));
}
dirObj.removeObject<LEFT_SIDE>(); //update DirMapping
break;
case SO_DELETE_RIGHT:
//status information
logText = replaceCpy(delHandlingRight_.getTxtRemovingDir(), L"%x", utf8CvrtTo<wxString>(dirObj.getFullName<RIGHT_SIDE>()));
procCallback_.reportInfo(logText);
delHandlingRight_.removeFolder(dirObj.getObjRelativeName()); //throw FileError
{
//progress indicator update: DON'T forget to notify about implicitly deleted objects!
const SyncStatistics subObjects(dirObj);
//...then remove everything
dirObj.refSubFiles().clear();
dirObj.refSubLinks().clear();
dirObj.refSubDirs ().clear();
procCallback_.updateProcessedData(subObjects.getCreate() + subObjects.getOverwrite() + subObjects.getDelete(), to<zen::Int64>(subObjects.getDataToProcess()));
}
dirObj.removeObject<RIGHT_SIDE>(); //update DirMapping
break;
case SO_OVERWRITE_RIGHT:
case SO_OVERWRITE_LEFT:
assert(false);
case SO_UNRESOLVED_CONFLICT:
case SO_DO_NOTHING:
case SO_EQUAL:
return; //no update on processed data!
}
//progress indicator update
//indicator is updated only if directory is sync'ed correctly (and if some work was done)!
procCallback_.updateProcessedData(1, 0); //each call represents one processed file
procCallback_.requestUiRefresh(); //may throw
}
namespace
{
void makeSameLength(std::wstring& first, std::wstring& second)
{
const size_t maxPref = std::max(first.length(), second.length());
first .resize(maxPref, L' ');
second.resize(maxPref, L' ');
}
struct LessDependentDirectory : public std::binary_function<Zstring, Zstring, bool>
{
bool operator()(const Zstring& lhs, const Zstring& rhs) const
{
return LessFilename()(Zstring(lhs.c_str(), std::min(lhs.length(), rhs.length())),
Zstring(rhs.c_str(), std::min(lhs.length(), rhs.length())));
}
};
struct EqualDependentDirectory : public std::binary_function<Zstring, Zstring, bool>
{
bool operator()(const Zstring& lhs, const Zstring& rhs) const
{
return EqualFilename()(Zstring(lhs.c_str(), std::min(lhs.length(), rhs.length())),
Zstring(rhs.c_str(), std::min(lhs.length(), rhs.length())));
}
};
class EnforceUpdateDatabase
{
public:
EnforceUpdateDatabase(const BaseDirMapping& baseMap) :
dbWasWritten(false),
baseMap_(baseMap) {}
~EnforceUpdateDatabase()
{
try
{
tryWriteDB(); //throw FileError, keep non-blocking!!!
}
catch (...) {}
}
void tryWriteDB() //(try to gracefully) write db file; throw FileError
{
if (!dbWasWritten)
{
zen::saveToDisk(baseMap_); //throw FileError
dbWasWritten = true;
}
}
private:
bool dbWasWritten;
const BaseDirMapping& baseMap_;
};
}
void SyncProcess::startSynchronizationProcess(const std::vector<FolderPairSyncCfg>& syncConfig, FolderComparison& folderCmp)
{
#ifdef NDEBUG
wxLogNull noWxLogs; //prevent wxWidgets logging
#endif
//PERF_START;
if (syncConfig.size() != folderCmp.size())
throw std::logic_error("Programming Error: Contract violation!");
//inform about the total amount of data that will be processed from now on
const SyncStatistics statisticsTotal(folderCmp);
//keep at beginning so that all gui elements are initialized properly
procCallback.initNewProcess(statisticsTotal.getCreate() + statisticsTotal.getOverwrite() + statisticsTotal.getDelete(),
to<zen::Int64>(statisticsTotal.getDataToProcess()),
ProcessCallback::PROCESS_SYNCHRONIZING);
std::deque<bool> skipFolderPair(folderCmp.size()); //folder pairs may be skipped after fatal errors were found
//initialize deletion handling: already required when checking for warnings
std::vector<std::pair<DeletionHandling, DeletionHandling>> delHandler;
for (auto j = begin(folderCmp); j != end(folderCmp); ++j)
{
const size_t folderIndex = j - folderCmp.begin();
const FolderPairSyncCfg& folderPairCfg = syncConfig[folderIndex];
delHandler.push_back(std::make_pair(DeletionHandling(folderPairCfg.handleDeletion,
folderPairCfg.custDelFolder,
j->getBaseDirPf<LEFT_SIDE>(),
procCallback),
DeletionHandling(folderPairCfg.handleDeletion,
folderPairCfg.custDelFolder,
j->getBaseDirPf<RIGHT_SIDE>(),
procCallback)));
}
//-------------------some basic checks:------------------------------------------
//aggregate information
typedef std::set<Zstring, LessDependentDirectory> DirReadSet; //count (at least one) read access
typedef std::map<Zstring, size_t, LessDependentDirectory> DirWriteMap; //count (read+)write accesses
DirReadSet dirReadCount;
DirWriteMap dirWriteCount;
typedef std::vector<std::pair<Zstring, Zstring> > DirPairList;
DirPairList significantDiff;
typedef std::vector<std::pair<Zstring, std::pair<zen::Int64, zen::Int64> > > DirSpaceRequAvailList; //dirname / space required / space available
DirSpaceRequAvailList diskSpaceMissing;
typedef std::set<Zstring, LessDependentDirectory> DirRecyclerMissing;
DirRecyclerMissing recyclMissing;
//start checking folder pairs
for (auto j = begin(folderCmp); j != end(folderCmp); ++j)
{
const size_t folderIndex = j - begin(folderCmp);
//exclude some pathological case (leftdir, rightdir are empty)
if (EqualFilename()(j->getBaseDirPf<LEFT_SIDE>(), j->getBaseDirPf<RIGHT_SIDE>()))
continue;
const FolderPairSyncCfg& folderPairCfg = syncConfig[folderIndex];
const std::pair<DeletionHandling, DeletionHandling>& delHandlerFp = delHandler[folderIndex];
const SyncStatistics folderPairStat(*j);
//aggregate basic information
const bool writeLeft = folderPairStat.getCreate <LEFT_SIDE>() +
folderPairStat.getOverwrite<LEFT_SIDE>() +
folderPairStat.getDelete <LEFT_SIDE>() > 0;
const bool writeRight = folderPairStat.getCreate <RIGHT_SIDE>() +
folderPairStat.getOverwrite<RIGHT_SIDE>() +
folderPairStat.getDelete <RIGHT_SIDE>() > 0;
//skip folder pair if there is nothing to do (except for automatic mode, where data base needs to be written even in this case)
if (!writeLeft && !writeRight &&
!folderPairCfg.inAutomaticMode)
{
skipFolderPair[folderIndex] = true; //skip creating (not yet existing) base directories in particular if there's no need
continue;
}
//check empty input fields: basically this only makes sense if empty field is not target (and not automatic mode: because of db file creation)
if ((j->getBaseDirPf<LEFT_SIDE>(). empty() && (writeLeft || folderPairCfg.inAutomaticMode)) ||
(j->getBaseDirPf<RIGHT_SIDE>().empty() && (writeRight || folderPairCfg.inAutomaticMode)))
{
procCallback.reportFatalError(_("Target directory name must not be empty!"));
skipFolderPair[folderIndex] = true;
continue;
}
//aggregate information of folders used by multiple pairs in read/write access
if (!EqualDependentDirectory()(j->getBaseDirPf<LEFT_SIDE>(), j->getBaseDirPf<RIGHT_SIDE>())) //true in general
{
if (writeLeft)
{
++dirWriteCount[j->getBaseDirPf<LEFT_SIDE>()];
if (writeRight)
++dirWriteCount[j->getBaseDirPf<RIGHT_SIDE>()];
else
dirReadCount.insert(j->getBaseDirPf<RIGHT_SIDE>());
}
else if (writeRight)
{
dirReadCount.insert(j->getBaseDirPf<LEFT_SIDE>());
++dirWriteCount[j->getBaseDirPf<RIGHT_SIDE>()];
}
}
else //if folder pair contains two dependent folders, a warning was already issued after comparison; in this context treat as one write access at most
{
if (writeLeft || writeRight)
++dirWriteCount[j->getBaseDirPf<LEFT_SIDE>()];
}
if (folderPairStat.getOverwrite() + folderPairStat.getDelete() > 0)
{
if (folderPairCfg.handleDeletion == zen::MOVE_TO_CUSTOM_DIRECTORY)
{
//check if user-defined directory for deletion was specified
if (folderPairCfg.custDelFolder.empty())
{
procCallback.reportFatalError(_("User-defined directory for deletion was not specified!"));
skipFolderPair[folderIndex] = true;
continue;
}
}
}
//avoid data loss when source directory doesn't (temporarily?) exist anymore AND user chose to ignore errors (else we wouldn't arrive here)
if (folderPairStat.getCreate() + folderPairStat.getOverwrite() + folderPairStat.getConflict() == 0 &&
folderPairStat.getDelete() > 0) //deletions only... (respect filtered items!)
{
Zstring missingSrcDir;
if (!j->getBaseDirPf<LEFT_SIDE>().empty() && !j->wasExisting<LEFT_SIDE>()) //important: we need to evaluate existence status from time of comparison!
missingSrcDir = j->getBaseDirPf<LEFT_SIDE>();
if (!j->getBaseDirPf<RIGHT_SIDE>().empty() && !j->wasExisting<RIGHT_SIDE>())
missingSrcDir = j->getBaseDirPf<RIGHT_SIDE>();
if (!missingSrcDir.empty())
{
procCallback.reportFatalError(_("Source directory does not exist anymore:") + "\n\"" + missingSrcDir + "\"");
skipFolderPair[folderIndex] = true;
continue;
}
}
//check if more than 50% of total number of files/dirs are to be created/overwritten/deleted
if (significantDifferenceDetected(folderPairStat))
significantDiff.push_back(std::make_pair(j->getBaseDirPf<LEFT_SIDE>(), j->getBaseDirPf<RIGHT_SIDE>()));
//check for sufficient free diskspace in left directory
const std::pair<zen::Int64, zen::Int64> spaceNeeded = DiskSpaceNeeded(*j,
delHandlerFp.first.deletionFreesSpace(),
delHandlerFp.second.deletionFreesSpace()).getSpaceTotal();
wxLongLong freeDiskSpaceLeft;
if (wxGetDiskSpace(toWx(j->getBaseDirPf<LEFT_SIDE>()), NULL, &freeDiskSpaceLeft))
{
if (0 < freeDiskSpaceLeft && //zero disk space is either an error or not: in both cases this warning message is obsolete (WebDav seems to report 0)
freeDiskSpaceLeft.ToDouble() < to<double>(spaceNeeded.first))
diskSpaceMissing.push_back(std::make_pair(j->getBaseDirPf<LEFT_SIDE>(), std::make_pair(spaceNeeded.first, freeDiskSpaceLeft.ToDouble())));
}
//check for sufficient free diskspace in right directory
wxLongLong freeDiskSpaceRight;
if (wxGetDiskSpace(toWx(j->getBaseDirPf<RIGHT_SIDE>()), NULL, &freeDiskSpaceRight))
{
if (0 < freeDiskSpaceRight && //zero disk space is either an error or not: in both cases this warning message is obsolete (WebDav seems to report 0)
freeDiskSpaceRight.ToDouble() < to<double>(spaceNeeded.second))
diskSpaceMissing.push_back(std::make_pair(j->getBaseDirPf<RIGHT_SIDE>(), std::make_pair(spaceNeeded.second, freeDiskSpaceRight.ToDouble())));
}
//windows: check if recycle bin really exists; if not, Windows will silently delete, which is wrong
#ifdef FFS_WIN
if (folderPairCfg.handleDeletion == MOVE_TO_RECYCLE_BIN)
{
if (folderPairStat.getOverwrite<LEFT_SIDE>() +
folderPairStat.getDelete <LEFT_SIDE>() > 0 &&
recycleBinStatus(j->getBaseDirPf<LEFT_SIDE>()) != STATUS_REC_EXISTS)
recyclMissing.insert(j->getBaseDirPf<LEFT_SIDE>());
if (folderPairStat.getOverwrite<RIGHT_SIDE>() +
folderPairStat.getDelete <RIGHT_SIDE>() > 0 &&
recycleBinStatus(j->getBaseDirPf<RIGHT_SIDE>()) != STATUS_REC_EXISTS)
recyclMissing.insert(j->getBaseDirPf<RIGHT_SIDE>());
}
#endif
}
//check if unresolved conflicts exist
if (statisticsTotal.getConflict() > 0)
{
//show the first few conflicts in warning message also:
wxString warningMessage = wxString(_("Unresolved conflicts existing!")) +
wxT(" (") + toStringSep(statisticsTotal.getConflict()) + wxT(")\n\n");
const SyncStatistics::ConflictTexts& firstConflicts = statisticsTotal.getFirstConflicts(); //get first few sync conflicts
for (SyncStatistics::ConflictTexts::const_iterator i = firstConflicts.begin(); i != firstConflicts.end(); ++i)
{
wxString conflictDescription = i->second;
//conflictDescription.Replace(wxT("\n"), wxT(" ")); //remove line-breaks
warningMessage += wxString(L"\"") + i->first + L"\": " + conflictDescription + "\n\n";
}
if (statisticsTotal.getConflict() > static_cast<int>(firstConflicts.size()))
warningMessage += wxT("[...]\n\n");
warningMessage += _("You can ignore conflicts and continue synchronization.");
procCallback.reportWarning(warningMessage, m_warnings.warningUnresolvedConflicts);
}
//check if more than 50% of total number of files/dirs are to be created/overwritten/deleted
if (!significantDiff.empty())
{
wxString warningMessage = _("Significant difference detected:");
for (DirPairList::const_iterator i = significantDiff.begin(); i != significantDiff.end(); ++i)
warningMessage += wxString(wxT("\n\n")) +
i->first + " <-> " + "\n" +
i->second;
warningMessage += wxString(wxT("\n\n")) + _("More than 50% of the total number of files will be copied or deleted!");
procCallback.reportWarning(warningMessage, m_warnings.warningSignificantDifference);
}
//check for sufficient free diskspace
if (!diskSpaceMissing.empty())
{
wxString warningMessage = _("Not enough free disk space available in:");
for (auto i = diskSpaceMissing.begin(); i != diskSpaceMissing.end(); ++i)
warningMessage += wxString(wxT("\n\n")) +
"\"" + i->first + "\"\n" +
_("Free disk space required:") + wxT(" ") + formatFilesizeToShortString(to<UInt64>(i->second.first)) + wxT("\n") +
_("Free disk space available:") + wxT(" ") + formatFilesizeToShortString(to<UInt64>(i->second.second));
procCallback.reportWarning(warningMessage, m_warnings.warningNotEnoughDiskSpace);
}
//windows: check if recycle bin really exists; if not, Windows will silently delete, which is wrong
#ifdef FFS_WIN
if (!recyclMissing.empty())
{
wxString warningMessage = _("Recycle Bin is not available for the following paths! Files will be deleted permanently instead:");
warningMessage += L"\n";
std::for_each(recyclMissing.begin(), recyclMissing.end(),
[&](const Zstring& path) { warningMessage += L"\n" + toWx(path); });
procCallback.reportWarning(warningMessage, m_warnings.warningRecyclerMissing);
}
#endif
//check if folders are used by multiple pairs in read/write access
std::vector<Zstring> conflictDirs;
for (DirWriteMap::const_iterator i = dirWriteCount.begin(); i != dirWriteCount.end(); ++i)
if (i->second >= 2 || //multiple write accesses
(i->second == 1 && dirReadCount.find(i->first) != dirReadCount.end())) //read/write access
conflictDirs.push_back(i->first);
if (!conflictDirs.empty())
{
wxString warningMessage = wxString(_("A directory will be modified which is part of multiple folder pairs! Please review synchronization settings!")) + wxT("\n");
for (std::vector<Zstring>::const_iterator i = conflictDirs.begin(); i != conflictDirs.end(); ++i)
warningMessage += wxString(wxT("\n")) +
"\"" + *i + "\"";
procCallback.reportWarning(warningMessage, m_warnings.warningMultiFolderWriteAccess);
}
//-------------------end of basic checks------------------------------------------
#ifdef FFS_WIN
//shadow copy buffer: per sync-instance, not folder pair
boost::scoped_ptr<shadow::ShadowCopy> shadowCopyHandler(copyLockedFiles_ ? new shadow::ShadowCopy : NULL);
#endif
try
{
//prevent shutdown while synchronization is in progress
util::DisableStandby dummy;
(void)dummy;
//loop through all directory pairs
for (auto j = begin(folderCmp); j != end(folderCmp); ++j)
{
const size_t folderIndex = j - begin(folderCmp);
const FolderPairSyncCfg& folderPairCfg = syncConfig[folderIndex];
std::pair<DeletionHandling, DeletionHandling>& delHandlerFp = delHandler[folderIndex];
if (skipFolderPair[folderIndex]) //folder pairs may be skipped after fatal errors were found
continue;
//exclude some pathological case (leftdir, rightdir are empty)
if (EqualFilename()(j->getBaseDirPf<LEFT_SIDE>(), j->getBaseDirPf<RIGHT_SIDE>()))
continue;
//------------------------------------------------------------------------------------------
//info about folder pair to be processed (useful for logfile)
std::wstring left = _("Left") + ": ";
std::wstring right = _("Right") + ": ";
makeSameLength(left, right);
const std::wstring statusTxt = _("Processing folder pair:") + " \n" +
"\t" + left + "\"" + j->getBaseDirPf<LEFT_SIDE>() + "\"" + " \n" +
"\t" + right + "\"" + j->getBaseDirPf<RIGHT_SIDE>() + "\"";
procCallback.reportInfo(statusTxt);
//------------------------------------------------------------------------------------------
//create base directories first (if not yet existing) -> no symlink or attribute copying! -> single error message instead of one per file (e.g. unplugged network drive)
const Zstring dirnameLeft = j->getBaseDirPf<LEFT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR);
if (!dirnameLeft.empty() && !dirExistsUpdating(dirnameLeft, procCallback))
{
if (!tryReportingError(procCallback, [&]() { createDirectory(dirnameLeft); })) //may throw in error-callback!
continue; //skip this folder pair
}
const Zstring dirnameRight = j->getBaseDirPf<RIGHT_SIDE>().BeforeLast(FILE_NAME_SEPARATOR);
if (!dirnameRight.empty() && !dirExistsUpdating(dirnameRight, procCallback))
{
if (!tryReportingError(procCallback, [&]() { createDirectory(dirnameRight); })) //may throw in error-callback!
continue; //skip this folder pair
}
//------------------------------------------------------------------------------------------
//execute synchronization recursively
//update synchronization database (automatic sync only)
std::unique_ptr<EnforceUpdateDatabase> guardUpdateDb;
if (folderPairCfg.inAutomaticMode)
guardUpdateDb.reset(new EnforceUpdateDatabase(*j));
//guarantee removal of invalid entries (where element on both sides is empty)
LOKI_ON_BLOCK_EXIT2(BaseDirMapping::removeEmpty(*j););
SynchronizeFolderPair syncFP(*this,
#ifdef FFS_WIN
shadowCopyHandler.get(),
#endif
delHandlerFp.first, delHandlerFp.second);
syncFP.startSync(*j);
//(try to gracefully) cleanup temporary folders (Recycle bin optimization) -> will be done in ~DeletionHandling anyway...
tryReportingError(procCallback, [&]() { delHandlerFp.first .tryCleanup(); }); //show error dialog if necessary
tryReportingError(procCallback, [&]() { delHandlerFp.second.tryCleanup(); }); //
//(try to gracefully) write database file (will be done in ~EnforceUpdateDatabase anyway...)
if (guardUpdateDb.get())
{
procCallback.reportStatus(_("Generating database..."));
procCallback.forceUiRefresh();
tryReportingError(procCallback, [&]() { guardUpdateDb->tryWriteDB(); });
}
}
if (!synchronizationNeeded(statisticsTotal))
procCallback.reportInfo(_("Nothing to synchronize according to configuration!")); //inform about this special case
}
catch (const std::exception& e)
{
procCallback.reportFatalError(wxString::FromUTF8(e.what()));
}
}
//###########################################################################################
//callback functionality for smooth progress indicators
template <class DelTargetCommand>
class WhileCopying : public zen::CallbackCopyFile //callback functionality
{
public:
WhileCopying(UInt64& bytesReported,
ProcessCallback& statusHandler,
const DelTargetCommand& cmd) :
bytesReported_(bytesReported),
statusHandler_(statusHandler),
cmd_(cmd) {}
virtual void deleteTargetFile(const Zstring& targetFile) { cmd_(); }
virtual void updateCopyStatus(UInt64 totalBytesTransferred)
{
//inform about the (differential) processed amount of data
statusHandler_.updateProcessedData(0, to<Int64>(totalBytesTransferred) - to<Int64>(bytesReported_)); //throw()! -> this ensures client and service provider are in sync!
bytesReported_ = totalBytesTransferred; //
statusHandler_.requestUiRefresh(); //may throw
}
private:
UInt64& bytesReported_;
ProcessCallback& statusHandler_;
DelTargetCommand cmd_;
};
//copy file while refreshing UI
template <SelectedSide side, class DelTargetCommand>
void SynchronizeFolderPair::copyFileUpdatingTo(const FileMapping& fileObj, const DelTargetCommand& cmd, FileDescriptor& sourceAttr) const
{
const UInt64 totalBytesToCpy = fileObj.getFileSize<OtherSide<side>::result>();
Zstring source = fileObj.getFullName<OtherSide<side>::result>();
const Zstring& target = fileObj.getBaseDirPf<side>() + fileObj.getRelativeName<OtherSide<side>::result>();
auto copyOperation = [&]()
{
//start of (possibly) long-running copy process: ensure status updates are performed regularly
UInt64 bytesReported;
//in error situation: undo communication of processed amount of data
Loki::ScopeGuard guardStatistics = Loki::MakeGuard([&]() { procCallback_.updateProcessedData(0, -1 * to<Int64>(bytesReported)); });
WhileCopying<DelTargetCommand> callback(bytesReported, procCallback_, cmd);
FileAttrib fileAttr;
zen::copyFile(source, //type File implicitly means symlinks need to be dereferenced!
target,
copyFilePermissions,
transactionalFileCopy,
&callback,
&fileAttr); //throw FileError, ErrorFileLocked
sourceAttr = FileDescriptor(fileAttr.modificationTime, fileAttr.fileSize);
//inform about the (remaining) processed amount of data
procCallback_.updateProcessedData(0, to<Int64>(totalBytesToCpy) - to<Int64>(bytesReported));
bytesReported = totalBytesToCpy;
guardStatistics.Dismiss();
};
#ifdef FFS_WIN
try
{
copyOperation();
}
catch (ErrorFileLocked&)
{
//if file is locked (try to) use Windows Volume Shadow Copy Service
if (shadowCopyHandler_ == NULL)
throw;
try
{
//contains prefix: E.g. "\\?\GLOBALROOT\Device\HarddiskVolumeShadowCopy1\Program Files\FFS\sample.dat"
source = shadowCopyHandler_->makeShadowCopy(source); //throw FileError
}
catch (const FileError& e)
{
const std::wstring errorMsg = replaceCpy(_("Error copying locked file %x!"), L"%x", std::wstring(L"\"") + source + "\"");
throw FileError(errorMsg + "\n\n" + e.msg());
}
//now try again
copyOperation();
}
#else
copyOperation();
#endif
//#################### Verification #############################
if (verifyCopiedFiles)
{
Loki::ScopeGuard guardTarget = Loki::MakeGuard(&removeFile, target); //delete target if verification fails
Loki::ScopeGuard guardStatistics = Loki::MakeGuard([&]() { procCallback_.updateProcessedData(0, -1 * to<Int64>(totalBytesToCpy)); });
verifyFileCopy(source, target); //throw FileError
guardTarget.Dismiss();
guardStatistics.Dismiss();
}
}
template <zen::SelectedSide side>
void SynchronizeFolderPair::deleteSymlink(const SymLinkMapping& linkObj) const
{
const DeletionHandling& delHandling = side == LEFT_SIDE ? delHandlingLeft_ : delHandlingRight_;
switch (linkObj.getLinkType<side>())
{
case LinkDescriptor::TYPE_DIR:
delHandling.removeFolder(linkObj.getObjRelativeName()); //throw FileError
break;
case LinkDescriptor::TYPE_FILE: //Windows: true file symlink; Linux: file-link or broken link
delHandling.removeFile(linkObj.getObjRelativeName()); //throw FileError
break;
}
}
//--------------------- data verification -------------------------
//callback functionality for status updates while verifying
struct VerifyCallback
{
virtual ~VerifyCallback() {}
virtual void updateStatus() = 0;
};
void verifyFiles(const Zstring& source, const Zstring& target, VerifyCallback& callback) // throw (FileError)
{
static std::vector<char> memory1(1024 * 1024); //1024 kb seems to be a reasonable buffer size
static std::vector<char> memory2(1024 * 1024);
#ifdef FFS_WIN
wxFile file1(applyLongPathPrefix(source).c_str(), wxFile::read); //don't use buffered file input for verification!
#elif defined FFS_LINUX
wxFile file1(::open(source.c_str(), O_RDONLY)); //utilize UTF-8 filename
#endif
if (!file1.IsOpened())
throw FileError(_("Error opening file:") + " \"" + source + "\"");
#ifdef FFS_WIN
wxFile file2(applyLongPathPrefix(target).c_str(), wxFile::read); //don't use buffered file input for verification!
#elif defined FFS_LINUX
wxFile file2(::open(target.c_str(), O_RDONLY)); //utilize UTF-8 filename
#endif
if (!file2.IsOpened()) //NO cleanup necessary for (wxFile) file1
throw FileError(_("Error opening file:") + " \"" + target + "\"");
do
{
const size_t length1 = file1.Read(&memory1[0], memory1.size());
if (file1.Error())
throw FileError(_("Error reading file:") + " \"" + source + "\"");
callback.updateStatus(); //send progress updates
const size_t length2 = file2.Read(&memory2[0], memory2.size());
if (file2.Error())
throw FileError(_("Error reading file:") + " \"" + target + "\"");
callback.updateStatus(); //send progress updates
if (length1 != length2 || ::memcmp(&memory1[0], &memory2[0], length1) != 0)
throw FileError(_("Data verification error: Source and target file have different content!") + "\n" + "\"" + source + "\" -> \n\"" + target + "\"");
}
while (!file1.Eof());
if (!file2.Eof())
throw FileError(_("Data verification error: Source and target file have different content!") + "\n" + "\"" + source + "\" -> \n\"" + target + "\"");
}
class VerifyStatusUpdater : public VerifyCallback
{
public:
VerifyStatusUpdater(ProcessCallback& statusHandler) : statusHandler_(statusHandler) {}
virtual void updateStatus() { statusHandler_.requestUiRefresh(); } //trigger display refresh
private:
ProcessCallback& statusHandler_;
};
void SynchronizeFolderPair::verifyFileCopy(const Zstring& source, const Zstring& target) const
{
wxString logText = replaceCpy(txtVerifying, L"%x", utf8CvrtTo<wxString>(target));
procCallback_.reportInfo(logText);
VerifyStatusUpdater callback(procCallback_);
tryReportingError(procCallback_, [&]() { ::verifyFiles(source, target, callback);});
}
|