wfUtils.php
103 KB
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
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
<?php
require_once(dirname(__FILE__) . '/wfConfig.php');
class wfUtils {
private static $isWindows = false;
public static $scanLockFH = false;
private static $lastErrorReporting = false;
private static $lastDisplayErrors = false;
public static function patternToRegex($pattern, $mod = 'i', $sep = '/') {
$pattern = preg_quote(trim($pattern), $sep);
$pattern = str_replace(' ', '\s', $pattern);
return $sep . '^' . str_replace('\*', '.*', $pattern) . '$' . $sep . $mod;
}
public static function versionedAsset($subpath) {
$version = WORDFENCE_BUILD_NUMBER;
if ($version != 'WORDFENCE_BUILD_NUMBER' && preg_match('/^(.+?)(\.[^\.]+)$/', $subpath, $matches)) {
$prefix = $matches[1];
$suffix = $matches[2];
return $prefix . '.' . $version . $suffix;
}
return $subpath;
}
public static function makeTimeAgo($secs, $noSeconds = false) {
if($secs < 1){
return __("a moment", 'wordfence');
}
if (function_exists('date_diff')) {
$now = new DateTime();
$utc = new DateTimeZone('UTC');
$dtStr = gmdate("c", (int) ($now->getTimestamp() + $secs)); //Have to do it this way because of PHP 5.2
$then = new DateTime($dtStr, $utc);
$diff = $then->diff($now);
$years = $diff->y;
$months = $diff->m;
$days = $diff->d;
$hours = $diff->h;
$minutes = $diff->i;
}
else {
$years = 0;
$months = floor($secs / (86400 * 30));
$days = floor($secs / 86400);
$hours = floor($secs / 3600);
$minutes = floor($secs / 60);
if ($months) {
$days -= $months * 30;
}
else if ($days) {
$hours -= $days * 24;
}
else if ($hours) {
$minutes -= $hours * 60;
}
}
if ($years) {
return $years . ' ' . _n('year', 'years', $years, 'wordfence') .
(is_numeric($months) ? ' ' . $months . ' ' . _n('month', 'months', $months, 'wordfence') : '');
}
else if ($months) {
return $months . ' ' . _n('month', 'months', $months, 'wordfence') .
(is_numeric($days) ? ' ' . $days . ' ' . _n('day', 'days', $days, 'wordfence') : '');
}
else if ($days) {
return $days . ' ' . _n('day', 'days', $days, 'wordfence') .
(is_numeric($hours) ? ' ' . $hours . ' ' . _n('hour', 'hours', $hours, 'wordfence') : '');
}
else if ($hours) {
return $hours . ' ' . _n('hour', 'hours', $hours, 'wordfence') .
(is_numeric($minutes) ? ' ' . $minutes . ' ' . _n('minute', 'minutes', $minutes, 'wordfence') : '');
}
else if ($minutes) {
return $minutes . ' ' . _n('minute', 'minutes', $minutes, 'wordfence');
}
else {
if($noSeconds){
return __("less than a minute", 'wordfence');
} else {
return sprintf(/* translators: Number of seconds. */ __("%d seconds", 'wordfence'), floor($secs));
}
}
}
public static function makeDuration($secs, $createExact = false) {
$components = array();
$months = floor($secs / (86400 * 30)); $secs -= $months * 86400 * 30;
$days = floor($secs / 86400); $secs -= $days * 86400;
$hours = floor($secs / 3600); $secs -= $hours * 3600;
$minutes = floor($secs / 60); $secs -= $minutes * 60;
if ($months) {
$components[] = $months . ' ' . _n('month', 'months', $months, 'wordfence');
if (!$createExact) {
$hours = $minutes = $secs = 0;
}
}
if ($days) {
$components[] = $days . ' ' . _n('day', 'days', $days, 'wordfence');
if (!$createExact) {
$minutes = $secs = 0;
}
}
if ($hours) {
$components[] = $hours . ' ' . _n('hour', 'hours', $hours, 'wordfence');
if (!$createExact) {
$secs = 0;
}
}
if ($minutes) {
$components[] = $minutes . ' ' . _n('minute', 'minutes', $minutes, 'wordfence');
}
if ($secs && $secs >= 1) {
$components[] = $secs . ' ' . _n('second', 'seconds', $secs, 'wordfence');
}
if (empty($components)) {
$components[] = __('less than 1 second', 'wordfence');
}
return implode(' ', $components);
}
public static function pluralize($m1, $m1Singular, $m1Plural, $m2 = false, $m2Singular = false, $m2Plural = false) {
$m1Text = _n($m1Singular, $m1Plural, $m1, 'wordfence');
if (is_numeric($m2)) {
$m2Text = _n($m2Singular, $m2Plural, $m2, 'wordfence');
return "$m1 $m1Text $m2 $m2Text";
} else {
return "$m1 $m1Text";
}
}
public static function formatBytes($bytes, $precision = 2) {
$units = array('B', 'KB', 'MB', 'GB', 'TB');
$bytes = max($bytes, 0);
$pow = floor(($bytes ? log($bytes) : 0) / log(1024));
$pow = min($pow, count($units) - 1);
// Uncomment one of the following alternatives
$bytes /= pow(1024, $pow);
// $bytes /= (1 << (10 * $pow));
return round($bytes, $precision) . ' ' . $units[$pow];
}
/**
* Returns the PHP version formatted for display, stripping off the build information when present.
*
* @return string
*/
public static function cleanPHPVersion() {
$version = phpversion();
if (preg_match('/^(\d+\.\d+\.\d+)/', $version, $matches)) {
return $matches[1];
}
return $version;
}
/**
* Check if an IP address is in a network block
*
* @param string $subnet Single IP or subnet in CIDR notation (e.g. '192.168.100.0' or '192.168.100.0/22')
* @param string $ip IPv4 or IPv6 address in dot or colon notation
* @return boolean
*/
public static function subnetContainsIP($subnet, $ip) {
static $_network_cache = array();
static $_ip_cache = array();
static $_masks = array(
0 => "\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
1 => "\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
2 => "\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
3 => "\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
4 => "\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
5 => "\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
6 => "\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
7 => "\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
8 => "\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
9 => "\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
10 => "\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
11 => "\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
12 => "\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
13 => "\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
14 => "\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
15 => "\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
16 => "\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
17 => "\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
18 => "\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
19 => "\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
20 => "\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
21 => "\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
22 => "\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
23 => "\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
24 => "\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
25 => "\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
26 => "\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
27 => "\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
28 => "\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
29 => "\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
30 => "\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
31 => "\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
32 => "\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
33 => "\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
34 => "\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
35 => "\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
36 => "\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
37 => "\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
38 => "\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
39 => "\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
40 => "\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
41 => "\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
42 => "\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
43 => "\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
44 => "\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
45 => "\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
46 => "\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
47 => "\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
48 => "\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00",
49 => "\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00\x00",
50 => "\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00\x00",
51 => "\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00\x00",
52 => "\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00\x00",
53 => "\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00\x00",
54 => "\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00\x00",
55 => "\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00\x00",
56 => "\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00\x00",
57 => "\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00\x00",
58 => "\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00\x00",
59 => "\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00\x00",
60 => "\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00\x00",
61 => "\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00\x00",
62 => "\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00\x00",
63 => "\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00\x00",
64 => "\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00\x00",
65 => "\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00\x00",
66 => "\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00\x00",
67 => "\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00\x00",
68 => "\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00\x00",
69 => "\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00\x00",
70 => "\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00\x00",
71 => "\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00\x00",
72 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00\x00",
73 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00\x00",
74 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00\x00",
75 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00\x00",
76 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00\x00",
77 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00\x00",
78 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00\x00",
79 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00\x00",
80 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00\x00",
81 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00\x00",
82 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00\x00",
83 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00\x00",
84 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00\x00",
85 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00\x00",
86 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00\x00",
87 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00\x00",
88 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00\x00",
89 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00\x00",
90 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00\x00",
91 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00\x00",
92 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00\x00",
93 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00\x00",
94 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00\x00",
95 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00\x00",
96 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00\x00",
97 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00\x00",
98 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00\x00",
99 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00\x00",
100 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00\x00",
101 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00\x00",
102 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00\x00",
103 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00\x00",
104 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00\x00",
105 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00\x00",
106 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00\x00",
107 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00\x00",
108 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00\x00",
109 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00\x00",
110 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00\x00",
111 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00\x00",
112 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00\x00",
113 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80\x00",
114 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0\x00",
115 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0\x00",
116 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0\x00",
117 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8\x00",
118 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc\x00",
119 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe\x00",
120 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x00",
121 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\x80",
122 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xc0",
123 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xe0",
124 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf0",
125 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xf8",
126 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfc",
127 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xfe",
128 => "\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff\xff",
);
/*
* The above is generated by:
*
function gen_mask($prefix, $size = 128) {
//Workaround to avoid overflow, split into four pieces
$mask_1 = (pow(2, $size / 4) - 1) ^ (pow(2, min($size / 4, max(0, 1 * $size / 4 - $prefix))) - 1);
$mask_2 = (pow(2, $size / 4) - 1) ^ (pow(2, min($size / 4, max(0, 2 * $size / 4 - $prefix))) - 1);
$mask_3 = (pow(2, $size / 4) - 1) ^ (pow(2, min($size / 4, max(0, 3 * $size / 4 - $prefix))) - 1);
$mask_4 = (pow(2, $size / 4) - 1) ^ (pow(2, min($size / 4, max(0, 4 * $size / 4 - $prefix))) - 1);
return ($mask_1 ? pack('N', $mask_1) : "\0\0\0\0") . ($mask_2 ? pack('N', $mask_2) : "\0\0\0\0") . ($mask_3 ? pack('N', $mask_3) : "\0\0\0\0") . ($mask_4 ? pack('N', $mask_4) : "\0\0\0\0");
}
$masks = array();
for ($i = 0; $i <= 128; $i++) {
$mask = gen_mask($i);
$chars = str_split($mask);
$masks[] = implode('', array_map(function($c) { return '\\x' . bin2hex($c); }, $chars));
}
echo 'array(' . "\n";
foreach ($masks as $index => $m) {
echo "\t{$index} => \"{$m}\",\n";
}
echo ')';
*
*/
if (isset($_network_cache[$subnet])) {
list($bin_network, $prefix, $masked_network) = $_network_cache[$subnet];
$mask = $_masks[$prefix];
}
else {
list($network, $prefix) = array_pad(explode('/', $subnet, 2), 2, null);
if (filter_var($network, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4)) {
// If no prefix was supplied, 32 is implied for IPv4
if ($prefix === null) {
$prefix = 32;
}
// Validate the IPv4 network prefix
if ($prefix < 0 || $prefix > 32) {
return false;
}
// Increase the IPv4 network prefix to work in the IPv6 address space
$prefix += 96;
}
else {
// If no prefix was supplied, 128 is implied for IPv6
if ($prefix === null) {
$prefix = 128;
}
// Validate the IPv6 network prefix
if ($prefix < 1 || $prefix > 128) {
return false;
}
}
$mask = $_masks[$prefix];
$bin_network = self::inet_pton($network);
$masked_network = $bin_network & $mask;
$_network_cache[$subnet] = array($bin_network, $prefix, $masked_network);
}
if (isset($_ip_cache[$ip]) && isset($_ip_cache[$ip][$prefix])) {
list($bin_ip, $masked_ip) = $_ip_cache[$ip][$prefix];
}
else {
$bin_ip = self::inet_pton($ip);
$masked_ip = $bin_ip & $mask;
if (!isset($_ip_cache[$ip])) {
$_ip_cache[$ip] = array();
}
$_ip_cache[$ip][$prefix] = array($bin_ip, $masked_ip);
}
return ($masked_ip === $masked_network);
}
/**
* Convert CIDR notation to a wfUserIPRange object
*
* @param string $cidr
* @return wfUserIPRange
*/
public static function CIDR2wfUserIPRange($cidr) {
list($network, $prefix) = array_pad(explode('/', $cidr, 2), 2, null);
$ip_range = new wfUserIPRange();
if (filter_var($network, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4)) {
// If no prefix was supplied, 32 is implied for IPv4
if ($prefix === null) {
$prefix = 32;
}
// Validate the IPv4 network prefix
if ($prefix < 0 || $prefix > 32) {
return $ip_range;
}
// Increase the IPv4 network prefix to work in the IPv6 address space
$prefix += 96;
} else {
// If no prefix was supplied, 128 is implied for IPv6
if ($prefix === null) {
$prefix = 128;
}
// Validate the IPv6 network prefix
if ($prefix < 1 || $prefix > 128) {
return $ip_range;
}
}
// Convert human readable address to 128 bit (IPv6) binary string
// Note: self::inet_pton converts IPv4 addresses to IPv6 compatible versions
$binary_network = self::inet_pton($network);
$binary_mask = wfHelperBin::str2bin(str_pad(str_repeat('1', $prefix), 128, '0', STR_PAD_RIGHT));
// Calculate first and last address
$binary_first = $binary_network & $binary_mask;
$binary_last = $binary_network | ~ $binary_mask;
// Convert binary addresses back to human readable strings
$first = self::inet_ntop($binary_first);
$last = self::inet_ntop($binary_last);
if (filter_var($network, FILTER_VALIDATE_IP, FILTER_FLAG_IPV6)) {
$first = self::expandIPv6Address($first);
$last = self::expandIPv6Address($last);
}
// Split addresses into segments
$first_array = preg_split('/[\.\:]/', $first);
$last_array = preg_split('/[\.\:]/', $last);
// Make sure arrays are the same size. IPv6 '::' could cause problems otherwise.
// The strlen filter should leave zeros in place
$first_array = array_pad(array_filter($first_array, 'strlen'), count($last_array), '0');
$range_segments = array();
foreach ($first_array as $index => $segment) {
if ($segment === $last_array[$index]) {
$range_segments[] = str_pad(ltrim($segment, '0'), 1, '0');
} else if ($segment === '' || $last_array[$index] === '') {
$range_segments[] = '';
} else {
$range_segments[] = "[". str_pad(ltrim($segment, '0'), 1, '0') . "-" .
str_pad(ltrim($last_array[$index], '0'), 1, '0') . "]";
}
}
$delimiter = filter_var($network, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4) ? '.' : ':';
$ip_range->setIPString(implode($delimiter, $range_segments));
return $ip_range;
}
/**
* Return dot notation of IPv4 address.
*
* @param int $ip
* @return string|bool
*/
public static function inet_ntoa($ip) {
$long = 4294967295 - ($ip - 1);
return long2ip(-$long);
}
/**
* Return string representation of 32 bit int of the IP address.
*
* @param string $ip
* @return string
*/
public static function inet_aton($ip) {
$ip = preg_replace('/(?<=^|\.)0+([1-9])/', '$1', $ip);
return sprintf("%u", ip2long($ip));
}
/**
* Return dot or colon notation of IPv4 or IPv6 address.
*
* @param string $ip
* @return string|bool
*/
public static function inet_ntop($ip) {
// trim this to the IPv4 equiv if it's in the mapped range
if (strlen($ip) == 16 && substr($ip, 0, 12) == "\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff") {
$ip = substr($ip, 12, 4);
}
return self::hasIPv6Support() ? @inet_ntop($ip) : self::_inet_ntop($ip);
}
/**
* Return the packed binary string of an IPv4 or IPv6 address.
*
* @param string $ip
* @return string
*/
public static function inet_pton($ip) {
// convert the 4 char IPv4 to IPv6 mapped version.
$pton = str_pad(self::hasIPv6Support() ? @inet_pton($ip) : self::_inet_pton($ip), 16,
"\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\x00\x00\x00\x00", STR_PAD_LEFT);
return $pton;
}
/**
* Added compatibility for hosts that do not have inet_pton.
*
* @param $ip
* @return bool|string
*/
public static function _inet_pton($ip) {
// IPv4
if (preg_match('/^(?:\d{1,3}(?:\.|$)){4}/', $ip)) {
$octets = explode('.', $ip);
$bin = chr($octets[0]) . chr($octets[1]) . chr($octets[2]) . chr($octets[3]);
return $bin;
}
// IPv6
if (preg_match('/^((?:[\da-f]{1,4}(?::|)){0,8})(::)?((?:[\da-f]{1,4}(?::|)){0,8})$/i', $ip)) {
if ($ip === '::') {
return "\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0";
}
$colon_count = substr_count($ip, ':');
$dbl_colon_pos = strpos($ip, '::');
if ($dbl_colon_pos !== false) {
$ip = str_replace('::', str_repeat(':0000',
(($dbl_colon_pos === 0 || $dbl_colon_pos === strlen($ip) - 2) ? 9 : 8) - $colon_count) . ':', $ip);
$ip = trim($ip, ':');
}
$ip_groups = explode(':', $ip);
$ipv6_bin = '';
foreach ($ip_groups as $ip_group) {
$ipv6_bin .= pack('H*', str_pad($ip_group, 4, '0', STR_PAD_LEFT));
}
return strlen($ipv6_bin) === 16 ? $ipv6_bin : false;
}
// IPv4 mapped IPv6
if (preg_match('/^(?:\:(?:\:0{1,4}){0,4}\:|(?:0{1,4}\:){5})ffff\:(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})$/i', $ip, $matches)) {
$octets = explode('.', $matches[1]);
return "\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff" . chr($octets[0]) . chr($octets[1]) . chr($octets[2]) . chr($octets[3]);
}
return false;
}
/**
* Added compatibility for hosts that do not have inet_ntop.
*
* @param $ip
* @return bool|string
*/
public static function _inet_ntop($ip) {
// IPv4
if (strlen($ip) === 4) {
return ord($ip[0]) . '.' . ord($ip[1]) . '.' . ord($ip[2]) . '.' . ord($ip[3]);
}
// IPv6
if (strlen($ip) === 16) {
// IPv4 mapped IPv6
if (substr($ip, 0, 12) == "\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff") {
return "::ffff:" . ord($ip[12]) . '.' . ord($ip[13]) . '.' . ord($ip[14]) . '.' . ord($ip[15]);
}
$hex = bin2hex($ip);
$groups = str_split($hex, 4);
$in_collapse = false;
$done_collapse = false;
foreach ($groups as $index => $group) {
if ($group == '0000' && !$done_collapse) {
if ($in_collapse) {
$groups[$index] = '';
continue;
}
$groups[$index] = ':';
$in_collapse = true;
continue;
}
if ($in_collapse) {
$done_collapse = true;
}
$groups[$index] = ltrim($groups[$index], '0');
if (strlen($groups[$index]) === 0) {
$groups[$index] = '0';
}
}
$ip = join(':', array_filter($groups, 'strlen'));
$ip = str_replace(':::', '::', $ip);
return $ip == ':' ? '::' : $ip;
}
return false;
}
/**
* Verify PHP was compiled with IPv6 support.
*
* Some hosts appear to not have inet_ntop, and others appear to have inet_ntop but are unable to process IPv6 addresses.
*
* @return bool
*/
public static function hasIPv6Support() {
return defined('AF_INET6');
}
public static function hasLoginCookie(){
if(isset($_COOKIE)){
if(is_array($_COOKIE)){
foreach($_COOKIE as $key => $val){
if(strpos($key, 'wordpress_logged_in') === 0){
return true;
}
}
}
}
return false;
}
public static function getBaseURL(){
return plugins_url('', WORDFENCE_FCPATH) . '/';
}
public static function getPluginBaseDir(){
if(function_exists('wp_normalize_path')){ //Older WP versions don't have this func and we had many complaints before this check.
if(defined('WP_PLUGIN_DIR')) {
return wp_normalize_path(WP_PLUGIN_DIR . '/');
}
return wp_normalize_path(WP_CONTENT_DIR . '/plugins/');
} else {
if(defined('WP_PLUGIN_DIR')) {
return WP_PLUGIN_DIR . '/';
}
return WP_CONTENT_DIR . '/plugins/';
}
}
public static function makeRandomIP(){
return rand(11,230) . '.' . rand(0,255) . '.' . rand(0,255) . '.' . rand(0,255);
}
/**
* Converts a truthy value to a boolean, checking in this order:
* - already a boolean
* - numeric (0 => false, otherwise true)
* - 'false', 'f', 'no', 'n', or 'off' => false
* - 'true', 't', 'yes', 'y', or 'on' => true
* - empty value => false, otherwise true
*
* @param $value
* @return bool
*/
public static function truthyToBoolean($value) {
if ($value === true || $value === false) {
return $value;
}
if (is_numeric($value)) {
return !!$value;
}
if (preg_match('/^(?:f(?:alse)?|no?|off)$/i', $value)) {
return false;
}
else if (preg_match('/^(?:t(?:rue)?|y(?:es)?|on)$/i', $value)) {
return true;
}
return !empty($value);
}
/**
* Converts a truthy value to 1 or 0.
*
* @see wfUtils::truthyToBoolean
*
* @param $value
* @return int
*/
public static function truthyToInt($value) {
return self::truthyToBoolean($value) ? 1 : 0;
}
/**
* Returns the whitelist presets, which first grabs the bundled list and then merges the dynamic list into it.
*
* @return array
*/
public static function whitelistPresets() {
static $_cachedPresets = null;
if ($_cachedPresets === null) {
include(dirname(__FILE__) . '/wfIPWhitelist.php'); /** @var array $wfIPWhitelist */
$currentPresets = wfConfig::getJSON('whitelistPresets', array());
if (is_array($currentPresets)) {
$_cachedPresets = array_merge($wfIPWhitelist, $currentPresets);
}
else {
$_cachedPresets = $wfIPWhitelist;
}
}
return $_cachedPresets;
}
/**
* Returns an array containing all whitelisted service IPs/ranges. The returned array is grouped by service
* tag: array('service1' => array('range1', 'range2', range3', ...), ...)
*
* @return array
*/
public static function whitelistedServiceIPs() {
$result = array();
$whitelistPresets = self::whitelistPresets();
$whitelistedServices = wfConfig::getJSON('whitelistedServices', array());
foreach ($whitelistPresets as $tag => $preset) {
if (!isset($preset['n'])) { //Just an array of IPs/ranges
$result[$tag] = $preset;
continue;
}
if ((isset($preset['h']) && $preset['h']) || (isset($preset['f']) && $preset['f'])) { //Forced
$result[$tag] = $preset['r'];
continue;
}
if ((!isset($whitelistedServices[$tag]) && isset($preset['d']) && $preset['d']) || (isset($whitelistedServices[$tag]) && $whitelistedServices[$tag])) {
$result[$tag] = $preset['r'];
}
}
return $result;
}
/**
* Get the list of whitelisted IPs and networks, which is a combination of preset IPs/ranges and user-entered
* IPs/ranges.
*
* @param string $filter Group name to filter whitelist by
* @return array
*/
public static function getIPWhitelist($filter = null) {
static $wfIPWhitelist;
if (!isset($wfIPWhitelist)) {
$wfIPWhitelist = self::whitelistedServiceIPs();
//Append user ranges
$wfIPWhitelist['user'] = array();
foreach (array_filter(explode(',', wfConfig::get('whitelisted'))) as $ip) {
$wfIPWhitelist['user'][] = new wfUserIPRange($ip);
}
}
$whitelist = array();
foreach ($wfIPWhitelist as $group => $values) {
if ($filter === null || $group === $filter) {
$whitelist = array_merge($whitelist, $values);
}
}
return $whitelist;
}
/**
* @param string $addr Should be in dot or colon notation (127.0.0.1 or ::1)
* @return bool
*/
public static function isPrivateAddress($addr) {
// Run this through the preset list for IPv4 addresses.
if (filter_var($addr, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4) !== false) {
foreach (self::getIPWhitelist('private') as $a) {
if (self::subnetContainsIP($a, $addr)) {
return true;
}
}
}
return filter_var($addr, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4 | FILTER_FLAG_IPV6) !== false
&& filter_var($addr, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4 | FILTER_FLAG_IPV6 | FILTER_FLAG_NO_PRIV_RANGE | FILTER_FLAG_NO_RES_RANGE) === false;
}
/**
* Expects an array of items. The items are either IP's or IP's separated by comma, space or tab. Or an array of IP's.
* We then examine all IP's looking for a public IP and storing private IP's in an array. If we find no public IPs we return the first private addr we found.
*
* @param array $arr
* @return bool|mixed
*/
private static function getCleanIP($arr){
$privates = array(); //Store private addrs until end as last resort.
for($i = 0; $i < count($arr); $i++){
$item = $arr[$i];
if(is_array($item)){
foreach($item as $j){
// try verifying the IP is valid before stripping the port off
if (!self::isValidIP($j)) {
$j = preg_replace('/:\d+$/', '', $j); //Strip off port
}
if (self::isValidIP($j)) {
if (self::isPrivateAddress($j)) {
$privates[] = $j;
} else {
return $j;
}
}
}
continue; //This was an array so we can skip to the next item
}
$skipToNext = false;
foreach(array(',', ' ', "\t") as $char){
if(strpos($item, $char) !== false){
$sp = explode($char, $item);
$sp = array_reverse($sp);
foreach($sp as $j){
$j = trim($j);
if (!self::isValidIP($j)) {
$j = preg_replace('/:\d+$/', '', $j); //Strip off port
}
if(self::isValidIP($j)){
if(self::isPrivateAddress($j)){
$privates[] = $j;
} else {
return $j;
}
}
}
$skipToNext = true;
break;
}
}
if($skipToNext){ continue; } //Skip to next item because this one had a comma, space or tab so was delimited and we didn't find anything.
if (!self::isValidIP($item)) {
$item = preg_replace('/:\d+$/', '', $item); //Strip off port
}
if(self::isValidIP($item)){
if(self::isPrivateAddress($item)){
$privates[] = $item;
} else {
return $item;
}
}
}
if(sizeof($privates) > 0){
return $privates[0]; //Return the first private we found so that we respect the order the IP's were passed to this function.
} else {
return false;
}
}
/**
* Expects an array of items. The items are either IP's or IP's separated by comma, space or tab. Or an array of IP's.
* We then examine all IP's looking for a public IP and storing private IP's in an array. If we find no public IPs we return the first private addr we found.
*
* @param array $arr
* @return bool|mixed
*/
private static function getCleanIPAndServerVar($arr, $trustedProxies = null) {
$privates = array(); //Store private addrs until end as last resort.
for($i = 0; $i < count($arr); $i++){
list($item, $var) = $arr[$i];
if(is_array($item)){
foreach($item as $j){
// try verifying the IP is valid before stripping the port off
if (!self::isValidIP($j)) {
$j = preg_replace('/:\d+$/', '', $j); //Strip off port
}
if (self::isValidIP($j)) {
if (self::isIPv6MappedIPv4($j)) {
$j = self::inet_ntop(self::inet_pton($j));
}
if (self::isPrivateAddress($j)) {
$privates[] = array($j, $var);
} else {
return array($j, $var);
}
}
}
continue; //This was an array so we can skip to the next item
}
$skipToNext = false;
if ($trustedProxies === null) {
$trustedProxies = explode("\n", wfConfig::get('howGetIPs_trusted_proxies', ''));
}
foreach(array(',', ' ', "\t") as $char){
if(strpos($item, $char) !== false){
$sp = explode($char, $item);
$sp = array_reverse($sp);
foreach($sp as $index => $j){
$j = trim($j);
if (!self::isValidIP($j)) {
$j = preg_replace('/:\d+$/', '', $j); //Strip off port
}
if(self::isValidIP($j)){
if (self::isIPv6MappedIPv4($j)) {
$j = self::inet_ntop(self::inet_pton($j));
}
foreach ($trustedProxies as $proxy) {
if (!empty($proxy)) {
if (self::subnetContainsIP($proxy, $j) && $index < count($sp) - 1) {
continue 2;
}
}
}
if(self::isPrivateAddress($j)){
$privates[] = array($j, $var);
} else {
return array($j, $var);
}
}
}
$skipToNext = true;
break;
}
}
if($skipToNext){ continue; } //Skip to next item because this one had a comma, space or tab so was delimited and we didn't find anything.
if (!self::isValidIP($item)) {
$item = preg_replace('/:\d+$/', '', $item); //Strip off port
}
if(self::isValidIP($item)){
if (self::isIPv6MappedIPv4($item)) {
$item = self::inet_ntop(self::inet_pton($item));
}
if(self::isPrivateAddress($item)){
$privates[] = array($item, $var);
} else {
return array($item, $var);
}
}
}
if(sizeof($privates) > 0){
return $privates[0]; //Return the first private we found so that we respect the order the IP's were passed to this function.
} else {
return false;
}
}
/**
* @param string $ip
* @return bool
*/
public static function isIPv6MappedIPv4($ip) {
return preg_match('/^(?:\:(?:\:0{1,4}){0,4}\:|(?:0{1,4}\:){5})ffff\:\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$/i', $ip) > 0;
}
public static function extractHostname($str){
if(preg_match('/https?:\/\/([a-zA-Z0-9\.\-]+)(?:\/|$)/i', $str, $matches)){
return strtolower($matches[1]);
} else {
return false;
}
}
/**
* Returns the known server IPs, ordered by those as the best match for outgoing requests.
*
* @param bool $refreshCache
* @return string[]
*/
public static function serverIPs($refreshCache = false) {
static $cachedServerIPs = null;
if (isset($cachedServerIPs) && !$refreshCache) {
return $cachedServerIPs;
}
$serverIPs = array();
$storedIP = wfConfig::get('serverIP');
if (preg_match('/^(\d+);(.+)$/', $storedIP, $matches)) { //Format is 'timestamp;ip'
$serverIPs[] = $matches[2];
}
if (function_exists('dns_get_record')) {
$storedDNS = wfConfig::get('serverDNS');
$usingCache = false;
if (preg_match('/^(\d+);(\d+);(.+)$/', $storedDNS, $matches)) { //Format is 'timestamp;ttl;ip'
$timestamp = $matches[1];
$ttl = $matches[2];
if ($timestamp + max($ttl, 86400) > time()) {
$serverIPs[] = $matches[3];
$usingCache = true;
}
}
if (!$usingCache) {
$home = get_home_url();
if (preg_match('/^https?:\/\/([^\/]+)/i', $home, $matches)) {
$host = strtolower($matches[1]);
$cnameRaw = @dns_get_record($host, DNS_CNAME);
$cnames = array();
$cnamesTargets = array();
if ($cnameRaw) {
foreach ($cnameRaw as $elem) {
if ($elem['host'] == $host) {
$cnames[] = $elem;
$cnamesTargets[] = $elem['target'];
}
}
}
$aRaw = @dns_get_record($host, DNS_A);
$a = array();
if ($aRaw) {
foreach ($aRaw as $elem) {
if ($elem['host'] == $host || in_array($elem['host'], $cnamesTargets)) {
$a[] = $elem;
}
}
}
$firstA = wfUtils::array_first($a);
if ($firstA !== null) {
$serverIPs[] = $firstA['ip'];
wfConfig::set('serverDNS', time() . ';' . $firstA['ttl'] . ';' . $firstA['ip']);
}
}
}
}
if (isset($_SERVER['SERVER_ADDR']) && wfUtils::isValidIP($_SERVER['SERVER_ADDR'])) {
$serverIPs[] = $_SERVER['SERVER_ADDR'];
}
$serverIPs = array_unique($serverIPs);
$cachedServerIPs = $serverIPs;
return $serverIPs;
}
public static function getIP($refreshCache = false) {
static $theIP = null;
if (isset($theIP) && !$refreshCache) {
return $theIP;
}
//For debugging.
//return '54.232.205.132';
//return self::makeRandomIP();
// if no REMOTE_ADDR, it's probably running from the command line
$ip = self::getIPAndServerVariable();
if (is_array($ip)) {
list($IP, $variable) = $ip;
$theIP = $IP;
return $IP;
}
return false;
}
public static function getIPForField($field, $trustedProxies = null) {
$ip = self::getIPAndServerVariable($field, $trustedProxies);
if (is_array($ip)) {
list($IP, $variable) = $ip;
return $IP;
}
return false;
}
public static function getAllServerVariableIPs()
{
$variables = array('REMOTE_ADDR', 'HTTP_CF_CONNECTING_IP', 'HTTP_X_REAL_IP', 'HTTP_X_FORWARDED_FOR');
$ips = array();
foreach ($variables as $variable) {
$ip = isset($_SERVER[$variable]) ? $_SERVER[$variable] : false;
if ($ip && strpos($ip, ',') !== false) {
$ips[$variable] = preg_replace('/[\s,]/', '', explode(',', $ip));
} else {
$ips[$variable] = $ip;
}
}
return $ips;
}
public static function getIPAndServerVariable($howGet = null, $trustedProxies = null) {
$connectionIP = array_key_exists('REMOTE_ADDR', $_SERVER) ? array($_SERVER['REMOTE_ADDR'], 'REMOTE_ADDR') : array('127.0.0.1', 'REMOTE_ADDR');
if ($howGet === null) {
$howGet = wfConfig::get('howGetIPs', false);
}
if($howGet){
if($howGet == 'REMOTE_ADDR'){
return self::getCleanIPAndServerVar(array($connectionIP), $trustedProxies);
} else {
$ipsToCheck = array(
array((isset($_SERVER[$howGet]) ? $_SERVER[$howGet] : ''), $howGet),
$connectionIP,
);
return self::getCleanIPAndServerVar($ipsToCheck, $trustedProxies);
}
} else {
$ipsToCheck = array();
$recommendedField = wfConfig::get('detectProxyRecommendation', ''); //Prioritize the result from our proxy check if done
if (!empty($recommendedField) && $recommendedField != 'UNKNOWN' && $recommendedField != 'DEFERRED') {
if (isset($_SERVER[$recommendedField])) {
$ipsToCheck[] = array($_SERVER[$recommendedField], $recommendedField);
}
}
$ipsToCheck[] = $connectionIP;
if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) {
$ipsToCheck[] = array($_SERVER['HTTP_X_FORWARDED_FOR'], 'HTTP_X_FORWARDED_FOR');
}
if (isset($_SERVER['HTTP_X_REAL_IP'])) {
$ipsToCheck[] = array($_SERVER['HTTP_X_REAL_IP'], 'HTTP_X_REAL_IP');
}
return self::getCleanIPAndServerVar($ipsToCheck, $trustedProxies);
}
return false; //Returns an array with a valid IP and the server variable, or false.
}
public static function getIPPreview($howGet = null, $trustedProxies = null) {
$ip = self::getIPAndServerVariable($howGet, $trustedProxies);
if (is_array($ip)) {
list($IP, $variable) = $ip;
if (isset($_SERVER[$variable]) && strpos($_SERVER[$variable], ',') !== false) {
$items = preg_replace('/[\s,]/', '', explode(',', $_SERVER[$variable]));
$output = '';
foreach ($items as $i) {
if ($IP == $i) {
$output .= ', <strong>' . esc_html($i) . '</strong>';
}
else {
$output .= ', ' . esc_html($i);
}
}
return substr($output, 2);
}
return '<strong>' . esc_html($IP) . '</strong>';
}
return false;
}
public static function isValidIP($IP){
return filter_var($IP, FILTER_VALIDATE_IP) !== false;
}
public static function isValidCIDRRange($range) {
$components = explode('/', $range);
if (count($components) != 2) { return false; }
list($ip, $prefix) = $components;
if (!self::isValidIP($ip)) { return false; }
if (!preg_match('/^\d+$/', $prefix)) { return false; }
if (filter_var($ip, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4)) {
if ($prefix < 0 || $prefix > 32) { return false; }
}
else {
if ($prefix < 1 || $prefix > 128) { return false; }
}
return true;
}
public static function isValidEmail($email, $strict = false) {
//We don't default to strict, full validation because poorly-configured servers can crash due to the regex PHP uses in filter_var($email, FILTER_VALIDATE_EMAIL)
if ($strict) {
return (filter_var($email, FILTER_VALIDATE_EMAIL) !== false);
}
return preg_match('/^[^@\s]+@[^@\s]+\.[^@\s]+$/i', $email) === 1;
}
public static function getRequestedURL() {
if (isset($_SERVER['HTTP_HOST']) && $_SERVER['HTTP_HOST']) {
$host = $_SERVER['HTTP_HOST'];
} else if (isset($_SERVER['SERVER_NAME']) && $_SERVER['SERVER_NAME']) {
$host = $_SERVER['SERVER_NAME'];
}
else {
return null;
}
$prefix = 'http';
if (is_ssl()) {
$prefix = 'https';
}
return $prefix . '://' . $host . $_SERVER['REQUEST_URI'];
}
public static function editUserLink($userID){
return get_admin_url() . 'user-edit.php?user_id=' . $userID;
}
public static function tmpl($file, $data){
extract($data);
ob_start();
include dirname(__FILE__) . DIRECTORY_SEPARATOR . $file;
return ob_get_contents() . (ob_end_clean() ? "" : "");
}
public static function bigRandomHex(){
return bin2hex(wfWAFUtils::random_bytes(16));
}
public static function encrypt($str){
$key = wfConfig::get('encKey');
if(! $key){
wordfence::status(1, 'error', __("Wordfence error: No encryption key found!", 'wordfence'));
return false;
}
$db = new wfDB();
return $db->querySingle("select HEX(AES_ENCRYPT('%s', '%s')) as val", $str, $key);
}
public static function decrypt($str){
$key = wfConfig::get('encKey');
if(! $key){
wordfence::status(1, 'error', __("Wordfence error: No encryption key found!", 'wordfence'));
return false;
}
$db = new wfDB();
return $db->querySingle("select AES_DECRYPT(UNHEX('%s'), '%s') as val", $str, $key);
}
public static function lcmem(){
$trace=debug_backtrace();
$caller=array_shift($trace);
$mem = memory_get_usage(true);
error_log("$mem at " . $caller['file'] . " line " . $caller['line']);
}
public static function logCaller(){
$trace=debug_backtrace();
$caller=array_shift($trace);
$c2 = array_shift($trace);
error_log("Caller for " . $caller['file'] . " line " . $caller['line'] . " is " . $c2['file'] . ' line ' . $c2['line']);
}
public static function getWPVersion($forceRecheck = false){
if ($forceRecheck) {
require(ABSPATH . 'wp-includes/version.php'); //defines $wp_version
return $wp_version;
}
if(wordfence::$wordfence_wp_version){
return wordfence::$wordfence_wp_version;
} else {
global $wp_version;
return $wp_version;
}
}
public static function isAdminPageMU(){
if(preg_match('/^[\/a-zA-Z0-9\-\_\s\+\~\!\^\.]*\/wp-admin\/network\//', $_SERVER['REQUEST_URI'])){
return true;
}
return false;
}
public static function getSiteBaseURL(){
return rtrim(site_url(), '/') . '/';
}
public static function longestLine($data){
$lines = preg_split('/[\r\n]+/', $data);
$max = 0;
foreach($lines as $line){
$len = strlen($line);
if($len > $max){
$max = $len;
}
}
return $max;
}
public static function longestNospace($data){
$lines = preg_split('/[\r\n\s\t]+/', $data);
$max = 0;
foreach($lines as $line){
$len = strlen($line);
if($len > $max){
$max = $len;
}
}
return $max;
}
public static function requestMaxMemory(){
if(wfConfig::get('maxMem', false) && (int) wfConfig::get('maxMem') > 0){
$maxMem = (int) wfConfig::get('maxMem');
} else {
$maxMem = 256;
}
if( function_exists('memory_get_usage') && ( (int) @ini_get('memory_limit') < $maxMem ) ){
self::iniSet('memory_limit', $maxMem . 'M');
}
}
public static function isAdmin($user = false){
if($user){
if(is_multisite()){
if(user_can($user, 'manage_network')){
return true;
}
} else {
if(user_can($user, 'manage_options')){
return true;
}
}
} else {
if(is_multisite()){
if(current_user_can('manage_network')){
return true;
}
} else {
if(current_user_can('manage_options')){
return true;
}
}
}
return false;
}
public static function hasTwoFactorEnabled($user = false) {
if (!$user) {
$user = get_user_by('ID', get_current_user_id());
}
if (!$user) {
return false;
}
$twoFactorUsers = wfConfig::get_ser('twoFactorUsers', array());
$hasActivatedTwoFactorUser = false;
foreach ($twoFactorUsers as &$t) {
if ($t[3] == 'activated') {
$userID = $t[0];
if ($userID == $user->ID && wfUtils::isAdmin($user)) {
$hasActivatedTwoFactorUser = true;
}
}
}
return $hasActivatedTwoFactorUser;
}
public static function isWindows(){
if(! self::$isWindows){
if(preg_match('/^win/i', PHP_OS)){
self::$isWindows = 'yes';
} else {
self::$isWindows = 'no';
}
}
return self::$isWindows == 'yes' ? true : false;
}
public static function cleanupOneEntryPerLine($string) {
$string = str_replace(",", "\n", $string); // fix old format
return implode("\n", array_unique(array_filter(array_map('trim', explode("\n", $string)))));
}
public static function getScanFileError() {
$fileTime = wfConfig::get('scanFileProcessing');
if (!$fileTime) {
return;
}
list($file, $time) = unserialize($fileTime);
if ($time+10 < time()) {
$add = true;
$excludePatterns = wordfenceScanner::getExcludeFilePattern(wordfenceScanner::EXCLUSION_PATTERNS_USER);
if ($excludePatterns) {
foreach ($excludePatterns as $pattern) {
if (preg_match($pattern, $file)) {
$add = false;
break;
}
}
}
if ($add) {
$files = wfConfig::get('scan_exclude') . "\n" . $file;
wfConfig::set('scan_exclude', self::cleanupOneEntryPerLine($files));
}
self::endProcessingFile();
}
}
public static function beginProcessingFile($file) {
wfConfig::set('scanFileProcessing', serialize(array($file, time())));
}
public static function endProcessingFile() {
wfConfig::set('scanFileProcessing', null);
if (wfScanner::shared()->useLowResourceScanning()) {
usleep(10000); //10 ms
}
}
public static function getScanLock(){
//Windows does not support non-blocking flock, so we use time.
$scanRunning = wfConfig::get('wf_scanRunning');
if($scanRunning && time() - $scanRunning < WORDFENCE_MAX_SCAN_LOCK_TIME){
return false;
}
wfConfig::set('wf_scanRunning', time());
return true;
}
public static function clearScanLock(){
global $wpdb;
$wfdb = new wfDB();
$wfdb->truncate(wfDB::networkTable('wfHoover'));
wfConfig::set('wf_scanRunning', '');
wfIssues::updateScanStillRunning(false);
if (wfCentral::isConnected()) {
wfCentral::updateScanStatus();
}
}
public static function getIPGeo($IP){ //Works with int or dotted
$locs = self::getIPsGeo(array($IP));
if(isset($locs[$IP])){
return $locs[$IP];
} else {
return false;
}
}
public static function getIPsGeo($IPs){ //works with int or dotted. Outputs same format it receives.
$IPs = array_unique($IPs);
$toResolve = array();
$db = new wfDB();
$locsTable = wfDB::networkTable('wfLocs');
$IPLocs = array();
foreach($IPs as $IP){
$isBinaryIP = !self::isValidIP($IP);
if ($isBinaryIP) {
$ip_printable = wfUtils::inet_ntop($IP);
$ip_bin = $IP;
} else {
$ip_printable = $IP;
$ip_bin = wfUtils::inet_pton($IP);
}
$row = $db->querySingleRec("select IP, ctime, failed, city, region, countryName, countryCode, lat, lon, unix_timestamp() - ctime as age from " . $locsTable . " where IP=%s", $ip_bin);
if($row){
if($row['age'] > WORDFENCE_MAX_IPLOC_AGE){
$db->queryWrite("delete from " . $locsTable . " where IP=%s", $row['IP']);
} else {
if($row['failed'] == 1){
$IPLocs[$ip_printable] = false;
} else {
$row['IP'] = self::inet_ntop($row['IP']);
$row['region'] = wfUtils::shouldDisplayRegion($row['countryName']) ? $row['region'] : '';
$IPLocs[$ip_printable] = $row;
}
}
}
if(! isset($IPLocs[$ip_printable])){
$toResolve[] = $ip_printable;
}
}
if(sizeof($toResolve) > 0){
if (wfConfig::get('enableRemoteIpLookup', true)) {
$api = new wfAPI(wfConfig::get('apiKey'), wfUtils::getWPVersion());
try {
$freshIPs = $api->call('resolve_ips', array(), array(
'ips' => implode(',', $toResolve)
));
} catch(Exception $e){
wordfence::status(2, 'error', sprintf(/* translators: Error message. */ __("Call to Wordfence API to resolve IPs failed: %s", 'wordfence'), $e->getMessage()));
return array();
}
}
else {
require_once(__DIR__ . '/wfIpLocator.php');
$locator = wfIpLocator::getInstance();
$freshIPs = array();
$locale = get_locale();
foreach ($toResolve as $ip) {
$record = $locator->locate($ip);
if ($record !== null) {
$countryCode = $record->getCountryCode();
if ($countryCode !== null) {
$countryName = $record->getCountryName($locale);
if ($countryName === null)
$countryName = $countryCode;
$freshIPs[$ip] = array($countryCode, $countryName);
continue;
}
}
$freshIPs[$ip] = 'failed';
}
}
if(is_array($freshIPs)){
foreach($freshIPs as $IP => $value){
$IP_bin = wfUtils::inet_pton($IP);
if($value == 'failed'){
$db->queryWrite("insert IGNORE into " . $locsTable . " (IP, ctime, failed) values (%s, unix_timestamp(), 1)", $IP_bin);
$IPLocs[$IP] = false;
} else if(is_array($value)){
for($i = 0; $i <= 5; $i++){
//Prevent warnings in debug mode about uninitialized values
if(! isset($value[$i])){ $value[$i] = ''; }
}
$db->queryWrite("insert IGNORE into " . $locsTable . " (IP, ctime, failed, city, region, countryName, countryCode, lat, lon) values (%s, unix_timestamp(), 0, '%s', '%s', '%s', '%s', %s, %s)",
$IP_bin,
$value[3], //city
$value[2], //region
$value[1], //countryName
$value[0],//countryCode
$value[4],//lat
$value[5]//lon
);
$IPLocs[$IP] = array(
'IP' => $IP,
'city' => $value[3],
'region' => wfUtils::shouldDisplayRegion($value[1]) ? $value[2] : '',
'countryName' => $value[1],
'countryCode' => $value[0],
'lat' => $value[4],
'lon' => $value[5]
);
}
}
}
}
return $IPLocs;
}
public static function reverseLookup($IP) {
static $_memoryCache = array();
if (isset($_memoryCache[$IP])) {
return $_memoryCache[$IP];
}
$db = new wfDB();
$reverseTable = wfDB::networkTable('wfReverseCache');
$IPn = wfUtils::inet_pton($IP);
$host = $db->querySingle("select host from " . $reverseTable . " where IP=%s and unix_timestamp() - lastUpdate < %d", $IPn, WORDFENCE_REVERSE_LOOKUP_CACHE_TIME);
if (!$host) {
// This function works for IPv4 or IPv6
if (function_exists('gethostbyaddr')) {
$host = @gethostbyaddr($IP);
}
if (!$host) {
$ptr = false;
if (filter_var($IP, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4) !== false) {
$ptr = implode(".", array_reverse(explode(".", $IP))) . ".in-addr.arpa";
} else if (filter_var($IP, FILTER_VALIDATE_IP, FILTER_FLAG_IPV6) !== false) {
$ptr = implode(".", array_reverse(str_split(bin2hex($IPn)))) . ".ip6.arpa";
}
if ($ptr && function_exists('dns_get_record')) {
$host = @dns_get_record($ptr, DNS_PTR);
if ($host) {
$host = $host[0]['target'];
}
}
}
$_memoryCache[$IP] = $host;
if (!$host) {
$host = 'NONE';
}
$db->queryWrite("insert into " . $reverseTable . " (IP, host, lastUpdate) values (%s, '%s', unix_timestamp()) ON DUPLICATE KEY UPDATE host='%s', lastUpdate=unix_timestamp()", $IPn, $host, $host);
}
if ($host == 'NONE') {
$_memoryCache[$IP] = '';
return '';
} else {
$_memoryCache[$IP] = $host;
return $host;
}
}
public static function errorsOff(){
self::$lastErrorReporting = @ini_get('error_reporting');
@error_reporting(0);
self::$lastDisplayErrors = @ini_get('display_errors');
self::iniSet('display_errors', 0);
if(class_exists('wfScan')){ wfScan::$errorHandlingOn = false; }
}
public static function errorsOn(){
@error_reporting(self::$lastErrorReporting);
self::iniSet('display_errors', self::$lastDisplayErrors);
if(class_exists('wfScan')){ wfScan::$errorHandlingOn = true; }
}
//Note this function may report files that are too big which actually are not too big but are unseekable and throw an error on fseek(). But that's intentional
public static function fileTooBig($file){ //Deals with files > 2 gigs on 32 bit systems which are reported with the wrong size due to integer overflow
if (!@is_file($file) || !@is_readable($file)) { return false; } //Only apply to readable files
wfUtils::errorsOff();
$fh = @fopen($file, 'r');
wfUtils::errorsOn();
if(! $fh){ return false; }
$offset = WORDFENCE_MAX_FILE_SIZE_TO_PROCESS + 1;
$tooBig = false;
try {
if(@fseek($fh, $offset, SEEK_SET) === 0){
if(strlen(fread($fh, 1)) === 1){
$tooBig = true;
}
} //Otherwise we couldn't seek there so it must be smaller
fclose($fh);
return $tooBig;
} catch(Exception $e){ return true; } //If we get an error don't scan this file, report it's too big.
}
public static function fileOver2Gigs($file){ //Surround calls to this func with try/catch because fseek may throw error.
$fh = @fopen($file, 'r');
if(! $fh){ return false; }
$offset = 2147483647;
$tooBig = false;
//My throw an error so surround calls to this func with try/catch
if(@fseek($fh, $offset, SEEK_SET) === 0){
if(strlen(fread($fh, 1)) === 1){
$tooBig = true;
}
} //Otherwise we couldn't seek there so it must be smaller
@fclose($fh);
return $tooBig;
}
public static function countryCode2Name($code){
require(dirname(__FILE__) . '/wfBulkCountries.php'); /** @var array $wfBulkCountries */
if(isset($wfBulkCountries[$code])){
return $wfBulkCountries[$code];
} else {
return '';
}
}
public static function shouldDisplayRegion($country) {
$countries_to_show_for = array('united states', 'canada', 'australia');
return in_array(strtolower($country), $countries_to_show_for);
}
public static function extractBareURI($URL){
$URL = preg_replace('/^https?:\/\/[^\/]+/i', '', $URL); //strip of method and host
$URL = preg_replace('/\#.*$/', '', $URL); //strip off fragment
$URL = preg_replace('/\?.*$/', '', $URL); //strip off query string
return $URL;
}
public static function requireIpLocator() {
/**
* This is also used in the WAF so in certain site setups (i.e. nested sites in subdirectories)
* it's possible for this to already have been loaded from a different installation of the
* plugin and hence require_once doesn't help as it's a different file path. There is no guarantee
* that the two plugin installations are the same version, so should the wfIpLocator class or any
* of its dependencies change in a manner that is not backwards compatible, this may need to be
* handled differently.
*/
if (!class_exists('wfIpLocator'))
require_once(__DIR__ . '/wfIpLocator.php');
}
public static function IP2Country($ip){
self::requireIpLocator();
return wfIpLocator::getInstance()->getCountryCode($ip);
}
public static function geoIPVersion() {
self::requireIpLocator();
$version = wfIpLocator::getInstance()->getDatabaseVersion();
return $version === null ? 0 : $version;
}
public static function siteURLRelative(){
if(is_multisite()){
$URL = network_site_url();
} else {
$URL = site_url();
}
$URL = preg_replace('/^https?:\/\/[^\/]+/i', '', $URL);
$URL = rtrim($URL, '/') . '/';
return $URL;
}
public static function localHumanDate(){
return date('l jS \of F Y \a\t h:i:s A', time() + (3600 * get_option('gmt_offset')));
}
public static function localHumanDateShort(){
return date('D jS F \@ h:i:sA', time() + (3600 * get_option('gmt_offset')));
}
public static function funcEnabled($func){
if (!function_exists($func)){ return false; }
if (!is_callable($func)) { return false; }
$disabled = explode(',', ini_get('disable_functions'));
if (in_array($func, $disabled)) {
return false;
}
return true;
}
public static function iniSet($key, $val){
if(self::funcEnabled('ini_set')){
@ini_set($key, $val);
}
}
public static function doNotCache(){
header("Pragma: no-cache");
header("Cache-Control: no-cache, must-revalidate, private, max-age=0");
header("Expires: Sat, 26 Jul 1997 05:00:00 GMT"); //In the past
if(! defined('DONOTCACHEPAGE')){ define('DONOTCACHEPAGE', true); }
if(! defined('DONOTCACHEDB')){ define('DONOTCACHEDB', true); }
if(! defined('DONOTCDN')){ define('DONOTCDN', true); }
if(! defined('DONOTCACHEOBJECT')){ define('DONOTCACHEOBJECT', true); }
wfCache::doNotCache();
}
public static function isUABlocked($uaPattern){ // takes a pattern using asterisks as wildcards, turns it into regex and checks it against the visitor UA returning true if blocked
return fnmatch($uaPattern, !empty($_SERVER['HTTP_USER_AGENT']) ? $_SERVER['HTTP_USER_AGENT'] : '', FNM_CASEFOLD);
}
public static function isRefererBlocked($refPattern){
return fnmatch($refPattern, !empty($_SERVER['HTTP_REFERER']) ? $_SERVER['HTTP_REFERER'] : '', FNM_CASEFOLD);
}
public static function error_clear_last() {
if (function_exists('error_clear_last')) {
error_clear_last();
}
else {
// set error_get_last() to defined state by forcing an undefined variable error
set_error_handler('wfUtils::_resetErrorsHandler', 0);
@$undefinedVariable;
restore_error_handler();
}
}
/**
* Logs the error given or the last PHP error to our log, rate limiting if needed.
*
* @param string $limiter_key
* @param string $label
* @param null|string $error The error to log. If null, it will be the result of error_get_last
* @param int $rate Logging will only occur once per $rate seconds.
*/
public static function check_and_log_last_error($limiter_key, $label, $error = null, $rate = 3600 /* 1 hour */) {
if ($error === null) {
$error = error_get_last();
if ($error === null) {
return;
}
else if ($error['file'] === __FILE__) {
return;
}
$error = $error['message'];
}
$rateKey = 'lastError_rate_' . $limiter_key;
$previousKey = 'lastError_prev_' . $limiter_key;
$previousError = wfConfig::getJSON($previousKey, array(0, false));
if ($previousError[1] != $error) {
if (wfConfig::getInt($rateKey) < time() - $rate) {
wfConfig::set($rateKey, time());
wfConfig::setJSON($previousKey, array(time(), $error));
wordfence::status(2, 'error', $label . ' ' . $error);
}
}
}
public static function last_error($limiter_key) {
$previousKey = 'lastError_prev_' . $limiter_key;
$previousError = wfConfig::getJSON($previousKey, array(0, false));
if ($previousError[1]) {
return wfUtils::formatLocalTime(get_option('date_format') . ' ' . get_option('time_format'), $previousError[0]) . ': ' . $previousError[1];
}
return false;
}
public static function _resetErrorsHandler($errno, $errstr, $errfile, $errline) {
//Do nothing
}
/**
* @param $startIP
* @param $endIP
* @return array
*/
public static function rangeToCIDRs($startIP, $endIP){
$start_ip_printable = wfUtils::inet_ntop($startIP);
if (filter_var($start_ip_printable, FILTER_VALIDATE_IP, FILTER_FLAG_IPV4)) {
return self::rangeToCIDRsIPv4(current(unpack('N', substr($startIP, 12, 4))), current(unpack('N', substr($endIP, 12, 4))));
}
$startIPBin = str_pad(wfHelperBin::bin2str($startIP), 128, '0', STR_PAD_LEFT);
$endIPBin = str_pad(wfHelperBin::bin2str($endIP), 128, '0', STR_PAD_LEFT);
$IPIncBin = $startIPBin;
$CIDRs = array();
while (strcmp($IPIncBin, $endIPBin) <= 0) {
$longNetwork = 128;
$IPNetBin = $IPIncBin;
while (($IPIncBin[$longNetwork - 1] == '0') && (strcmp(substr_replace($IPNetBin, '1', $longNetwork - 1, 1), $endIPBin) <= 0)) {
$IPNetBin[$longNetwork - 1] = '1';
$longNetwork--;
}
$CIDRs[] = self::inet_ntop(str_pad(wfHelperBin::str2bin($IPIncBin), 16, "\x00", STR_PAD_LEFT)) . ($longNetwork < 128 ? '/' . $longNetwork : '');
$IPIncBin = str_pad(wfHelperBin::bin2str(wfHelperBin::addbin2bin(chr(1), wfHelperBin::str2bin($IPNetBin))), 128, '0', STR_PAD_LEFT);
}
return $CIDRs;
}
public static function rangeToCIDRsIPv4($startIP, $endIP){
$startIPBin = sprintf('%032b', $startIP);
$endIPBin = sprintf('%032b', $endIP);
$IPIncBin = $startIPBin;
$CIDRs = array();
while(strcmp($IPIncBin, $endIPBin) <= 0){
$longNetwork = 32;
$IPNetBin = $IPIncBin;
while(($IPIncBin[$longNetwork - 1] == '0') && (strcmp(substr_replace($IPNetBin, '1', $longNetwork - 1, 1), $endIPBin) <= 0)){
$IPNetBin[$longNetwork - 1] = '1';
$longNetwork--;
}
$CIDRs[] = long2ip(bindec($IPIncBin)) . ($longNetwork < 32 ? '/' . $longNetwork : '');
$IPIncBin = sprintf('%032b', bindec($IPNetBin) + 1);
}
return $CIDRs;
}
/**
* This is a convenience function for sending a JSON response and ensuring that execution stops after sending
* since wp_die() can be interrupted.
*
* @param $response
* @param int|null $status_code
*/
public static function send_json($response, $status_code = null) {
wp_send_json($response, $status_code);
die();
}
public static function setcookie($name, $value, $expire, $path, $domain, $secure, $httpOnly){
if(version_compare(PHP_VERSION, '5.2.0') >= 0){
@setcookie($name, $value, $expire, $path, $domain, $secure, $httpOnly);
} else {
@setcookie($name, $value, $expire, $path);
}
}
public static function isNginx(){
$sapi = php_sapi_name();
$serverSoft = $_SERVER['SERVER_SOFTWARE'];
if($sapi == 'fpm-fcgi' && stripos($serverSoft, 'nginx') !== false){
return true;
}
}
public static function getLastError(){
$err = error_get_last();
if(is_array($err)){
return $err['message'];
}
return '';
}
public static function hostNotExcludedFromProxy($url){
if(! defined('WP_PROXY_BYPASS_HOSTS')){
return true; //No hosts are excluded
}
$hosts = explode(',', WP_PROXY_BYPASS_HOSTS);
$url = preg_replace('/^https?:\/\//i', '', $url);
$url = preg_replace('/\/.*$/', '', $url);
$url = strtolower($url);
foreach($hosts as $h){
if(strtolower(trim($h)) == $url){
return false;
}
}
return true;
}
public static function hasXSS($URL){
if(! preg_match('/^https?:\/\/[a-z0-9\.\-]+\/[^\':<>\"\\\]*$/i', $URL)){
return true;
} else {
return false;
}
}
/**
* @param string $host
* @return array
*/
public static function resolveDomainName($host, $ipVersion = null) {
if (!function_exists('dns_get_record')) {
if ($ipVersion === 4 || $ipVersion === null) {
$ips = gethostbynamel($host);
if ($ips !== false)
return $ips;
}
return array();
}
$recordTypes = array();
if ($ipVersion === 4 || $ipVersion === null)
$recordTypes[DNS_A] = 'ip';
if ($ipVersion === 6 || $ipVersion === null)
$recordTypes[DNS_AAAA] = 'ipv6';
$ips = array();
foreach ($recordTypes as $type => $key) {
$records = @dns_get_record($host, $type);
if ($records !== false) {
foreach ($records as $record) {
$ips[] = $record[$key];
}
}
}
return $ips;
}
/**
* Expand a compressed printable representation of an IPv6 address.
*
* @param string $ip
* @return string
*/
public static function expandIPv6Address($ip) {
$hex = bin2hex(self::inet_pton($ip));
$ip = substr(preg_replace("/([a-f0-9]{4})/i", "$1:", $hex), 0, -1);
return $ip;
}
public static function set_html_content_type() {
return 'text/html';
}
public static function htmlEmail($to, $subject, $body) {
add_filter( 'wp_mail_content_type', 'wfUtils::set_html_content_type' );
$result = wp_mail($to, $subject, $body);
remove_filter( 'wp_mail_content_type', 'wfUtils::set_html_content_type' );
return $result;
}
/**
* @param string $readmePath
* @return bool
*/
public static function hideReadme($readmePath = null) {
if ($readmePath === null) {
$readmePath = ABSPATH . 'readme.html';
}
if (file_exists($readmePath)) {
$readmePathInfo = pathinfo($readmePath);
require_once(ABSPATH . WPINC . '/pluggable.php');
$hiddenReadmeFile = $readmePathInfo['filename'] . '.' . wp_hash('readme') . '.' . $readmePathInfo['extension'];
return @rename($readmePath, $readmePathInfo['dirname'] . '/' . $hiddenReadmeFile);
}
return false;
}
/**
* @param string $readmePath
* @return bool
*/
public static function showReadme($readmePath = null) {
if ($readmePath === null) {
$readmePath = ABSPATH . 'readme.html';
}
$readmePathInfo = pathinfo($readmePath);
require_once(ABSPATH . WPINC . '/pluggable.php');
$hiddenReadmeFile = $readmePathInfo['dirname'] . '/' . $readmePathInfo['filename'] . '.' . wp_hash('readme') . '.' . $readmePathInfo['extension'];
if (file_exists($hiddenReadmeFile)) {
return @rename($hiddenReadmeFile, $readmePath);
}
return false;
}
public static function htaccessAppend($code)
{
$htaccess = wfCache::getHtaccessPath();
$content = self::htaccess();
if (wfUtils::isNginx() || !is_writable($htaccess)) {
return false;
}
if (strpos($content, $code) === false) {
// make sure we write this once
file_put_contents($htaccess, $content . "\n" . trim($code), LOCK_EX);
}
return true;
}
public static function htaccessPrepend($code)
{
$htaccess = wfCache::getHtaccessPath();
$content = self::htaccess();
if (wfUtils::isNginx() || !is_writable($htaccess)) {
return false;
}
if (strpos($content, $code) === false) {
// make sure we write this once
file_put_contents($htaccess, trim($code) . "\n" . $content, LOCK_EX);
}
return true;
}
public static function htaccess() {
$htaccess = wfCache::getHtaccessPath();
if (is_readable($htaccess) && !wfUtils::isNginx()) {
return file_get_contents($htaccess);
}
return "";
}
/**
* @param array $array
* @param mixed $oldKey
* @param mixed $newKey
* @return array
* @throws Exception
*/
public static function arrayReplaceKey($array, $oldKey, $newKey) {
$keys = array_keys($array);
if (($index = array_search($oldKey, $keys)) === false) {
throw new Exception(sprintf('Key "%s" does not exist', $oldKey));
}
$keys[$index] = $newKey;
return array_combine($keys, array_values($array));
}
/**
* Takes a string that may have characters that will be interpreted as invalid UTF-8 byte sequences and translates them into a string of the equivalent hex sequence.
*
* @param $string
* @param bool $inline
* @return string
*/
public static function potentialBinaryStringToHTML($string, $inline = false, $allowmb4 = false) {
$output = '';
if (!defined('ENT_SUBSTITUTE')) {
define('ENT_SUBSTITUTE', 0);
}
$span = '<span class="wf-hex-sequence">';
if ($inline) {
$span = '<span style="color:#587ECB">';
}
for ($i = 0; $i < wfUtils::strlen($string); $i++) {
$c = $string[$i];
$b = ord($c);
if ($b < 0x20) {
$output .= $span . '\x' . str_pad(dechex($b), 2, '0', STR_PAD_LEFT) . '</span>';
}
else if ($b < 0x80) {
$output .= htmlspecialchars($c, ENT_QUOTES, 'ISO-8859-1');
}
else { //Assume multi-byte UTF-8
$bytes = 0;
$test = $b;
while (($test & 0x80) > 0) {
$bytes++;
$test = (($test << 1) & 0xff);
}
$brokenUTF8 = ($i + $bytes > wfUtils::strlen($string) || $bytes == 1);
if (!$brokenUTF8) { //Make sure we have all the bytes
for ($n = 1; $n < $bytes; $n++) {
$c2 = $string[$i + $n];
$b2 = ord($c2);
if (($b2 & 0xc0) != 0x80) {
$brokenUTF8 = true;
$bytes = $n;
break;
}
}
}
if (!$brokenUTF8) { //Ensure the byte sequences are within the accepted ranges: https://tools.ietf.org/html/rfc3629
/*
* UTF8-octets = *( UTF8-char )
* UTF8-char = UTF8-1 / UTF8-2 / UTF8-3 / UTF8-4
* UTF8-1 = %x00-7F
* UTF8-2 = %xC2-DF UTF8-tail
* UTF8-3 = %xE0 %xA0-BF UTF8-tail / %xE1-EC 2( UTF8-tail ) /
* %xED %x80-9F UTF8-tail / %xEE-EF 2( UTF8-tail )
* UTF8-4 = %xF0 %x90-BF 2( UTF8-tail ) / %xF1-F3 3( UTF8-tail ) /
* %xF4 %x80-8F 2( UTF8-tail )
* UTF8-tail = %x80-BF
*/
$testString = wfUtils::substr($string, $i, $bytes);
$regex = '/^(?:' .
'[\xc2-\xdf][\x80-\xbf]' . //UTF8-2
'|' . '\xe0[\xa0-\xbf][\x80-\xbf]' . //UTF8-3
'|' . '[\xe1-\xec][\x80-\xbf]{2}' .
'|' . '\xed[\x80-\x9f][\x80-\xbf]' .
'|' . '[\xee-\xef][\x80-\xbf]{2}';
if ($allowmb4) {
$regex .= '|' . '\xf0[\x90-\xbf][\x80-\xbf]{2}' . //UTF8-4
'|' . '[\xf1-\xf3][\x80-\xbf]{3}' .
'|' . '\xf4[\x80-\x8f][\x80-\xbf]{2}';
}
$regex .= ')$/';
if (!preg_match($regex, $testString)) {
$brokenUTF8 = true;
}
}
if ($brokenUTF8) {
$bytes = min($bytes, strlen($string) - $i);
for ($n = 0; $n < $bytes; $n++) {
$c2 = $string[$i + $n];
$b2 = ord($c2);
$output .= $span . '\x' . str_pad(dechex($b2), 2, '0', STR_PAD_LEFT) . '</span>';
}
$i += ($bytes - 1);
}
else {
$output .= htmlspecialchars(wfUtils::substr($string, $i, $bytes), ENT_QUOTES | ENT_SUBSTITUTE, 'ISO-8859-1');
$i += ($bytes - 1);
}
}
}
return $output;
}
public static function requestDetectProxyCallback($timeout = 2, $blocking = true, $forceCheck = false) {
$currentRecommendation = wfConfig::get('detectProxyRecommendation', '');
if (!$forceCheck) {
$detectProxyNextCheck = wfConfig::get('detectProxyNextCheck', false);
if ($detectProxyNextCheck !== false && time() < $detectProxyNextCheck) {
if (empty($currentRecommendation)) {
wfConfig::set('detectProxyRecommendation', 'DEFERRED', wfConfig::DONT_AUTOLOAD);
}
return; //Let it pull the currently-stored value
}
}
try {
$waf = wfWAF::getInstance();
if ($waf->getStorageEngine()->getConfig('attackDataKey', false) === false) {
$waf->getStorageEngine()->setConfig('attackDataKey', mt_rand(0, 0xfff));
}
$response = wp_remote_get(sprintf(WFWAF_API_URL_SEC . "proxy-check/%d.txt", $waf->getStorageEngine()->getConfig('attackDataKey')), array('headers' => array('Referer' => false)));
if (!is_wp_error($response)) {
$okToSendBody = wp_remote_retrieve_body($response);
if (preg_match('/^(ok|wait),\s*(\d+)$/i', $okToSendBody, $matches)) {
$command = $matches[1];
$ttl = $matches[2];
if ($command == 'wait') {
wfConfig::set('detectProxyNextCheck', time() + $ttl, wfConfig::DONT_AUTOLOAD);
if (empty($currentRecommendation) || $currentRecommendation == 'UNKNOWN') {
wfConfig::set('detectProxyRecommendation', 'DEFERRED', wfConfig::DONT_AUTOLOAD);
}
return;
}
wfConfig::set('detectProxyNextCheck', time() + $ttl, wfConfig::DONT_AUTOLOAD);
}
else { //Unknown response
wfConfig::set('detectProxyNextCheck', false, wfConfig::DONT_AUTOLOAD);
if (empty($currentRecommendation) || $currentRecommendation == 'UNKNOWN') {
wfConfig::set('detectProxyRecommendation', 'DEFERRED', wfConfig::DONT_AUTOLOAD);
}
return;
}
}
}
catch (Exception $e) {
return;
}
$nonce = bin2hex(wfWAFUtils::random_bytes(32));
$callback = self::getSiteBaseURL() . '?_wfsf=detectProxy';
wfConfig::set('detectProxyNonce', $nonce, wfConfig::DONT_AUTOLOAD);
wfConfig::set('detectProxyRecommendation', '', wfConfig::DONT_AUTOLOAD);
$payload = array(
'nonce' => $nonce,
'callback' => $callback,
);
$homeurl = wfUtils::wpHomeURL();
$siteurl = wfUtils::wpSiteURL();
try {
$response = wp_remote_post(WFWAF_API_URL_SEC . "?" . http_build_query(array(
'action' => 'detect_proxy',
'k' => wfConfig::get('apiKey'),
's' => $siteurl,
'h' => $homeurl,
't' => microtime(true),
'lang' => get_site_option('WPLANG'),
), '', '&'),
array(
'body' => json_encode($payload),
'headers' => array(
'Content-Type' => 'application/json',
'Referer' => false,
),
'timeout' => $timeout,
'blocking' => $blocking,
));
if (!is_wp_error($response)) {
$jsonResponse = wp_remote_retrieve_body($response);
$decoded = @json_decode($jsonResponse, true);
if (is_array($decoded) && isset($decoded['data']) && is_array($decoded['data']) && isset($decoded['data']['ip']) && wfUtils::isValidIP($decoded['data']['ip'])) {
wfConfig::set('serverIP', time() . ';' . $decoded['data']['ip']);
}
}
}
catch (Exception $e) {
return;
}
}
/**
* @return bool Returns false if the payload is invalid, true if it processed the callback (even if the IP wasn't found).
*/
public static function processDetectProxyCallback() {
$nonce = wfConfig::get('detectProxyNonce', '');
$testNonce = (isset($_POST['nonce']) ? $_POST['nonce'] : '');
if (empty($nonce) || empty($testNonce)) {
return false;
}
if (!hash_equals($nonce, $testNonce)) {
return false;
}
$ips = (isset($_POST['ips']) ? $_POST['ips'] : array());
if (empty($ips)) {
return false;
}
$expandedIPs = array();
foreach ($ips as $ip) {
$expandedIPs[] = self::inet_pton($ip);
}
$checks = array('HTTP_CF_CONNECTING_IP', 'HTTP_X_REAL_IP', 'REMOTE_ADDR', 'HTTP_X_FORWARDED_FOR');
foreach ($checks as $key) {
if (!isset($_SERVER[$key])) {
continue;
}
$testIP = self::getCleanIPAndServerVar(array(array($_SERVER[$key], $key)));
if ($testIP === false) {
continue;
}
$testIP = self::inet_pton($testIP[0]);
if (in_array($testIP, $expandedIPs)) {
wfConfig::set('detectProxyRecommendation', $key, wfConfig::DONT_AUTOLOAD);
wfConfig::set('detectProxyNonce', '', wfConfig::DONT_AUTOLOAD);
return true;
}
}
wfConfig::set('detectProxyRecommendation', 'UNKNOWN', wfConfig::DONT_AUTOLOAD);
wfConfig::set('detectProxyNonce', '', wfConfig::DONT_AUTOLOAD);
return true;
}
/**
* Returns a v4 UUID.
*
* @return string
*/
public static function uuid() {
return sprintf('%04x%04x-%04x-%04x-%04x-%04x%04x%04x',
// 32 bits for "time_low"
wfWAFUtils::random_int(0, 0xffff), wfWAFUtils::random_int(0, 0xffff),
// 16 bits for "time_mid"
wfWAFUtils::random_int(0, 0xffff),
// 16 bits for "time_hi_and_version",
// four most significant bits holds version number 4
wfWAFUtils::random_int(0, 0x0fff) | 0x4000,
// 16 bits, 8 bits for "clk_seq_hi_res",
// 8 bits for "clk_seq_low",
// two most significant bits holds zero and one for variant DCE1.1
wfWAFUtils::random_int(0, 0x3fff) | 0x8000,
// 48 bits for "node"
wfWAFUtils::random_int(0, 0xffff), wfWAFUtils::random_int(0, 0xffff), wfWAFUtils::random_int(0, 0xffff)
);
}
public static function base32_encode($rawString, $rightPadFinalBits = false, $padFinalGroup = false, $padCharacter = '=') //Adapted from https://github.com/ademarre/binary-to-text-php
{
// Unpack string into an array of bytes
$bytes = unpack('C*', $rawString);
$byteCount = count($bytes);
$encodedString = '';
$byte = array_shift($bytes);
$bitsRead = 0;
$oldBits = 0;
$chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ234567';
$bitsPerCharacter = 5;
$charsPerByte = 8 / $bitsPerCharacter;
$encodedLength = $byteCount * $charsPerByte;
// Generate encoded output; each loop produces one encoded character
for ($c = 0; $c < $encodedLength; $c++) {
// Get the bits needed for this encoded character
if ($bitsRead + $bitsPerCharacter > 8) {
// Not enough bits remain in this byte for the current character
// Save the remaining bits before getting the next byte
$oldBitCount = 8 - $bitsRead;
$oldBits = $byte ^ ($byte >> $oldBitCount << $oldBitCount);
$newBitCount = $bitsPerCharacter - $oldBitCount;
if (!$bytes) {
// Last bits; match final character and exit loop
if ($rightPadFinalBits) $oldBits <<= $newBitCount;
$encodedString .= $chars[$oldBits];
if ($padFinalGroup) {
// Array of the lowest common multiples of $bitsPerCharacter and 8, divided by 8
$lcmMap = array(1 => 1, 2 => 1, 3 => 3, 4 => 1, 5 => 5, 6 => 3, 7 => 7, 8 => 1);
$bytesPerGroup = $lcmMap[$bitsPerCharacter];
$pads = $bytesPerGroup * $charsPerByte - ceil((strlen($rawString) % $bytesPerGroup) * $charsPerByte);
$encodedString .= str_repeat($padCharacter, $pads);
}
break;
}
// Get next byte
$byte = array_shift($bytes);
$bitsRead = 0;
} else {
$oldBitCount = 0;
$newBitCount = $bitsPerCharacter;
}
// Read only the needed bits from this byte
$bits = $byte >> 8 - ($bitsRead + ($newBitCount));
$bits ^= $bits >> $newBitCount << $newBitCount;
$bitsRead += $newBitCount;
if ($oldBitCount) {
// Bits come from seperate bytes, add $oldBits to $bits
$bits = ($oldBits << $newBitCount) | $bits;
}
$encodedString .= $chars[$bits];
}
return $encodedString;
}
private static function _home_url_nofilter($path = '', $scheme = null) { //A version of the native get_home_url and get_option without the filter calls
global $pagenow, $wpdb, $blog_id;
static $cached_url = null;
if ($cached_url !== null) {
return $cached_url;
}
if (defined('WP_HOME') && WORDFENCE_PREFER_WP_HOME_FOR_WPML) {
$cached_url = WP_HOME;
return $cached_url;
}
if ( empty( $blog_id ) || !is_multisite() ) {
$url = $wpdb->get_var("SELECT option_value FROM {$wpdb->options} WHERE option_name = 'home' LIMIT 1");
if (empty($url)) { //get_option uses siteurl instead if home is empty
$url = $wpdb->get_var("SELECT option_value FROM {$wpdb->options} WHERE option_name = 'siteurl' LIMIT 1");
}
}
else if (is_multisite()) {
$current_network = get_network();
if ( 'relative' == $scheme )
$url = rtrim($current_network->path, '/');
else
$url = 'http://' . rtrim($current_network->domain, '/') . '/' . trim($current_network->path, '/');
}
if ( ! in_array( $scheme, array( 'http', 'https', 'relative' ) ) ) {
if ( is_ssl() && ! is_admin() && 'wp-login.php' !== $pagenow )
$scheme = 'https';
else
$scheme = parse_url( $url, PHP_URL_SCHEME );
}
$url = set_url_scheme( $url, $scheme );
if ( $path && is_string( $path ) )
$url .= '/' . ltrim( $path, '/' );
$cached_url = $url;
return $url;
}
public static function refreshCachedHomeURL() {
$pullDirectly = class_exists('WPML_URL_Filters');
$homeurl = '';
if ($pullDirectly) {
//A version of the native get_home_url without the filter call
$homeurl = self::_home_url_nofilter();
}
if (function_exists('get_bloginfo') && empty($homeurl)) {
if (is_multisite()) {
$homeurl = network_home_url();
}
else {
$homeurl = home_url();
}
$homeurl = rtrim($homeurl, '/'); //Because previously we used get_bloginfo and it returns http://example.com without a '/' char.
}
if (wfConfig::get('wp_home_url') !== $homeurl) {
wfConfig::set('wp_home_url', $homeurl);
}
}
public static function wpHomeURL($path = '', $scheme = null) {
$homeurl = wfConfig::get('wp_home_url', '');
if (function_exists('get_bloginfo') && empty($homeurl)) {
if (is_multisite()) {
$homeurl = network_home_url($path, $scheme);
}
else {
$homeurl = home_url($path, $scheme);
}
$homeurl = rtrim($homeurl, '/'); //Because previously we used get_bloginfo and it returns http://example.com without a '/' char.
}
else {
$homeurl = set_url_scheme($homeurl, $scheme);
if ($path && is_string($path)) {
$homeurl .= '/' . ltrim($path, '/');
}
}
return $homeurl;
}
private static function _site_url_nofilter($path = '', $scheme = null) { //A version of the native get_site_url and get_option without the filter calls
global $pagenow, $wpdb, $blog_id;
static $cached_url = null;
if ($cached_url !== null) {
return $cached_url;
}
if (defined('WP_SITEURL') && WORDFENCE_PREFER_WP_HOME_FOR_WPML) {
$cached_url = WP_SITEURL;
return $cached_url;
}
if ( empty( $blog_id ) || !is_multisite() ) {
$url = $wpdb->get_var("SELECT option_value FROM {$wpdb->options} WHERE option_name = 'siteurl' LIMIT 1");
}
else if (is_multisite()) {
$current_network = get_network();
if ( 'relative' == $scheme )
$url = rtrim($current_network->path, '/');
else
$url = 'http://' . rtrim($current_network->domain, '/') . '/' . trim($current_network->path, '/');
}
if ( ! in_array( $scheme, array( 'http', 'https', 'relative' ) ) ) {
if ( is_ssl() && ! is_admin() && 'wp-login.php' !== $pagenow )
$scheme = 'https';
else
$scheme = parse_url( $url, PHP_URL_SCHEME );
}
$url = set_url_scheme( $url, $scheme );
if ( $path && is_string( $path ) )
$url .= '/' . ltrim( $path, '/' );
$cached_url = $url;
return $url;
}
public static function refreshCachedSiteURL() {
$pullDirectly = class_exists('WPML_URL_Filters');
$siteurl = '';
if ($pullDirectly) {
//A version of the native get_home_url without the filter call
$siteurl = self::_site_url_nofilter();
}
if (function_exists('get_bloginfo') && empty($siteurl)) {
if (is_multisite()) {
$siteurl = network_site_url();
}
else {
$siteurl = site_url();
}
$siteurl = rtrim($siteurl, '/'); //Because previously we used get_bloginfo and it returns http://example.com without a '/' char.
}
if (wfConfig::get('wp_site_url') !== $siteurl) {
wfConfig::set('wp_site_url', $siteurl);
}
}
/**
* Equivalent to network_site_url but uses the cached value for the URL if we have it
* to avoid breaking on sites that define it based on the requesting hostname.
*
* @param string $path
* @param null|string $scheme
* @return string
*/
public static function wpSiteURL($path = '', $scheme = null) {
$siteurl = wfConfig::get('wp_site_url', '');
if (function_exists('get_bloginfo') && empty($siteurl)) {
if (is_multisite()) {
$siteurl = network_site_url($path, $scheme);
}
else {
$siteurl = site_url($path, $scheme);
}
$siteurl = rtrim($siteurl, '/'); //Because previously we used get_bloginfo and it returns http://example.com without a '/' char.
}
else {
$siteurl = set_url_scheme($siteurl, $scheme);
if ($path && is_string($path)) {
$siteurl .= '/' . ltrim($path, '/');
}
}
return $siteurl;
}
/**
* Equivalent to network_admin_url but uses the cached value for the URL if we have it
* to avoid breaking on sites that define it based on the requesting hostname.
*
* @param string $path
* @param null|string $scheme
* @return string
*/
public static function wpAdminURL($path = '', $scheme = null) {
if (!is_multisite()) {
$adminURL = self::wpSiteURL('wp-admin/', $scheme);
}
else {
$adminURL = self::wpSiteURL('wp-admin/network/', $scheme);
}
if ($path && is_string($path)) {
$adminURL .= ltrim($path, '/');
}
if (!is_multisite()) {
return apply_filters('admin_url', $adminURL, $path, null);
}
return apply_filters('network_admin_url', $adminURL, $path);
}
public static function wafInstallationType() {
$storage = 'file';
if (defined('WFWAF_STORAGE_ENGINE')) { $storage = WFWAF_STORAGE_ENGINE; }
try {
$status = (defined('WFWAF_ENABLED') && !WFWAF_ENABLED) ? 'disabled' : wfWaf::getInstance()->getStorageEngine()->getConfig('wafStatus');
if (defined('WFWAF_ENABLED') && !WFWAF_ENABLED) {
return "{$status}|const|{$storage}";
}
else if (defined('WFWAF_SUBDIRECTORY_INSTALL') && WFWAF_SUBDIRECTORY_INSTALL) {
return "{$status}|subdir|{$storage}";
}
else if (defined('WFWAF_AUTO_PREPEND') && WFWAF_AUTO_PREPEND) {
return "{$status}|extended|{$storage}";
}
return "{$status}|basic|{$storage}";
}
catch (Exception $e) {
//Do nothing
}
return 'unknown';
}
public static function hex2bin($string) { //Polyfill for PHP < 5.4
if (!is_string($string)) { return false; }
if (strlen($string) % 2 == 1) { return false; }
return pack('H*', $string);
}
/**
* Returns whether or not the site should be treated as if it's full-time SSL.
*
* @return bool
*/
public static function isFullSSL() {
return is_ssl() && parse_url(self::wpHomeURL(), PHP_URL_SCHEME) === 'https'; //It's possible for only wp-admin to be SSL so we check the home URL too
}
/**
* Identical to the same functions in wfWAFUtils.
*
* Set the mbstring internal encoding to a binary safe encoding when func_overload
* is enabled.
*
* When mbstring.func_overload is in use for multi-byte encodings, the results from
* strlen() and similar functions respect the utf8 characters, causing binary data
* to return incorrect lengths.
*
* This function overrides the mbstring encoding to a binary-safe encoding, and
* resets it to the users expected encoding afterwards through the
* `reset_mbstring_encoding` function.
*
* It is safe to recursively call this function, however each
* `mbstring_binary_safe_encoding()` call must be followed up with an equal number
* of `reset_mbstring_encoding()` calls.
*
* @see wfWAFUtils::reset_mbstring_encoding
*
* @staticvar array $encodings
* @staticvar bool $overloaded
*
* @param bool $reset Optional. Whether to reset the encoding back to a previously-set encoding.
* Default false.
*/
public static function mbstring_binary_safe_encoding($reset = false) {
static $encodings = array();
static $overloaded = null;
if (is_null($overloaded)) {
// phpcs:ignore PHPCompatibility.IniDirectives.RemovedIniDirectives.mbstring_func_overloadDeprecated
$overloaded = function_exists('mb_internal_encoding') && (ini_get('mbstring.func_overload') & 2);
}
if (false === $overloaded) { return; }
if (!$reset) {
$encoding = mb_internal_encoding();
array_push($encodings, $encoding);
mb_internal_encoding('ISO-8859-1');
}
if ($reset && $encodings) {
$encoding = array_pop($encodings);
mb_internal_encoding($encoding);
}
}
/**
* Reset the mbstring internal encoding to a users previously set encoding.
*
* @see wfWAFUtils::mbstring_binary_safe_encoding
*/
public static function reset_mbstring_encoding() {
self::mbstring_binary_safe_encoding(true);
}
/**
* @param callable $function
* @param array $args
* @return mixed
*/
protected static function callMBSafeStrFunction($function, $args) {
self::mbstring_binary_safe_encoding();
$return = call_user_func_array($function, $args);
self::reset_mbstring_encoding();
return $return;
}
/**
* Multibyte safe strlen.
*
* @param $binary
* @return int
*/
public static function strlen($binary) {
$args = func_get_args();
return self::callMBSafeStrFunction('strlen', $args);
}
/**
* @param $haystack
* @param $needle
* @param int $offset
* @return int
*/
public static function stripos($haystack, $needle, $offset = 0) {
$args = func_get_args();
return self::callMBSafeStrFunction('stripos', $args);
}
/**
* @param $string
* @return mixed
*/
public static function strtolower($string) {
$args = func_get_args();
return self::callMBSafeStrFunction('strtolower', $args);
}
/**
* @param $string
* @param $start
* @param $length
* @return mixed
*/
public static function substr($string, $start, $length = null) {
if ($length === null) { $length = self::strlen($string); }
return self::callMBSafeStrFunction('substr', array(
$string, $start, $length
));
}
/**
* @param $haystack
* @param $needle
* @param int $offset
* @return mixed
*/
public static function strpos($haystack, $needle, $offset = 0) {
$args = func_get_args();
return self::callMBSafeStrFunction('strpos', $args);
}
/**
* @param string $haystack
* @param string $needle
* @param int $offset
* @param int $length
* @return mixed
*/
public static function substr_count($haystack, $needle, $offset = 0, $length = null) {
if ($length === null) { $length = self::strlen($haystack); }
return self::callMBSafeStrFunction('substr_count', array(
$haystack, $needle, $offset, $length
));
}
/**
* @param $string
* @return mixed
*/
public static function strtoupper($string) {
$args = func_get_args();
return self::callMBSafeStrFunction('strtoupper', $args);
}
/**
* @param string $haystack
* @param string $needle
* @param int $offset
* @return mixed
*/
public static function strrpos($haystack, $needle, $offset = 0) {
$args = func_get_args();
return self::callMBSafeStrFunction('strrpos', $args);
}
public static function sets_equal($a1, $a2) {
if (!is_array($a1) || !is_array($a2)) {
return false;
}
if (count($a1) != count($a2)) {
return false;
}
sort($a1, SORT_NUMERIC);
sort($a2, SORT_NUMERIC);
return $a1 == $a2;
}
public static function array_first($array) {
if (empty($array)) {
return null;
}
$values = array_values($array);
return $values[0];
}
public static function array_last($array) {
if (empty($array)) {
return null;
}
$values = array_values($array);
return $values[count($values) - 1];
}
public static function array_strtolower($array) {
$result = array();
foreach ($array as $a) {
$result[] = strtolower($a);
}
return $result;
}
public static function array_column($input = null, $columnKey = null, $indexKey = null) { //Polyfill from https://github.com/ramsey/array_column/blob/master/src/array_column.php
$argc = func_num_args();
$params = func_get_args();
if ($argc < 2) {
trigger_error("array_column() expects at least 2 parameters, {$argc} given", E_USER_WARNING);
return null;
}
if (!is_array($params[0])) {
trigger_error(
'array_column() expects parameter 1 to be array, ' . gettype($params[0]) . ' given',
E_USER_WARNING
);
return null;
}
if (!is_int($params[1]) && !is_float($params[1]) && !is_string($params[1]) && $params[1] !== null && !(is_object($params[1]) && method_exists($params[1], '__toString'))) {
trigger_error('array_column(): The column key should be either a string or an integer', E_USER_WARNING);
return false;
}
if (isset($params[2]) && !is_int($params[2]) && !is_float($params[2]) && !is_string($params[2]) && !(is_object($params[2]) && method_exists($params[2], '__toString'))) {
trigger_error('array_column(): The index key should be either a string or an integer', E_USER_WARNING);
return false;
}
$paramsInput = $params[0];
$paramsColumnKey = ($params[1] !== null) ? (string) $params[1] : null;
$paramsIndexKey = null;
if (isset($params[2])) {
if (is_float($params[2]) || is_int($params[2])) {
$paramsIndexKey = (int) $params[2];
}
else {
$paramsIndexKey = (string) $params[2];
}
}
$resultArray = array();
foreach ($paramsInput as $row) {
$key = $value = null;
$keySet = $valueSet = false;
if ($paramsIndexKey !== null && array_key_exists($paramsIndexKey, $row)) {
$keySet = true;
$key = (string) $row[$paramsIndexKey];
}
if ($paramsColumnKey === null) {
$valueSet = true;
$value = $row;
}
elseif (is_array($row) && array_key_exists($paramsColumnKey, $row)) {
$valueSet = true;
$value = $row[$paramsColumnKey];
}
if ($valueSet) {
if ($keySet) {
$resultArray[$key] = $value;
}
else {
$resultArray[] = $value;
}
}
}
return $resultArray;
}
/**
* Returns the current timestamp, adjusted as needed to get close to what we consider a true timestamp. We use this
* because a significant number of servers are using a drastically incorrect time.
*
* @return int
*/
public static function normalizedTime($base = false) {
if ($base === false) {
$base = time();
}
$offset = (int) wfConfig::get('timeoffset_wf', 0);
return $base + $offset;
}
/**
* Returns what we consider a true timestamp, adjusted as needed to match the local server's drift. We use this
* because a significant number of servers are using a drastically incorrect time.
*
* @return int
*/
public static function denormalizedTime($base) {
$offset = (int) wfConfig::get('timeoffset_wf', 0);
return $base - $offset;
}
/**
* Returns the number of minutes for the time zone offset from UTC. If $timestamp and using a named time zone,
* it will be adjusted automatically to match whether or not the server's time zone is in Daylight Savings Time.
*
* @param bool|int $timestamp Assumed to be in UTC. If false, defaults to the current timestamp.
* @return int
*/
public static function timeZoneMinutes($timestamp = false) {
if ($timestamp === false) {
$timestamp = time();
}
$tz = get_option('timezone_string');
if (!empty($tz)) {
$timezone = new DateTimeZone($tz);
$dtStr = gmdate("c", (int) $timestamp); //Have to do it this way because of PHP 5.2
$dt = new DateTime($dtStr, $timezone);
return (int) ($timezone->getOffset($dt) / 60);
}
else {
$gmt = get_option('gmt_offset');
if (!empty($gmt)) {
return (int) ($gmt * 60);
}
}
return 0;
}
/**
* Formats and returns the given timestamp using the time zone set for the WordPress installation.
*
* @param string $format See the PHP docs on DateTime for the format options.
* @param int|bool $timestamp Assumed to be in UTC. If false, defaults to the current timestamp.
* @return string
*/
public static function formatLocalTime($format, $timestamp = false) {
if ($timestamp === false) {
$timestamp = time();
}
$utc = new DateTimeZone('UTC');
$dtStr = gmdate("c", (int) $timestamp); //Have to do it this way because of PHP 5.2
$dt = new DateTime($dtStr, $utc);
$tz = get_option('timezone_string');
if (!empty($tz)) {
$dt->setTimezone(new DateTimeZone($tz));
}
else {
$gmt = get_option('gmt_offset');
if (!empty($gmt)) {
if (PHP_VERSION_ID < 50510) {
$dtStr = gmdate("c", (int) ($timestamp + $gmt * 3600)); //Have to do it this way because of < PHP 5.5.10
$dt = new DateTime($dtStr, $utc);
}
else {
$direction = ($gmt > 0 ? '+' : '-');
$gmt = abs($gmt);
$h = (int) $gmt;
$m = ($gmt - $h) * 60;
$dt->setTimezone(new DateTimeZone($direction . str_pad($h, 2, '0', STR_PAD_LEFT) . str_pad($m, 2, '0', STR_PAD_LEFT)));
}
}
}
return $dt->format($format);
}
/**
* Parses the given time string and returns its DateTime with the server's configured time zone.
*
* @param string $timestring
* @return DateTime
*/
public static function parseLocalTime($timestring) {
$utc = new DateTimeZone('UTC');
$tz = get_option('timezone_string');
if (!empty($tz)) {
$tz = new DateTimeZone($tz);
return new DateTime($timestring, $tz);
}
else {
$gmt = get_option('gmt_offset');
if (!empty($gmt)) {
if (PHP_VERSION_ID < 50510) {
$timestamp = strtotime($timestring);
$dtStr = gmdate("c", (int) ($timestamp + $gmt * 3600)); //Have to do it this way because of < PHP 5.5.10
return new DateTime($dtStr, $utc);
}
else {
$direction = ($gmt > 0 ? '+' : '-');
$gmt = abs($gmt);
$h = (int) $gmt;
$m = ($gmt - $h) * 60;
$tz = new DateTimeZone($direction . str_pad($h, 2, '0', STR_PAD_LEFT) . str_pad($m, 2, '0', STR_PAD_LEFT));
return new DateTime($timestring, $tz);
}
}
}
return new DateTime($timestring);
}
/**
* Base64URL-encodes the given payload. This is identical to base64_encode except it substitutes characters
* not safe for use in URLs.
*
* @param string $payload
* @return string
*/
public static function base64url_encode($payload) {
$intermediate = base64_encode($payload);
$intermediate = rtrim($intermediate, '=');
$intermediate = str_replace('+', '-', $intermediate);
$intermediate = str_replace('/', '_', $intermediate);
return $intermediate;
}
/**
* Base64URL-decodes the given payload. This is identical to base64_encode except it allows for the characters
* substituted by base64url_encode.
*
* @param string $payload
* @return string
*/
public static function base64url_decode($payload) {
$intermediate = str_replace('_', '/', $payload);
$intermediate = str_replace('-', '+', $intermediate);
$intermediate = base64_decode($intermediate);
return $intermediate;
}
/**
* Returns a signed JWT for the given payload. Payload is expected to be an array suitable for JSON-encoding.
*
* @param array $payload
* @param int $maxAge How long the JWT will be considered valid.
* @return string
*/
public static function generateJWT($payload, $maxAge = 604800 /* 7 days */) {
$payload['_exp'] = time() + $maxAge;
$key = wfConfig::get('longEncKey');
$header = '{"alg":"HS256","typ":"JWT"}';
$body = self::base64url_encode($header) . '.' . self::base64url_encode(json_encode($payload));
$signature = hash_hmac('sha256', $body, $key, true);
return $body . '.' . self::base64url_encode($signature);
}
/**
* Decodes and returns the payload of a JWT. This also validates the signature.
*
* @param string $token
* @return array|bool The decoded payload or false if the token is invalid or fails validation.
*/
public static function decodeJWT($token) {
$components = explode('.', $token);
if (count($components) != 3) {
return false;
}
$key = wfConfig::get('longEncKey');
$body = $components[0] . '.' . $components[1];
$signature = hash_hmac('sha256', $body, $key, true);
$testSignature = self::base64url_decode($components[2]);
if (!hash_equals($signature, $testSignature)) {
return false;
}
$json = self::base64url_decode($components[1]);
$payload = @json_decode($json, true);
if (isset($payload['_exp']) && $payload['_exp'] < time()) {
return false;
}
return $payload;
}
/**
* Split a path into its components
* @param string $path
*/
public static function splitPath($path) {
return preg_split('/[\\/\\\\]/', $path, -1, PREG_SPLIT_NO_EMPTY);
}
/**
* Convert an absolute path to a path relative to $to
* @param string $absolute the absolute path to convert
* @param string $to the absolute path from which to derive the relative path
* @param bool $leadingSlash if true, prepend the resultant URL with a slash
*/
public static function relativePath($absolute, $to, $leadingSlash = false) {
$trailingSlash = in_array(substr($absolute, -1), array('/', '\\'));
$absoluteComponents = self::splitPath($absolute);
$toComponents = self::splitPath($to);
$relativeComponents = array();
do {
$currentAbsolute = array_shift($absoluteComponents);
$currentTo = array_shift($toComponents);
} while($currentAbsolute === $currentTo && $currentAbsolute !== null);
while ($currentTo !== null) {
array_push($relativeComponents, '..');
$currentTo = array_shift($toComponents);
}
while ($currentAbsolute !== null) {
array_push($relativeComponents, $currentAbsolute);
$currentAbsolute = array_shift($absoluteComponents);
}
return implode(array(
$leadingSlash ? '/' : '',
implode('/', $relativeComponents),
($trailingSlash && (count($relativeComponents) > 0 || !$leadingSlash)) ? '/' : ''
));
}
public static function getHomePath() {
if (!function_exists('get_home_path')) {
include_once(ABSPATH . 'wp-admin/includes/file.php');
}
if (WF_IS_FLYWHEEL)
return trailingslashit($_SERVER['DOCUMENT_ROOT']);
return get_home_path();
}
public static function includeOnceIfPresent($path) {
if (file_exists($path)) {
@include_once($path);
return @include_once($path); //Calling `include_once` for an already included file will return true
}
return false;
}
public static function isCurlSupported() {
if (self::includeOnceIfPresent(ABSPATH . 'wp-includes/class-wp-http-curl.php'))
return WP_Http_Curl::test();
return false;
}
private static function isValidJsonValue($value) {
return json_encode($value) !== false;
}
private static function filterInvalidJsonValues($data, &$modified, &$valid = null) {
if (is_array($data)) {
$modified = array();
$filtered = array();
$valid = true;
foreach ($data as $key => $value) {
$value = self::filterInvalidJsonValues($value, $itemModified, $itemValid);
if (($itemValid || $itemModified) && self::isValidJsonValue(array($key => $value))) {
$filtered[$key] = $value;
if ($itemModified)
$modified[$key] = $itemModified;
}
else {
$valid = false;
}
}
return $filtered;
}
else {
$modified = false;
$valid = self::isValidJsonValue($data);
if ($valid) {
return $data;
}
else if (is_string($data)) {
$modified = true;
return base64_encode($data);
}
else {
return null;
}
}
}
public static function jsonEncodeSafely($data) {
$encoded = json_encode($data);
if ($encoded === false) {
$data = self::filterInvalidJsonValues($data, $modified);
if ($modified)
$data['__modified__'] = $modified;
$encoded = json_encode($data);
}
return $encoded;
}
}
// GeoIP lib uses these as well
if (!function_exists('inet_ntop')) {
function inet_ntop($ip) {
return wfUtils::_inet_ntop($ip);
}
}
if (!function_exists('inet_pton')) {
function inet_pton($ip) {
return wfUtils::_inet_pton($ip);
}
}
class wfWebServerInfo {
const APACHE = 1;
const NGINX = 2;
const LITESPEED = 4;
const IIS = 8;
private $handler;
private $software;
private $softwareName;
/**
*
*/
public static function createFromEnvironment() {
$serverInfo = new self;
$sapi = php_sapi_name();
if (WF_IS_FLYWHEEL) {
$serverInfo->setSoftware(self::NGINX);
$serverInfo->setSoftwareName('Flywheel');
}
else if (strpos($_SERVER['SERVER_SOFTWARE'], 'Microsoft-IIS') !== false || strpos($_SERVER['SERVER_SOFTWARE'], 'ExpressionDevServer') !== false) {
$serverInfo->setSoftware(self::IIS);
$serverInfo->setSoftwareName('iis');
}
else if (strpos($_SERVER['SERVER_SOFTWARE'], 'nginx') !== false) {
$serverInfo->setSoftware(self::NGINX);
$serverInfo->setSoftwareName('nginx');
}
else if (stripos($_SERVER['SERVER_SOFTWARE'], 'litespeed') !== false || $sapi == 'litespeed') {
$serverInfo->setSoftware(self::LITESPEED);
$serverInfo->setSoftwareName('litespeed');
}
else if (stripos($_SERVER['SERVER_SOFTWARE'], 'apache') !== false) {
$serverInfo->setSoftware(self::APACHE);
$serverInfo->setSoftwareName('apache');
}
$serverInfo->setHandler($sapi);
return $serverInfo;
}
/**
* @return bool
*/
public function isApache() {
return $this->getSoftware() === self::APACHE;
}
/**
* @return bool
*/
public function isNGINX() {
return $this->getSoftware() === self::NGINX;
}
/**
* @return bool
*/
public function isLiteSpeed() {
return $this->getSoftware() === self::LITESPEED;
}
/**
* @return bool
*/
public function isIIS() {
return $this->getSoftware() === self::IIS;
}
/**
* @return bool
*/
public function isApacheModPHP() {
return $this->isApache() && function_exists('apache_get_modules');
}
/**
* Not sure if this can be implemented at the PHP level.
* @return bool
*/
public function isApacheSuPHP() {
return $this->isApache() && $this->isCGI() &&
function_exists('posix_getuid') &&
getmyuid() === posix_getuid();
}
/**
* @return bool
*/
public function isCGI() {
return !$this->isFastCGI() && stripos($this->getHandler(), 'cgi') !== false;
}
/**
* @return bool
*/
public function isFastCGI() {
return stripos($this->getHandler(), 'fastcgi') !== false || stripos($this->getHandler(), 'fpm-fcgi') !== false;
}
/**
* @return mixed
*/
public function getHandler() {
return $this->handler;
}
/**
* @param mixed $handler
*/
public function setHandler($handler) {
$this->handler = $handler;
}
/**
* @return mixed
*/
public function getSoftware() {
return $this->software;
}
/**
* @param mixed $software
*/
public function setSoftware($software) {
$this->software = $software;
}
/**
* @return mixed
*/
public function getSoftwareName() {
return $this->softwareName;
}
/**
* @param mixed $softwareName
*/
public function setSoftwareName($softwareName) {
$this->softwareName = $softwareName;
}
}