aboutsummaryrefslogtreecommitdiffstatshomepage
path: root/src/sledjchisl/sledjchisl.c
blob: 95d03fc1ee30451bce967b5886badda9c7c7fa75 (plain)
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
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
3708
3709
3710
3711
3712
3713
3714
3715
3716
3717
3718
3719
3720
3721
3722
3723
3724
3725
3726
3727
3728
3729
3730
3731
3732
3733
3734
3735
3736
3737
3738
3739
3740
3741
3742
3743
3744
3745
3746
3747
3748
3749
3750
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
3782
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
3793
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
3809
3810
3811
3812
3813
3814
3815
3816
3817
3818
3819
3820
3821
3822
3823
3824
3825
3826
3827
3828
3829
3830
3831
3832
3833
3834
3835
3836
3837
3838
3839
3840
3841
3842
3843
3844
3845
3846
3847
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
3865
3866
3867
3868
3869
3870
3871
3872
3873
3874
3875
3876
3877
3878
3879
3880
3881
3882
3883
3884
3885
3886
3887
3888
3889
3890
3891
3892
3893
3894
3895
3896
3897
3898
3899
3900
3901
3902
3903
3904
3905
3906
3907
3908
3909
3910
3911
3912
3913
3914
3915
3916
3917
3918
3919
3920
3921
3922
3923
3924
3925
3926
3927
3928
3929
3930
3931
3932
3933
3934
3935
3936
3937
3938
3939
3940
3941
3942
3943
3944
3945
3946
3947
3948
3949
3950
3951
3952
3953
3954
3955
3956
3957
3958
3959
3960
3961
3962
3963
3964
3965
3966
3967
3968
3969
3970
3971
3972
3973
3974
3975
3976
3977
3978
3979
3980
3981
3982
3983
3984
3985
3986
3987
3988
3989
3990
3991
3992
3993
3994
3995
3996
3997
3998
3999
4000
4001
4002
4003
4004
4005
4006
4007
4008
4009
4010
4011
4012
4013
4014
4015
4016
4017
4018
4019
4020
4021
4022
4023
4024
4025
4026
4027
4028
4029
4030
4031
4032
4033
4034
4035
4036
4037
4038
4039
4040
4041
4042
4043
4044
4045
4046
4047
4048
4049
4050
4051
4052
4053
4054
4055
4056
4057
4058
4059
4060
4061
4062
4063
4064
4065
4066
4067
4068
4069
4070
4071
4072
4073
4074
4075
4076
4077
4078
4079
4080
4081
4082
4083
4084
4085
4086
4087
4088
4089
4090
4091
4092
4093
4094
4095
4096
4097
4098
4099
4100
4101
4102
4103
4104
4105
4106
4107
4108
4109
4110
4111
4112
4113
4114
4115
4116
4117
4118
4119
4120
4121
4122
4123
4124
4125
4126
4127
4128
4129
4130
4131
4132
4133
4134
4135
4136
4137
4138
4139
4140
4141
4142
4143
4144
4145
4146
4147
4148
4149
4150
4151
4152
4153
4154
4155
4156
4157
4158
4159
4160
4161
4162
4163
4164
4165
4166
4167
4168
4169
4170
4171
4172
4173
4174
4175
4176
4177
4178
4179
4180
4181
4182
4183
4184
4185
4186
4187
4188
4189
4190
4191
4192
4193
4194
4195
4196
4197
4198
4199
4200
4201
4202
4203
4204
4205
4206
4207
4208
4209
4210
4211
4212
4213
4214
4215
4216
4217
4218
4219
4220
4221
4222
4223
4224
4225
4226
4227
4228
4229
4230
4231
4232
4233
4234
4235
4236
4237
4238
4239
4240
4241
4242
4243
4244
4245
4246
4247
4248
4249
4250
4251
4252
4253
4254
4255
4256
4257
4258
4259
4260
4261
4262
4263
4264
4265
4266
4267
4268
4269
4270
4271
4272
4273
4274
4275
4276
4277
4278
4279
4280
4281
4282
4283
4284
4285
4286
4287
4288
4289
4290
4291
4292
4293
4294
4295
4296
4297
4298
4299
4300
4301
4302
4303
4304
4305
4306
4307
4308
4309
4310
4311
4312
4313
4314
4315
4316
4317
4318
4319
4320
4321
4322
4323
4324
4325
4326
4327
4328
4329
4330
4331
4332
4333
4334
4335
4336
4337
4338
4339
4340
4341
4342
4343
4344
4345
4346
4347
4348
4349
4350
4351
4352
4353
4354
4355
4356
4357
4358
4359
4360
4361
4362
4363
4364
4365
4366
4367
4368
4369
4370
4371
4372
4373
4374
4375
4376
4377
4378
4379
4380
4381
4382
4383
4384
4385
4386
4387
4388
4389
4390
4391
4392
4393
4394
4395
4396
4397
4398
4399
4400
4401
4402
4403
4404
4405
4406
4407
4408
4409
4410
4411
4412
4413
4414
4415
4416
4417
4418
4419
4420
4421
4422
4423
4424
4425
4426
4427
4428
4429
4430
4431
4432
4433
4434
4435
4436
4437
4438
4439
4440
4441
4442
4443
4444
4445
4446
4447
4448
4449
4450
4451
4452
4453
4454
4455
4456
4457
4458
4459
4460
4461
4462
4463
4464
4465
4466
4467
4468
4469
4470
4471
4472
4473
4474
4475
4476
4477
4478
4479
4480
4481
4482
4483
4484
4485
4486
4487
4488
4489
4490
4491
4492
4493
4494
4495
4496
4497
4498
4499
4500
4501
4502
4503
4504
4505
4506
4507
4508
4509
4510
4511
4512
4513
4514
4515
4516
4517
4518
4519
4520
4521
4522
4523
4524
4525
4526
4527
4528
4529
4530
4531
4532
4533
4534
4535
4536
4537
4538
4539
4540
4541
4542
4543
4544
4545
4546
4547
4548
4549
4550
4551
4552
4553
4554
4555
4556
4557
4558
4559
4560
4561
4562
4563
4564
4565
4566
4567
4568
4569
4570
4571
4572
4573
4574
4575
4576
4577
4578
4579
4580
4581
4582
4583
4584
4585
4586
4587
4588
4589
4590
4591
4592
4593
4594
4595
4596
4597
4598
4599
4600
4601
4602
4603
4604
4605
4606
4607
4608
4609
4610
4611
4612
4613
4614
4615
4616
4617
4618
4619
4620
4621
4622
4623
4624
4625
4626
4627
4628
4629
4630
4631
4632
4633
4634
4635
4636
4637
4638
4639
4640
4641
4642
4643
4644
4645
4646
4647
4648
4649
4650
4651
4652
4653
4654
4655
4656
4657
4658
4659
4660
4661
4662
4663
4664
4665
4666
4667
4668
4669
4670
4671
4672
4673
4674
4675
4676
4677
4678
4679
4680
4681
4682
4683
4684
4685
4686
4687
4688
4689
4690
4691
4692
4693
4694
4695
4696
4697
4698
4699
4700
4701
4702
4703
4704
4705
4706
4707
4708
4709
4710
4711
4712
4713
4714
4715
4716
4717
4718
4719
4720
4721
4722
4723
4724
4725
4726
4727
4728
4729
4730
4731
4732
4733
4734
4735
4736
4737
4738
4739
4740
4741
4742
4743
4744
4745
4746
4747
4748
4749
4750
4751
4752
4753
4754
4755
4756
4757
4758
4759
4760
4761
4762
4763
4764
4765
4766
4767
4768
4769
4770
4771
4772
4773
4774
4775
4776
4777
4778
4779
4780
4781
4782
4783
4784
4785
4786
4787
4788
4789
4790
4791
4792
4793
4794
4795
4796
4797
4798
4799
4800
4801
4802
4803
4804
4805
4806
4807
4808
4809
4810
4811
4812
4813
4814
4815
4816
4817
4818
4819
4820
4821
4822
4823
4824
4825
4826
4827
4828
4829
4830
4831
4832
4833
4834
4835
4836
4837
4838
4839
4840
4841
4842
4843
4844
4845
4846
4847
4848
4849
4850
4851
4852
4853
4854
4855
4856
4857
4858
4859
4860
4861
4862
4863
4864
4865
4866
4867
4868
4869
4870
4871
4872
4873
4874
4875
4876
4877
4878
4879
4880
4881
4882
4883
4884
4885
4886
4887
4888
4889
4890
4891
4892
4893
4894
4895
4896
4897
4898
4899
4900
4901
4902
4903
4904
4905
4906
4907
4908
4909
4910
4911
4912
4913
4914
4915
4916
4917
4918
4919
4920
4921
4922
4923
4924
4925
4926
4927
4928
4929
4930
4931
4932
4933
4934
4935
4936
4937
4938
4939
4940
4941
4942
4943
4944
4945
4946
4947
4948
4949
4950
4951
4952
4953
4954
4955
4956
4957
4958
4959
4960
4961
4962
4963
4964
4965
4966
4967
4968
4969
4970
4971
4972
4973
4974
4975
4976
4977
4978
4979
4980
4981
4982
4983
4984
4985
4986
4987
4988
4989
4990
4991
4992
4993
4994
4995
4996
4997
4998
4999
5000
5001
5002
5003
5004
5005
5006
5007
5008
5009
5010
5011
5012
5013
5014
5015
5016
5017
5018
5019
5020
5021
5022
5023
5024
5025
5026
5027
5028
5029
5030
5031
5032
5033
5034
5035
5036
5037
5038
5039
5040
5041
5042
5043
5044
5045
5046
5047
5048
5049
5050
5051
5052
5053
5054
5055
5056
5057
5058
5059
5060
5061
5062
5063
5064
5065
5066
5067
5068
5069
5070
5071
5072
5073
5074
5075
5076
5077
5078
5079
5080
5081
5082
5083
5084
5085
5086
5087
5088
5089
5090
5091
5092
5093
5094
5095
5096
5097
5098
5099
5100
5101
5102
5103
5104
5105
5106
5107
5108
5109
5110
5111
5112
5113
5114
5115
5116
5117
5118
5119
5120
5121
5122
5123
5124
5125
5126
5127
5128
5129
5130
5131
5132
5133
5134
5135
5136
5137
5138
5139
5140
5141
5142
5143
5144
5145
5146
5147
5148
5149
5150
5151
5152
5153
5154
5155
5156
5157
5158
5159
5160
5161
5162
5163
5164
5165
5166
5167
5168
5169
5170
5171
5172
5173
5174
5175
5176
5177
5178
5179
5180
5181
5182
5183
5184
5185
5186
5187
5188
5189
5190
5191
5192
5193
5194
5195
5196
5197
5198
5199
5200
5201
5202
5203
5204
5205
5206
5207
5208
5209
5210
5211
5212
5213
5214
5215
5216
5217
5218
5219
5220
5221
5222
5223
5224
5225
5226
5227
5228
5229
5230
5231
5232
5233
5234
5235
5236
5237
5238
5239
5240
5241
5242
5243
5244
5245
5246
5247
5248
5249
5250
5251
5252
5253
5254
5255
5256
5257
5258
5259
5260
5261
5262
5263
5264
5265
5266
5267
5268
5269
5270
5271
5272
5273
5274
5275
5276
5277
5278
5279
5280
5281
5282
5283
5284
5285
5286
5287
5288
5289
5290
5291
5292
5293
5294
5295
5296
5297
5298
5299
5300
5301
5302
5303
5304
5305
5306
5307
5308
5309
5310
5311
5312
5313
5314
5315
5316
5317
5318
5319
5320
5321
5322
5323
5324
5325
5326
5327
5328
5329
5330
5331
5332
5333
5334
5335
5336
5337
5338
5339
5340
5341
5342
5343
5344
5345
5346
5347
5348
5349
5350
5351
5352
5353
5354
5355
5356
5357
5358
5359
5360
5361
5362
5363
5364
5365
5366
5367
5368
5369
5370
5371
5372
5373
5374
5375
5376
5377
5378
5379
5380
5381
5382
5383
5384
5385
5386
5387
5388
5389
5390
5391
5392
5393
5394
5395
5396
5397
5398
5399
5400
5401
5402
5403
5404
5405
5406
5407
5408
5409
5410
5411
5412
5413
5414
5415
5416
5417
5418
5419
5420
5421
5422
5423
5424
5425
5426
5427
5428
5429
5430
5431
5432
5433
5434
5435
5436
5437
5438
5439
5440
5441
5442
5443
5444
5445
5446
5447
5448
5449
5450
5451
5452
5453
5454
5455
5456
5457
5458
5459
5460
5461
5462
5463
5464
5465
5466
5467
5468
5469
5470
5471
5472
5473
5474
5475
5476
5477
5478
5479
5480
5481
5482
5483
5484
5485
5486
5487
5488
5489
5490
5491
5492
5493
5494
5495
5496
5497
5498
5499
5500
5501
5502
5503
5504
5505
5506
5507
5508
5509
5510
5511
5512
5513
5514
5515
5516
5517
5518
5519
5520
5521
5522
5523
5524
5525
5526
5527
5528
5529
5530
5531
5532
5533
5534
5535
5536
5537
5538
5539
5540
5541
5542
5543
5544
5545
5546
5547
5548
5549
5550
5551
5552
5553
5554
5555
5556
5557
5558
5559
5560
5561
5562
5563
5564
5565
5566
5567
5568
5569
5570
5571
5572
5573
5574
5575
5576
5577
5578
5579
5580
5581
5582
5583
5584
5585
5586
5587
5588
5589
5590
5591
5592
5593
5594
5595
5596
5597
5598
5599
5600
5601
5602
5603
5604
5605
5606
5607
5608
5609
5610
5611
5612
5613
5614
5615
5616
5617
5618
5619
5620
5621
5622
5623
5624
5625
5626
5627
5628
5629
5630
5631
5632
5633
5634
5635
5636
5637
5638
5639
5640
5641
5642
5643
5644
5645
5646
5647
5648
5649
5650
5651
5652
5653
5654
5655
5656
5657
5658
5659
5660
5661
5662
5663
5664
5665
5666
5667
5668
5669
5670
5671
5672
5673
5674
5675
5676
5677
5678
5679
5680
5681
5682
5683
5684
5685
5686
5687
5688
5689
5690
5691
5692
5693
5694
5695
5696
5697
5698
5699
5700
5701
5702
5703
5704
5705
5706
5707
5708
5709
5710
5711
5712
5713
5714
5715
5716
5717
5718
5719
5720
5721
5722
5723
5724
5725
5726
5727
5728
5729
5730
5731
5732
5733
5734
5735
5736
5737
5738
5739
5740
5741
5742
5743
5744
5745
5746
5747
5748
5749
5750
5751
5752
5753
5754
5755
5756
5757
5758
5759
5760
5761
5762
5763
5764
5765
5766
5767
5768
5769
5770
5771
5772
5773
5774
5775
5776
5777
5778
5779
5780
5781
5782
5783
5784
5785
5786
5787
5788
5789
5790
5791
5792
5793
5794
5795
5796
5797
5798
5799
5800
5801
5802
5803
5804
5805
5806
5807
5808
5809
5810
5811
5812
5813
5814
5815
5816
5817
5818
5819
5820
5821
5822
5823
5824
5825
5826
5827
5828
5829
5830
5831
5832
5833
5834
5835
5836
5837
5838
5839
5840
5841
5842
5843
5844
5845
5846
5847
5848
5849
5850
5851
5852
5853
5854
5855
5856
5857
5858
5859
5860
5861
5862
5863
5864
5865
5866
5867
5868
5869
5870
5871
5872
5873
5874
5875
5876
5877
5878
5879
5880
5881
5882
5883
5884
5885
5886
5887
5888
5889
5890
5891
5892
5893
5894
5895
5896
5897
5898
5899
5900
5901
5902
5903
5904
5905
5906
5907
5908
5909
5910
5911
5912
5913
5914
5915
5916
5917
5918
5919
5920
5921
5922
5923
5924
5925
5926
5927
5928
5929
5930
5931
5932
5933
5934
5935
5936
5937
5938
5939
5940
5941
5942
5943
5944
5945
5946
5947
5948
5949
5950
5951
5952
5953
5954
5955
5956
5957
5958
5959
5960
5961
5962
5963
5964
5965
5966
5967
5968
5969
5970
5971
5972
5973
5974
5975
5976
5977
5978
5979
5980
5981
5982
5983
5984
5985
5986
5987
5988
5989
5990
5991
5992
5993
5994
5995
5996
5997
5998
5999
6000
6001
6002
6003
6004
6005
6006
6007
6008
6009
6010
6011
6012
6013
6014
6015
6016
6017
6018
6019
6020
6021
6022
6023
6024
6025
6026
6027
6028
6029
6030
6031
6032
6033
6034
6035
6036
6037
6038
6039
6040
6041
6042
6043
6044
6045
6046
6047
6048
6049
6050
6051
6052
6053
6054
6055
6056
6057
6058
6059
6060
6061
6062
6063
6064
6065
6066
6067
6068
6069
6070
6071
6072
6073
6074
6075
6076
6077
6078
6079
6080
6081
6082
6083
6084
6085
6086
6087
6088
6089
6090
6091
6092
6093
6094
6095
6096
6097
6098
6099
6100
6101
6102
6103
6104
6105
6106
6107
6108
6109
6110
6111
6112
6113
6114
6115
6116
6117
6118
6119
6120
6121
6122
6123
6124
6125
6126
6127
6128
6129
6130
6131
6132
6133
6134
6135
6136
6137
6138
6139
6140
6141
6142
6143
6144
6145
6146
6147
6148
6149
6150
6151
6152
6153
6154
6155
6156
6157
6158
6159
6160
6161
6162
6163
6164
6165
6166
6167
6168
6169
6170
6171
6172
6173
6174
6175
6176
6177
6178
6179
6180
6181
6182
6183
6184
6185
6186
6187
6188
6189
6190
6191
6192
6193
6194
6195
6196
6197
6198
6199
6200
6201
6202
6203
6204
6205
6206
6207
6208
6209
6210
6211
6212
6213
6214
6215
6216
6217
6218
6219
6220
6221
6222
6223
6224
6225
6226
6227
6228
6229
6230
6231
6232
6233
6234
6235
6236
6237
6238
6239
6240
6241
6242
6243
6244
6245
6246
6247
6248
6249
6250
6251
6252
6253
6254
6255
6256
6257
6258
6259
6260
6261
6262
6263
6264
6265
6266
6267
6268
6269
6270
6271
6272
6273
6274
6275
6276
6277
6278
6279
6280
6281
6282
6283
6284
6285
6286
6287
6288
6289
6290
6291
6292
6293
6294
6295
6296
6297
6298
6299
6300
6301
6302
6303
6304
6305
6306
6307
6308
6309
6310
6311
6312
6313
6314
6315
6316
6317
6318
6319
6320
6321
6322
6323
6324
6325
6326
6327
6328
6329
6330
6331
6332
6333
6334
6335
6336
6337
6338
6339
6340
6341
6342
6343
6344
6345
6346
6347
6348
6349
6350
6351
6352
6353
6354
6355
6356
6357
6358
6359
6360
6361
6362
6363
6364
6365
6366
6367
6368
6369
6370
6371
6372
6373
6374
6375
6376
6377
6378
6379
6380
6381
6382
6383
6384
6385
6386
6387
6388
6389
6390
6391
6392
6393
6394
6395
6396
6397
6398
6399
6400
6401
6402
6403
6404
6405
6406
6407
6408
6409
6410
6411
6412
6413
6414
6415
6416
6417
6418
6419
6420
6421
6422
6423
6424
6425
6426
6427
6428
6429
6430
6431
6432
6433
6434
6435
6436
6437
6438
6439
6440
6441
6442
6443
6444
6445
6446
6447
6448
6449
6450
6451
6452
6453
6454
6455
6456
6457
6458
6459
6460
6461
6462
6463
6464
6465
6466
6467
6468
6469
6470
6471
6472
6473
6474
6475
6476
6477
6478
6479
6480
6481
6482
6483
6484
6485
6486
6487
6488
6489
6490
6491
6492
6493
6494
6495
6496
6497
6498
6499
6500
6501
6502
6503
6504
6505
6506
6507
6508
6509
6510
6511
6512
6513
6514
6515
6516
6517
6518
6519
6520
6521
6522
6523
6524
6525
6526
6527
6528
6529
6530
6531
6532
6533
6534
6535
6536
6537
6538
6539
6540
6541
6542
6543
6544
6545
6546
6547
6548
6549
6550
6551
6552
6553
6554
6555
6556
6557
6558
6559
6560
6561
6562
6563
6564
6565
6566
6567
6568
6569
6570
6571
6572
6573
6574
6575
6576
6577
6578
6579
6580
6581
6582
6583
6584
6585
6586
6587
6588
6589
6590
6591
6592
6593
6594
6595
6596
6597
6598
6599
/* sledjchisl.c - opensim-SC management system.
 *
 * Copyright 2020 David Seikel <sledjchisl@sledjhamr.org>
 * Not in SUSv4.  An entirely new invention, thus no web site either.

USE_SLEDJCHISL(NEWTOY(sledjchisl, "m(mode):", TOYFLAG_USR|TOYFLAG_BIN))

config SLEDJCHISL
  bool "sledjchisl"
  default y
  help
    usage: sledjchisl [-m|--mode mode]

    opensim-SC management system.
*/


// TODO - figure out how to automate testing of this.
//	    Being all interactive and involving external web servers / viewers makes it hard.

// TODO - do all the setup on first run, and check if needed on each start up, to be self healing.

// TODO - pepper could be entered on the console on startup if it's not defined, as a master password sort of thing.
//	    I'd go as far as protecting the database credentials that way, but legacy OpenSim needs it unprotected.
//	    Also keep in mind, people want autostart of their services without having to enter passwords on each boot.

// TODO - once it is event driven, periodically run things like session clean ups, self healing, and the secure.sh thing.
//	    And backups off course.
//	    As well as regular database pings to keep the connection open.

#include <fcgi_config.h>
#ifdef _WIN32
#include <process.h>
#else
extern char **environ;
#endif
// Don't overide standard stdio stuff.
#define NO_FCGI_DEFINES
#include <fcgi_stdio.h>
#undef NO_FCGI_DEFINES
//#include "fcgiapp.h"

#include <lua.h>
#include <lualib.h>
#include <lauxlib.h>
#include <luajit.h>

#include "lib/fcgi_SC.h"
#include "lib/handlekeys.h"

// Both my_config.h and fcgi_config.h define the same PACKAGE* variables, which we don't use anyway, 
// I deal with that by using a sed invokation when building fcgi2.

// https://mariadb.com/kb/en/about-mariadb-connector-c/				Official docs.
// http://dev.mysql.com/doc/refman/5.5/en/c-api-function-overview.html		MySQL docs.
// http://zetcode.com/db/mysqlc/						MySQL tutorial.
#include <my_global.h>
#include <mysql.h>

// TODO - audit all the alloc()s and free()s involved in qLibc stuff.
#include <qlibc.h>
#include <extensions/qconfig.h>

// TODO - I should probably replace openSSL with something else.  Only using it for the hash functions, and apparently it's got a bit of a bad rep.
//	    qLibc optionally uses openSSL for it's HTTP client stuff.
#include <openssl/crypto.h>
#include <openssl/evp.h>
#include "openssl/hmac.h"
#include <uuid/uuid.h>

// Toybox's strend overrides another strend that causes MariaDB library to crash.  Renaming it to tb_strend helps.
// I deal with that by using a sed invokation when building toybox.
#include "toys.h"


GLOBALS(
  char *mode;
)

#define TT this.sledjchisl

#define FLAG_m  2



// Duplicate some small amount of code from qLibc, coz /, + and, = are not good choices, and the standard says we can pick those.
/**
 * Encode data using BASE64 algorithm.
 *
 * @param bin   a pointer of input data.
 * @param size  the length of input data.
 *
 * @return a malloced string pointer of BASE64 encoded string in case of
 *         successful, otherwise returns NULL
 *
 * @code
 *   const char *text = "hello world";
 *
 *   char *encstr = qB64_encode(text, strlen(text));
 *   if(encstr == NULL) return -1;
 *
 *   printf("Original: %s\n", text);
 *   printf("Encoded : %s\n", encstr);
 *
 *   size_t decsize = qB64_decode(encstr);
 *
 *   printf("Decoded : %s (%zu bytes)\n", encstr, decsize);
 *   free(encstr);
 *
 *   --[output]--
 *   Original: hello world
 *   Encoded:  aGVsbG8gd29ybGQ=
 *   Decoded:  hello world (11 bytes)
 * @endcode
 */
char *qB64_encode(const void *bin, size_t size) {
    const char B64CHARTBL[64] = {
        'A','B','C','D','E','F','G','H','I','J','K','L','M','N','O','P', // 00-0F
        'Q','R','S','T','U','V','W','X','Y','Z','a','b','c','d','e','f', // 10-1F
        'g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v', // 20-2F
        'w','x','y','z','0','1','2','3','4','5','6','7','8','9','+','/'  // 30-3F
    };

    if (size == 0) {
        return strdup("");
    }

    // malloc for encoded string
    char *pszB64 = (char *) malloc(
            4 * ((size / 3) + ((size % 3 == 0) ? 0 : 1)) + 1);
    if (pszB64 == NULL) {
        return NULL;
    }

    char *pszB64Pt = pszB64;
    unsigned char *pBinPt, *pBinEnd = (unsigned char *) (bin + size - 1);
    unsigned char szIn[3] = { 0, 0, 0 };
    int nOffset;
    for (pBinPt = (unsigned char *) bin, nOffset = 0; pBinPt <= pBinEnd;
            pBinPt++, nOffset++) {
        int nIdxOfThree = nOffset % 3;
        szIn[nIdxOfThree] = *pBinPt;
        if (nIdxOfThree < 2 && pBinPt < pBinEnd)
            continue;

        *pszB64Pt++ = B64CHARTBL[((szIn[0] & 0xFC) >> 2)];
        *pszB64Pt++ = B64CHARTBL[(((szIn[0] & 0x03) << 4)
                | ((szIn[1] & 0xF0) >> 4))];
        *pszB64Pt++ =
                (nIdxOfThree >= 1) ?
                        B64CHARTBL[(((szIn[1] & 0x0F) << 2)
                                | ((szIn[2] & 0xC0) >> 6))] :
                        '=';
        *pszB64Pt++ = (nIdxOfThree >= 2) ? B64CHARTBL[(szIn[2] & 0x3F)] : '=';

        memset((void *) szIn, 0, sizeof(szIn));
    }
    *pszB64Pt = '\0';

    pszB64 = qstrreplace("tr", pszB64, "+", "~");
    pszB64 = qstrreplace("tr", pszB64, "/", "_");
    pszB64 = qstrreplace("tr", pszB64, "=", "^");

    return pszB64;
}

/**
 * Decode BASE64 encoded string.
 *
 * @param str   a pointer of Base64 encoded string.
 *
 * @return the length of bytes stored in the str memory in case of successful,
 *         otherwise returns NULL
 *
 * @note
 *  This modify str directly. And the 'str' is always terminated by NULL
 *  character.
 */
size_t qB64_decode(char *str) {
    const char B64MAPTBL[16 * 16] = {
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // 00-0F
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // 10-1F
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 62, 64, 64, 64, 63,  // 20-2F
        52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 64, 64, 64, 64, 64, 64,  // 30-3F
        64,  0,  1,  2,  3,  4,  5,  6,  7,  8,  9, 10, 11, 12, 13, 14,  // 40-4F
        15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 64, 64, 64, 64, 64,  // 50-5F
        64, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40,  // 60-6F
        41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 64, 64, 64, 64, 64,  // 70-7F
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // 80-8F
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // 90-9F
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // A0-AF
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // B0-BF
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // C0-CF
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // D0-DF
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64,  // E0-EF
        64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64, 64   // F0-FF
    };

    str = qstrreplace("tr", str, "~", "+");
    str = qstrreplace("tr", str, "_", "/");
    str = qstrreplace("tr", str, "^", "=");

    char *pEncPt, *pBinPt = str;
    int nIdxOfFour = 0;
    char cLastByte = 0;
    for (pEncPt = str; *pEncPt != '\0'; pEncPt++) {
        char cByte = B64MAPTBL[(unsigned char) (*pEncPt)];
        if (cByte == 64)
            continue;

        if (nIdxOfFour == 0) {
            nIdxOfFour++;
        } else if (nIdxOfFour == 1) {
            // 00876543 0021????
            //*pBinPt++ = ( ((cLastByte << 2) & 0xFC) | ((cByte >> 4) & 0x03) );
            *pBinPt++ = ((cLastByte << 2) | (cByte >> 4));
            nIdxOfFour++;
        } else if (nIdxOfFour == 2) {
            // 00??8765 004321??
            //*pBinPt++ = ( ((cLastByte << 4) & 0xF0) | ((cByte >> 2) & 0x0F) );
            *pBinPt++ = ((cLastByte << 4) | (cByte >> 2));
            nIdxOfFour++;
        } else {
            // 00????87 00654321
            //*pBinPt++ = ( ((cLastByte << 6) & 0xC0) | (cByte & 0x3F) );
            *pBinPt++ = ((cLastByte << 6) | cByte);
            nIdxOfFour = 0;
        }

        cLastByte = cByte;
    }
    *pBinPt = '\0';

    return (pBinPt - str);
}


// Duplicate some small amount of code from toys/pending/sh.c
// TODO - to be really useful I need to return the output.
int runToy(char *argv[])
{
    int ret = 0;
    struct toy_list *tl;
    struct toy_context temp;
    sigjmp_buf rebound;

    if ((tl = toy_find(argv[0])) )//&& (tl->flags & (TOYFLAG_NOFORK|TOYFLAG_MAYFORK)))
    {
	// This fakes lots of what toybox_main() does.
	memcpy(&temp, &toys, sizeof(struct toy_context));
	memset(&toys, 0, sizeof(struct toy_context));

	if (!sigsetjmp(rebound, 1))
	{
	    toys.rebound = &rebound;
	    toy_init(tl, argv);  // argv must be null terminated
	    tl->toy_main();
	    xflush(0);
	}
	ret = toys.exitval;
	if (toys.optargs != toys.argv+1) free(toys.optargs);
	if (toys.old_umask) umask(toys.old_umask);
	memcpy(&toys, &temp, sizeof(struct toy_context));
    }

    return ret;
}


#undef FALSE
#undef TRUE
#ifndef FALSE
// NEVER change this, true and false work to.
typedef enum
{
    FALSE	= 0,
    TRUE	= 1
} boolean;
#endif



// Silly "man getrandom" is bullshitting.
// Note - this is Linux specific, it's calling a Linux kernel function.
// Remove this when we have a real getrandom(), and replace it with -
// #include <sys/random.h>
#include <sys/syscall.h>
#include <linux/random.h>
int getrandom(void *b, size_t l, unsigned int f)
{
  return (int) syscall(SYS_getrandom, b, l, f);
}



typedef struct _gridStats gridStats;
struct _gridStats
{
  float next;
  struct timeval last;
  qhashtbl_t *stats;
};


typedef struct _HTMLfile HTMLfile;
struct _HTMLfile
{
  struct timespec last;
  qlist_t *fragments;
};
qhashtbl_t *HTMLfileCache = NULL;


typedef struct _reqData reqData;

/*
typedef int   (*fieldValidFunc)		(reqData *Rd, qhashtbl_t *data, char *name);
typedef struct _validFunc validFunc;
struct _validFunc
{
  char *name, *title;
  fieldValidFunc func;
};

qlisttbl_t *fieldValidFuncs = NULL;
static void newValidFunc(char *name, char *title, fieldValidFunc func)
{
  validFunc *vf = xmalloc(sizeof(validFunc));
  vf->name = name;	vf->title = title;	vf->func = func;
  fieldValidFuncs->put(fieldValidFuncs, vf->name, vf, sizeof(validFunc));
  free(vf);
}
*/

typedef void *(*pageFunction)		(char *file, reqData *Rd, HTMLfile *thisFile);
typedef struct _dynPage dynPage;
struct _dynPage
{
  char *name;
  pageFunction func;
};
qhashtbl_t *dynPages;
static void newDynPage(char *name, pageFunction func)
{
  dynPage *dp = xmalloc(sizeof(dynPage));
  dp->name = name;	dp->func = func;
  dynPages->put(dynPages, dp->name, dp, sizeof(dynPage));
  free(dp);
}

/*
typedef void *(*pageBuildFunction)	(reqData *Rd, char *message);
typedef struct _buildPage buildPage;
struct _buildPage
{
  char *name;
  pageBuildFunction func, eFunc;
};
qhashtbl_t *buildPages;
static void newBuildPage(char *name, pageBuildFunction func, pageBuildFunction eFunc)
{
  buildPage *bp = xmalloc(sizeof(buildPage));
  bp->name = name;	bp->func = func;	bp->eFunc = eFunc;
  buildPages->put(buildPages, bp->name, bp, sizeof(buildPage));
  free(bp);
}
*/

#define HMACSIZE	EVP_MAX_MD_SIZE * 2
#define HMACSIZE64	88
typedef struct _sesh sesh;
// Details about the logged in web user.
struct _sesh
{
  char	salt[256 + 1], seshID[256 + 1], 
	sesh[256 + 16 + 10 + 1], munchie[HMACSIZE + 16 + 10 + 1], toke_n_munchie[HMACSIZE + 1], hashish[HMACSIZE + 1], 
	leaf[HMACSIZE64 + 6 + 1], *UUID, *name;
  struct timespec timeStamp[2];
  short level;
  boolean isLinky;
};

// Details about the current web request.
struct _reqData
{
  lua_State *L;
  qhashtbl_t *configs, *queries, *body, *cookies, *headers, *valid, *stuff, *database, *Rcookies, *Rheaders;
  char *Scheme, *Host, *Method, *Script, *RUri, *doit, *form, *output, *outQuery;
  sesh shs, *lnk;
  MYSQL *db;
  gridStats *stats;
  qlist_t *errors, *messages;
  qgrow_t *reply;
//  pageBuildFunction func;
  struct timespec then;
//  boolean chillOut, vegOut;
};

static void showSesh(qgrow_t *reply, sesh *shs)
{
  if (shs->isLinky)
    reply->addstrf(reply, "Linky:<br>\n<pre>\n");
  else
    reply->addstrf(reply, "Session:<br>\n<pre>\n");

  if (NULL != shs->name)
    reply->addstrf(reply, " &nbsp; name = %s\n", shs->name);
  if (NULL != shs->UUID)
    reply->addstrf(reply, " &nbsp; UUID = %s\n", shs->UUID);
  reply->addstrf(reply,   " &nbsp; salt = %s\n", shs->salt);
  reply->addstrf(reply,   " &nbsp; seshID = %s\n", shs->seshID);
  reply->addstrf(reply,   " &nbsp; timeStamp = %ld.%ld\n", shs->timeStamp[1].tv_sec, shs->timeStamp[1].tv_nsec);
  reply->addstrf(reply,   " &nbsp; sesh = %s\n", shs->sesh);
  reply->addstrf(reply,   " &nbsp; munchie = %s\n", shs->munchie);
  reply->addstrf(reply,   " &nbsp; toke_n_munchie = %s\n", shs->toke_n_munchie);
  reply->addstrf(reply,   " &nbsp; hashish = %s\n", shs->hashish);
  reply->addstrf(reply,   " &nbsp; leaf = %s\n", shs->leaf);
  reply->addstrf(reply,   " &nbsp; level = %d\n", (int) shs->level);
  reply->addstr(reply, "</pre>\n");
}


char toybuf[4096];
lua_State *L;
qhashtbl_t *configs;
MYSQL *database, *dbconn;
gridStats *stats;
boolean  isTmux = 0;
boolean  isWeb = 0;
char *pwd = "";
char *scRoot = "/opt/opensim_SC";
char *scUser = "opensimsc";
char *scBin = "";
char *scEtc = "";
char *scLib = "";
char *scRun = "";
char *scBackup = "";
char *scCache = "";
char *scData = "";
char *scLog = "";
char *Tconsole = "SledjChisl";
char *Tsocket = "opensim-tmux.socket";
char *Ttab = "SC";
char *Tcmd = "tmux -S";
char *webRoot = "/var/www/html";
char *URL = "fcgi-bin/sledjchisl.fcgi";
char *ToS = "Be good.";
int  seshTimeOut  = 30 * 60;
int  idleTimeOut  = 24 * 60 * 60;
int newbieTimeOut = 30;
float loadAverageInc = 0.5;
int  simTimeOut = 45;
boolean DEBUG = TRUE;
qhashtbl_t *mimeTypes;
qlist_t *dbRequests;


// TODO - log to file.  The problem is we don't know where to log until after we have loaded the configs, and before that we are spewing log messages.
//	    Now that we are using spawn-fcgi, all the logs are going to STDERR, which we can capture and write to a file.
//		Unfortunately spawn-fcgi in deamon mode sends all the output to /dev/null or something.
//	    A better idea, when we spawn tmux or spawn-fcgi, capture STDERR, full log everything to that, filtered log to the tmux console (STDOUT).
//	    Then we can use STDOUT / STDIN to run the console stuff.

// https://stackoverflow.com/questions/4842424/list-of-ansi-color-escape-sequences
char *logTypes[] =
{
  "91;1;4",	"CRITICAL",	// red underlined
  "31",		"ERROR",	// dark red
  "93",		"WARNING",	// yellow
  "36",		"TIMEOUT",	// cyan
  "97;40",	"INFO",		// white
  "90",		"DEBUG",	// grey
// VERBOSE?  UNKNOWN?  FATAL?  SILENT?  All from Android aparently.
  "35",		"debug",	// magenta
  "34",		"timeout",	// blue
};

#define DATE_TIME_LEN 42
void logMe(int v, char *format, ...)
{
  va_list va, va2;
  int len;
  char *ret;
  struct timeval tv;
  time_t curtime;
  char date[DATE_TIME_LEN];

  va_start(va, format);
  va_copy(va2, va);
  // How long is it?
  len = vsnprintf(0, 0, format, va);
  len++;
  va_end(va);
  // Allocate and do the sprintf()
  ret = xmalloc(len);
  vsnprintf(ret, len, format, va2);
  va_end(va2);

  gettimeofday(&tv, NULL);
  curtime = tv.tv_sec;
  strftime(date, DATE_TIME_LEN, "(%Z %z) %F %T", localtime(&curtime));

  v *= 2;
  fprintf(stderr, "%s.%.6ld  \e[%sm%-8s sledjchisl: %s\e[0m\n", date, tv.tv_usec, logTypes[v], logTypes[v + 1], ret);
  free(ret);
}
#define C(...) logMe(0, __VA_ARGS__)
#define E(...) logMe(1, __VA_ARGS__)
#define W(...) logMe(2, __VA_ARGS__)
#define T(...) logMe(3, __VA_ARGS__)
#define I(...) logMe(4, __VA_ARGS__)
#define D(...) logMe(5, __VA_ARGS__)
#define d(...) logMe(6, __VA_ARGS__)
#define t(...) logMe(7, __VA_ARGS__)


static void addStrL(qlist_t *list, char *s)
{
    list->addlast(list, s, strlen(s) + 1);
}

static char *getStrH(qhashtbl_t *hash, char *key)
{
  char *ret = "", *t;

  t = hash->getstr(hash, key, false);
  if (NULL != t)
    ret = t;
  return ret;
}


char *myHMAC(char *in, boolean b64)
{
  EVP_MD_CTX *mdctx = EVP_MD_CTX_create();	// Gets renamed to EVP_MD_CTX_new() in later versions.
  unsigned char md_value[EVP_MAX_MD_SIZE];
  unsigned int md_len;

  EVP_DigestInit_ex(mdctx, EVP_sha512(), NULL);	// EVP_sha3_512() isn't available until later versions.
  EVP_DigestUpdate(mdctx, in, strlen(in));
  EVP_DigestFinal_ex(mdctx, md_value, &md_len);
  EVP_MD_CTX_destroy(mdctx);			// Gets renamed to EVP_MD_CTX_free() in later versions.

  if (b64)
    return qB64_encode(md_value, md_len);
  else
    return qhex_encode(md_value, md_len);
}

char *myHMACkey(char *key, char *in, boolean b64)
{
  unsigned char md_value[EVP_MAX_MD_SIZE];
  unsigned int md_len;
  unsigned char* digest = HMAC(EVP_sha512(), key, strlen(key), (unsigned char *) in, strlen(in), md_value, &md_len);

  if (b64)
    return qB64_encode(md_value, md_len);
  else
    return qhex_encode(md_value, md_len);
}


// In Lua 5.0 reference manual is a table traversal example at page 29.
void PrintTable(lua_State *L)
{
  lua_pushnil(L);

  while (lua_next(L, -2) != 0)
  {
    // Numbers can convert to strings, so check for numbers before checking for strings.
         if (lua_isnumber(L, -1))
      printf("%s = %f\n", lua_tostring(L, -2), lua_tonumber(L, -1));
    else if (lua_isstring(L, -1))
      printf("%s = '%s'\n", lua_tostring(L, -2), lua_tostring(L, -1));
    else if (lua_istable(L, -1))
      PrintTable(L);
    lua_pop(L, 1);
  }
}


int sendTmuxKeys(char *dest, char *keys)
{
  int ret = 0, i;
  char *c = xmprintf("%s %s/%s send-keys -t %s:%s '%s'", Tcmd, scRun, Tsocket, Tconsole, dest, keys);

  i = system(c);
  if (!WIFEXITED(i))
    E("tmux send-keys command failed!");
  free(c);
  return ret;
}

int sendTmuxCmd(char *dest, char *cmd)
{
  int ret = 0, i;
  char *c = xmprintf("%s %s/%s send-keys -t %s:'%s' '%s' Enter", Tcmd, scRun, Tsocket, Tconsole, dest, cmd);

  i = system(c);
  if (!WIFEXITED(i))
    E("tmux send-keys command failed!");
  free(c);
  return ret;
}

void waitTmuxText(char *dest, char *text)
{
  int i;
  char *c = xmprintf("sleep 5; %s %s/%s capture-pane -t %s:'%s' -p | grep -E '%s' 2>&1 > /dev/null", Tcmd, scRun, Tsocket, Tconsole, dest, text);

  D("Waiting for '%s'.", text);
  do
  {
    i = system(c);
    if (!WIFEXITED(i))
    {
      E("tmux capture-pane command failed!");
      break;
    }
    else if (0 == WEXITSTATUS(i))
      break;
  } while (1);

  free(c);
}

float waitLoadAverage(float la, float extra, int timeout)
{
  struct sysinfo info;
  struct timespec timeOut;
  float  l;
  int to = timeout;

  T("Sleeping until load average is below %.02f (%.02f + %.02f) or for %d seconds.", la + extra, la, extra, timeout);
  clock_gettime(CLOCK_MONOTONIC, &timeOut);
  to += timeOut.tv_sec;

  do
  {
    msleep(5000);
    sysinfo(&info);
    l = info.loads[0]/65536.0;
    clock_gettime(CLOCK_MONOTONIC, &timeOut);
    timeout -= 5;
    t("Tick,          load average is       %.02f,           countdown %d seconds.", l, timeout);
  } while (((la + extra) < l) && (timeOut.tv_sec < to));

  return l;
}


// Rob forget to do this, but at least he didn't declare it static.
struct dirtree *dirtree_handle_callback(struct dirtree *new, int (*callback)(struct dirtree *node));

typedef struct _simList simList;
struct _simList
{
  int len, num;
  char **sims;
};

static int filterSims(struct dirtree *node)
{
    if (!node->parent) return DIRTREE_RECURSE | DIRTREE_SHUTUP;
    if ((strncmp(node->name, "sim", 3) == 0) && ((strcmp(node->name, "sim_skeleton") != 0)))
    {
      simList *list = (simList *) node->parent->extra;

      if ((list->num + 1) > list->len)
      {
        list->len = list->len + 1;
        list->sims = xrealloc(list->sims, list->len * sizeof(char *));
      }
      list->sims[list->num] = xstrdup(node->name);
      list->num++;
    }
    return 0;
}

simList *getSims()
{
  simList *sims = xmalloc(sizeof(simList));
  memset(sims, 0, sizeof(simList));
  char *path = xmprintf("%s/config", scRoot);
  struct dirtree *new = dirtree_add_node(0, path, 0);
  new->extra = (long) sims;
  dirtree_handle_callback(new, filterSims);
  qsort(sims->sims, sims->num, sizeof(char *), qstrcmp);
  free(path);
  return sims;
}


static int filterInis(struct dirtree *node)
{
    if (!node->parent) return DIRTREE_RECURSE | DIRTREE_SHUTUP;
    int l = strlen(node->name);
    if (strncmp(&(node->name[l - 4]), ".ini", 4) == 0)
    {
      strcpy((char *) node->parent->extra, xstrdup(node->name));
      return DIRTREE_ABORT;
    }
    return 0;
}

char *getSimName(char *sim)
{
  char *ret = NULL;
  char *c = xmprintf("%s/config/%s", scRoot, sim);
  struct dirtree *new = dirtree_add_node(0, c, 0);

  free(c);
  c = xzalloc(1024);
  new->extra = (long) c;
  dirtree_handle_callback(new, filterInis);
  if ('\0' != c[0])
  {
    char *temp = NULL;
    regex_t pat;
    regmatch_t m[2];
    long len;
    int fd;

    temp = xmprintf("%s/config/%s/%s", scRoot, sim, c);
    fd = xopenro(temp);
    free(temp);
    xregcomp(&pat, "RegionName = \"(.+)\"", REG_EXTENDED);
    do
    {
      // TODO - get_line() is slow, and wont help much with DOS and Mac line endings.
      //	gio_gets() isn't any faster really, but deals with DOS line endings at least.
      temp = get_line(fd);
      if (temp)
      {
        if (!regexec(&pat, temp, 2, m, 0))
        {
	  // Return first parenthesized subexpression as string.
	  if (pat.re_nsub > 0)
	  {
	    ret = xmprintf("%.*s", (int) (m[1].rm_eo - m[1].rm_so), temp + m[1].rm_so);
	    break;
	  }
        }
      }
    } while (temp);
    xclose(fd);
  }
  free(c);
  return ret;
}


// Expects either "simXX" or "ROBUST".
int checkSimIsRunning(char *sim)
{
  int ret = 0;
  struct stat st;

  // Check if it's running.
  char *path = xmprintf("%s/caches/%s.pid", scRoot, sim);
  if (0 == stat(path, &st))
  {
    int fd, i;
    char *pid = NULL;

    // Double check if it's REALLY running.
    if ((fd = xopenro(path)) == -1)
      perror_msg("xopenro(%s)", path);
    else
    {
      pid = get_line(fd);
      if (NULL == pid)
	perror_msg("get_line(%s)", path);
      else
      {
        xclose(fd);

// I'd rather re-use the toysh command running stuff, since ps is a toy, but that's private.
// TODO - switch to toybox ps and rm.
	free(path);
	path = xmprintf("ps -p %s --no-headers -o comm", pid);
	i = system(path);
	if (WIFEXITED(i))
	{
	  if (0 != WEXITSTATUS(i))	// No such pid.
	  {
	    free(path);
	    path = xmprintf("rm -f %s/caches/%s.pid", scRoot, sim);
	    d("%s", path);
	    i = system(path);
	  }
	  else
	    d("checkSimIsRunning(%s) has PID %s, which is actually running.", sim, pid);
        }
      }
    }
  }

  // Now check if it's really really running.  lol
  free(path);
  path = xmprintf("%s/caches/%s.pid", scRoot, sim);
  if (0 == stat(path, &st))
  {
    D("checkSimIsRunning(%s) -> %s is really really running.", sim, path);
    ret = 1;
  }
  else
    D("checkSimIsRunning(%s) -> %s is not running.", sim, path);

  free(path);
  return ret;
}


static void PrintEnv(qgrow_t *reply, char *label, char **envp)
{
  reply->addstrf(reply, "%s:<br>\n<pre>\n", label);
  for ( ; *envp != NULL; envp++)
    reply->addstrf(reply, "%s\n", *envp);
  reply->addstr(reply, "</pre>\n");
}

static void printEnv(char **envp)
{
  for ( ; *envp != NULL; envp++)
    D("%s", *envp);
}


typedef struct _rowData rowData;
struct _rowData
{
  char **fieldNames;
  qlist_t *rows;
};

static void dumpHash(qhashtbl_t *tbl)
{
  qhashtbl_obj_t obj;

  memset((void*)&obj, 0, sizeof(obj));
  tbl->lock(tbl);
  while(tbl->getnext(tbl, &obj, true) == true)
    d("%s = %s", obj.name, (char *) obj.data);
  tbl->unlock(tbl);
}

static void dumpArray(int d, char **ar)
{
  int i = 0;

  while (ar[i] != NULL)
  {
    d("%d %d %s", d, i, ar[i]);
    i++;
  }
}


/*  How to deal with prepared SQL statements.
http://karlssonondatabases.blogspot.com/2010/07/prepared-statements-are-they-useful-or.html
https://blog.cotten.io/a-taste-of-mysql-in-c-87c5de84a31d?gi=ab3dd1425b29
https://raspberry-projects.com/pi/programming-in-c/databases-programming-in-c/mysql/accessing-the-database

IG and CG now both have sims connected to other grids, so some sort of
multi database solution would be good, then we can run the grid and the
external sims all in one.

Not sure if this'll work with Count(*).

---------------------------------------------

The complicated bit is the binds.

You are binding field values to C memory locations.
The parameters and returned fields need binds.
Mostly seems to be the value parts of the SQL statements.

I suspect most will be of the form - 
  ... WHERE x=? and foo=?
  INSERT INTO table VALUES (?,?,?)
  UPDATE table SET x=?, foo=? WHERE id=?

  A multi table update -
  UPDATE items,month SET items.price=month.price WHERE items.id=month.id;
*/

static boolean dbConnect()
{
  dbconn = mysql_real_connect(database,
			    getStrH(configs, "Data Source"),
			    getStrH(configs, "User ID"),
			    getStrH(configs, "Password"),
			    getStrH(configs, "Database"),
//			    3036, "/var/run/mysqld/mysqld.sock",
			    0, NULL,
			    CLIENT_FOUND_ROWS | CLIENT_LOCAL_FILES | CLIENT_MULTI_STATEMENTS | CLIENT_MULTI_RESULTS);
  if (NULL == dbconn)
  {
    E("mysql_real_connect() failed - %s", mysql_error(database));
    return FALSE;
  }
  return TRUE;
}

// A general error function that checks for certain errors that mean we should try to connect to the server MariaDB again.
//    https://mariadb.com/kb/en/mariadb-error-codes/
//    1129?  1152?  1184?  1218?  1927  3032?  4150?  
//    "server has gone away" isn't listed there, that's the one I was getting.  Pffft
//	It's 2006, https://dev.mysql.com/doc/refman/8.0/en/gone-away.html
//	Though none of the mentioned reasons make sense here.
//	Ah it could be "connection inactive for 8 hours".
//	    Which might be why OpenSim opens a new connection for EVERYTHING.
// TODO - see if I can either find out what the time out is, or just check and re open for each db thing.
//	    int mysql_ping(MYSQL * mysql);	// https://mariadb.com/kb/en/mysql_ping/
//	    "If it has gone down, and global option reconnect is enabled an automatic reconnection is attempted."
//	    "Returns zero on success, nonzero if an error occured."
//	    "resources bundled to the connection (prepared statements, locks, temporary tables, ...) will be released."  sigh
//	Quick'n'dirty until this is properly event driven - have a cron job curl the stats page every hour.
static boolean dbCheckError(MYSQL *db, char *error, char *sql)
{
  int e = mysql_errno(db);

  E("MariaDB error %d - %s: %s\n%s", e, error, mysql_error(db), sql);
  if (2006 == e)
    return dbConnect();

  return FALSE;
}

typedef struct _dbField dbField;
struct _dbField
{
  char *name;
  enum enum_field_types type;
  unsigned long length;
  unsigned int	flags;
  unsigned int	decimals;
};

qlisttbl_t *dbGetFields(MYSQL *db, char *table)
{
  static qhashtbl_t *tables = NULL;
  if (NULL == tables)	tables = qhashtbl(0, 0);
  qlisttbl_t *ret = tables->get(tables, table, NULL, false);

  if (NULL == ret)
  {
    // Seems the only way to get field metadata is to actually perform a SQL statement, then you get the field metadata for the result set.
    //   Chicken, meet egg, sorry you had to cross the road for this.
    char *sql = xmprintf("SELECT * FROM %s LIMIT 0", table);

d("Getting field metadata for %s", table);
    if (mysql_query(db, sql))
    {
//      E("MariaDB error %d - Query failed 0: %s\n%s", mysql_errno(db), mysql_error(db), sql);
      if (dbCheckError(db, "Query failed 0", sql))
      {
        ret = dbGetFields(db, table);
        free(sql);
        return ret;
      }
    }
    else
    {
      MYSQL_RES *res = mysql_store_result(db);

      if (!res)
	E("MariaDB error %d - Couldn't get results set from %s\n %s", mysql_errno(db), mysql_error(db), sql);
      else
      {
	MYSQL_FIELD *fields = mysql_fetch_fields(res);

	if (!fields)
	  E("MariaDB error %d - Failed fetching fields: %s", mysql_errno(db), mysql_error(db));
	else
	{
	  unsigned int i, num_fields = mysql_num_fields(res);

	  ret = qlisttbl(QLISTTBL_UNIQUE | QLISTTBL_LOOKUPFORWARD);
	  for (i = 0; i < num_fields; i++)
	  {
	    dbField *fld  = xmalloc(sizeof(dbField));
	    fld->name     = xstrdup(fields[i].name);
	    fld->type     =	fields[i].type;
	    fld->length   =	fields[i].length;
	    fld->flags    =	fields[i].flags;
	    fld->decimals =	fields[i].decimals;
	    ret->put(ret, fld->name, fld, sizeof(*fld));
	    free(fld);
	  }
	  tables->put(tables, table, ret, sizeof(*ret));
	}
	mysql_free_result(res);
      }
    }
    free(sql);
  }

  return ret;
}

void dbFreeFields(qlisttbl_t *flds)
{
  qlisttbl_obj_t obj;
  memset((void *) &obj, 0, sizeof(obj));
  flds->lock(flds);
d("Freeing fields.");
  while(flds->getnext(flds, &obj, NULL, false) == true)
  {
    dbField *fld = (dbField *) obj.data;
d("Freeing field %s", fld->name);
    free(fld->name);
  }
  flds->unlock(flds);
  flds->free(flds);
}

typedef struct _dbRequest dbRequest;
struct _dbRequest
{
  MYSQL *db;
  char *table, *join, *where, *order, *sql;
  qlisttbl_t *flds;
  int inCount, outCount, rowCount;
  char **inParams, **outParams;
  MYSQL_STMT *prep;		// NOTE - executing it stores state in this.
  MYSQL_BIND *inBind, *outBind;
  rowData *rows;
  my_ulonglong count;
  boolean freeOutParams;
};

void dbDoSomething(dbRequest *req, boolean count, ...)
{
  va_list ap;
  struct timespec now, then;
  int i, j;
  MYSQL_RES *prepare_meta_result = NULL;

  if (-1 == clock_gettime(CLOCK_REALTIME, &then))
    perror_msg("Unable to get the time.");

  va_start(ap, count);

  if (NULL == req->prep)
  {
    req->flds = dbGetFields(req->db, req->table);
    if (NULL == req->flds)
    {
      E("Unknown fields for table %s.", req->table);
      goto end;
    }

    char *select = xmprintf("");
    i = 0;
    while (req->outParams[i] != NULL)
    {
      char *t = xmprintf("%s,%s", select, req->outParams[i]);
      free(select);
      select = t;
      i++;
    }
    if (0 == i)
    {
      free(select);
      if (count)
	select = xmprintf(",Count(*)");
      else
	select = xmprintf(",*");
    }

    if (NULL == req->join)
      req->join = "";

    if (req->where)
      req->sql = xmprintf("SELECT %s FROM %s %s WHERE %s", &select[1], req->table, req->join, req->where);
    else
      req->sql = xmprintf("SELECT %s FROM %s", &select[1], req->table, req->join);
    free(select);
    if (req->order)
    {
      char *t = xmprintf("%s ORDER BY %s", req->sql, req->order);

      free(req->sql);
      req->sql = t;
    }

d("New SQL statement - %s", req->sql);
    // prepare statement with the other fields
    req->prep = mysql_stmt_init(req->db);
    if (NULL == req->prep)
    {
      E("Statement prepare init failed: %s\n", mysql_stmt_error(req->prep));
      goto end;
    }
    if (mysql_stmt_prepare(req->prep, req->sql, strlen(req->sql)))
    {
      E("Statement prepare failed: %s\n", mysql_stmt_error(req->prep));
      goto end;
    }

    // setup the bind stuff for any "?" parameters in the SQL.
    req->inCount = mysql_stmt_param_count(req->prep);
    i = 0;
    while (req->inParams[i] != NULL)
      i++;
    if (i != req->inCount)
    {
      E("In parameters count don't match %d != %d for - %s", i, req->inCount, req->sql);
      goto freeIt;
    }
    req->inBind = xzalloc(i * sizeof(MYSQL_BIND));
W("Allocated %d %d inBinds for %s", i, req->inCount, req->sql);
    for (i = 0; i < req->inCount; i++)
    {
      dbField *fld = req->flds->get(req->flds, req->inParams[i], NULL, false);

      if (NULL == fld)
      {
	E("Unknown input field %d %s.%s for - %s", i, req->table, req->inParams[i], req->sql);
	goto freeIt;
      }
      else
      {
	// https://blog.cotten.io/a-taste-of-mysql-in-c-87c5de84a31d?gi=ab3dd1425b29
	//   For some gotchas about all of this binding bit.
	req->inBind[i].buffer_type	= fld->type;
	req->inBind[i].buffer		= xzalloc(fld->length + 1);  // Note the + 1 is for string types, and a waste for the rest.
	req->inBind[i].buffer_length	= fld->length;
	switch(fld->type)
	{
	  case MYSQL_TYPE_TINY:
	  {
	    break;
	  }

	  case MYSQL_TYPE_SHORT:
	  {
	    req->inBind[i].is_unsigned	= FALSE;
	    break;
	  }

	  case MYSQL_TYPE_INT24:
	  {
	    req->inBind[i].is_unsigned	= FALSE;
	    break;
	  }

	  case MYSQL_TYPE_LONG:
	  {
	    req->inBind[i].is_unsigned	= FALSE;
	    break;
	  }

	  case MYSQL_TYPE_LONGLONG:
	  {
	    req->inBind[i].is_unsigned	= FALSE;
	    break;
	  }

	  case MYSQL_TYPE_FLOAT:
	  {
	    break;
	  }

	  case MYSQL_TYPE_DOUBLE:
	  {
	    break;
	  }

	  case MYSQL_TYPE_NEWDECIMAL:
	  {
	    break;
	  }

	  case MYSQL_TYPE_TIME:
	  case MYSQL_TYPE_DATE:
	  case MYSQL_TYPE_DATETIME:
	  case MYSQL_TYPE_TIMESTAMP:
	  {
	    break;
	  }

	  case MYSQL_TYPE_STRING:
	  case MYSQL_TYPE_VAR_STRING:
	  {
	    req->inBind[i].is_null	= xzalloc(sizeof(my_bool));
	    req->inBind[i].length	= xzalloc(sizeof(unsigned long));
	    break;
	  }

	  case MYSQL_TYPE_TINY_BLOB:
	  case MYSQL_TYPE_BLOB:
	  case MYSQL_TYPE_MEDIUM_BLOB:
	  case MYSQL_TYPE_LONG_BLOB:
	  {
	    req->inBind[i].is_null	= xzalloc(sizeof(my_bool));
	    break;
	  }

	  case MYSQL_TYPE_BIT:
	  {
	    req->inBind[i].is_null	= xzalloc(sizeof(my_bool));
	    break;
	  }

	  case MYSQL_TYPE_NULL:
	  {
	    break;
	  }
	}
      }
    }

// TODO - if this is not a count, setup result bind paramateres, may be needed for counts as well.
    prepare_meta_result = mysql_stmt_result_metadata(req->prep);
    if (!prepare_meta_result)
    {
      D(" mysql_stmt_result_metadata() error %d, returned no meta information - %s\n", mysql_stmt_errno(req->prep), mysql_stmt_error(req->prep));
      goto freeIt;
    }

    if (count)
    {
I("count!!!!!!!!!!!!!!!!");
    }
    else
    {
      req->outCount = mysql_num_fields(prepare_meta_result);
      i = 0;
      while (req->outParams[i] != NULL)
	i++;
      if (0 == i)	// Passing in {NULL} as req->outParams means "return all of them".
      {
	req->outParams = xzalloc((req->outCount + 1) * sizeof(char *));
	req->freeOutParams = TRUE;
	qlisttbl_obj_t obj;
	memset((void*)&obj, 0, sizeof(obj));
	req->flds->lock(req->flds);
	while (req->flds->getnext(req->flds, &obj, NULL, false) == true)
	{
	  dbField *fld = (dbField *) obj.data;
	  req->outParams[i] = fld->name;
	  i++;
	}
	req->outParams[i] = NULL;
	req->flds->unlock(req->flds);
      }
      if (i != req->outCount)
      {
	E("Out parameters count doesn't match %d != %d foqr - %s", i, req->outCount, req->sql);
	goto freeIt;
      }
      req->outBind = xzalloc(i * sizeof(MYSQL_BIND));
W("Allocated %d %d outBinds for %s", i, req->outCount, req->sql);
      for (i = 0; i < req->outCount; i++)
      {
	dbField *fld = req->flds->get(req->flds, req->outParams[i], NULL, false);

	if (NULL == fld)
	{
	  E("Unknown output field %d %s.%s foqr - %s", i, req->table, req->outParams[i], req->sql);
	  goto freeIt;
	}
	else
	{
	  // https://blog.cotten.io/a-taste-of-mysql-in-c-87c5de84a31d?gi=ab3dd1425b29
	  //   For some gotchas about all of this binding bit.
	  req->outBind[i].buffer_type	= fld->type;
	  req->outBind[i].buffer	= xzalloc(fld->length + 1);  // Note the + 1 is for string types, and a waste for the rest.
	  req->outBind[i].buffer_length	= fld->length;
	  req->outBind[i].error		= xzalloc(sizeof(my_bool));
	  req->outBind[i].is_null	= xzalloc(sizeof(my_bool));
	  switch(fld->type)
	  {
	    case MYSQL_TYPE_TINY:
	    {
//d("TINY %d %s %d", i, fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_SHORT:
	    {
//d("SHORT %s %d", fld->name, req->outBind[i].buffer_length);
	      req->outBind[i].is_unsigned	= FALSE;
	      break;
	    }

	    case MYSQL_TYPE_INT24:
	    {
//d("INT24 %s %d", fld->name, req->outBind[i].buffer_length);
	      req->outBind[i].is_unsigned	= FALSE;
	      break;
	    }

	    case MYSQL_TYPE_LONG:
	    {
//d("LONG %d %s %d", i, fld->name, req->outBind[i].buffer_length);
	      req->outBind[i].is_unsigned	= FALSE;
	      break;
	    }

	    case MYSQL_TYPE_LONGLONG:
	    {
//d("LONG LONG %s %d", fld->name, req->outBind[i].buffer_length);
	      req->outBind[i].is_unsigned	= FALSE;
	      break;
	    }

	    case MYSQL_TYPE_FLOAT:
	    {
//d("FLOAT %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_DOUBLE:
	    {
//d("DOUBLE %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_NEWDECIMAL:
	    {
//d("NEWDECIMAL %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_TIME:
	    case MYSQL_TYPE_DATE:
	    case MYSQL_TYPE_DATETIME:
	    case MYSQL_TYPE_TIMESTAMP:
	    {
//d("DATETIME %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_STRING:
	    case MYSQL_TYPE_VAR_STRING:
	    {
//d("STRING %s %d", fld->name, req->outBind[i].buffer_length);
	      req->outBind[i].length	= xzalloc(sizeof(unsigned long));
	      break;
	    }

	    case MYSQL_TYPE_TINY_BLOB:
	    case MYSQL_TYPE_BLOB:
	    case MYSQL_TYPE_MEDIUM_BLOB:
	    case MYSQL_TYPE_LONG_BLOB:
	    {
//d("BLOB %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_BIT:
	    {
//d("BIT %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }

	    case MYSQL_TYPE_NULL:
	    {
//d("NULL %s %d", fld->name, req->outBind[i].buffer_length);
	      break;
	    }
          }
	}
      }
      if (mysql_stmt_bind_result(req->prep, req->outBind))
      {
        E("Bind failed error %d.", mysql_stmt_errno(req->prep));
        goto freeIt;
      }
    }
  }


//d("input bind for %s", req->sql);
  for (i = 0; i < req->inCount; i++)
  {
    dbField *fld = req->flds->get(req->flds, req->inParams[i], NULL, false);

    if (NULL == fld)
    {
      E("Unknown input field %s.%s for - %s", req->table, req->inParams[i], req->sql);
      goto freeIt;
    }
    else
    {
      switch(fld->type)
      {
	case MYSQL_TYPE_TINY:
	{
	  int c = va_arg(ap, int);
	  signed char d = (signed char) c;

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_SHORT:
	{
	  int c = va_arg(ap, int);
	  short int d = (short int) c;

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_INT24:
	{
	  int d = va_arg(ap, int);

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_LONG:
	{
	  long d = va_arg(ap, long);

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_LONGLONG:
	{
	  long long int d = va_arg(ap, long long int);

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_FLOAT:
	{
	  double c = va_arg(ap, double);
	  float d = (float) c;

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_DOUBLE:
	{
	  double d = va_arg(ap, double);

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_NEWDECIMAL:
	{
	  break;
	}

	case MYSQL_TYPE_TIME:
	case MYSQL_TYPE_DATE:
	case MYSQL_TYPE_DATETIME:
	case MYSQL_TYPE_TIMESTAMP:
	{
	  MYSQL_TIME d = va_arg(ap, MYSQL_TIME);

	  memcpy(&d, req->inBind[i].buffer, (size_t) fld->length);
	  break;
	}

	case MYSQL_TYPE_STRING:
	case MYSQL_TYPE_VAR_STRING:
	{
	  char *d = va_arg(ap, char *);
	  unsigned long l = strlen(d);

	  if (l > fld->length)
	    l = fld->length;
	  *(req->inBind[i].length) = l;
	  strncpy(req->inBind[i].buffer, d, (size_t) l);
	  ((char *) req->inBind[i].buffer)[l] = '\0';
	  break;
	}

	case MYSQL_TYPE_TINY_BLOB:
	case MYSQL_TYPE_BLOB:
	case MYSQL_TYPE_MEDIUM_BLOB:
	case MYSQL_TYPE_LONG_BLOB:
	{
	  break;
	}

	case MYSQL_TYPE_BIT:
	{
	  break;
	}

	case MYSQL_TYPE_NULL:
	{
	  break;
	}
      }
    }
  }
  if (mysql_stmt_bind_param(req->prep, req->inBind))
  {
    E("Bind failed error %d.", mysql_stmt_errno(req->prep));
    goto freeIt;
  }


d("Execute %s", req->sql);

  // do the prepared statement req->prep.
  if (mysql_stmt_execute(req->prep))
  {
    E("Statement execute failed %d: %s\n", mysql_stmt_errno(req->prep), mysql_stmt_error(req->prep));
    goto freeIt;
  }

  int fs = mysql_stmt_field_count(req->prep);
  // stuff results back into req.
  if (NULL != req->outBind)
  {
    req->rows = xmalloc(sizeof(rowData));
    req->rows->fieldNames = xzalloc(fs * sizeof(char *));
    if (mysql_stmt_store_result(req->prep))
    {
      E(" mysql_stmt_store_result() failed %d: %s", mysql_stmt_errno(req->prep), mysql_stmt_error(req->prep));
      goto freeIt;
    }
    req->rowCount = mysql_stmt_num_rows(req->prep);
    if (0 == req->rowCount)
      D("No rows returned from : %s\n", req->sql);
    else
      D("%d rows of %d fields returned from : %s\n", req->rowCount, fs, req->sql);

    req->rows->rows = qlist(0);
    while (MYSQL_NO_DATA != mysql_stmt_fetch(req->prep))
    {
      qhashtbl_t *flds = qhashtbl(0, 0);

      for (i = 0; i < req->outCount; i++)
      {
	dbField *fld = req->flds->get(req->flds, req->outParams[i], NULL, false);

	req->rows->fieldNames[i] = fld->name;
	if (!*(req->outBind[i].is_null))
	{
//d("2.8 %s", req->rows->fieldNames[i]);
	  flds->put(flds, req->rows->fieldNames[i], req->outBind[i].buffer, req->outBind[i].buffer_length);

	  switch(fld->type)
	  {
	    case MYSQL_TYPE_TINY:
	    {
	      break;
	    }

	    case MYSQL_TYPE_SHORT:
	    {
	      char *t = xmprintf("%d", (int) *((int *) req->outBind[i].buffer));
	      flds->putstr(flds, req->rows->fieldNames[i], t);
	      free(t);
	      break;
	    }

	    case MYSQL_TYPE_INT24:
	    {
	      char *t = xmprintf("%d", (int) *((int *) req->outBind[i].buffer));
	      flds->putstr(flds, req->rows->fieldNames[i], t);
	      free(t);
	      break;
	    }

	    case MYSQL_TYPE_LONG:
	    {
	      if (NULL == req->outBind[i].buffer)
	      {
		E("Field %d %s is NULL", i, fld->name);
		goto freeIt;
	      }
	      char *t = xmprintf("%d", (int) *((int *) (req->outBind[i].buffer)));
//d("Setting %i %s %s", i, fld->name, t);
	      flds->putstr(flds, req->rows->fieldNames[i], t);
	      free(t);
	      break;
	    }

	    case MYSQL_TYPE_LONGLONG:
	    {
	      char *t = xmprintf("%d", (int) *((int *) req->outBind[i].buffer));
	      flds->putstr(flds, req->rows->fieldNames[i], t);
	      free(t);
	      break;
	    }

	    case MYSQL_TYPE_FLOAT:
	    {
	      break;
	    }

	    case MYSQL_TYPE_DOUBLE:
	    {
	      break;
	    }

	    case MYSQL_TYPE_NEWDECIMAL:
	    {
	      break;
	    }

	    case MYSQL_TYPE_TIME:
	    case MYSQL_TYPE_DATE:
	    case MYSQL_TYPE_DATETIME:
	    case MYSQL_TYPE_TIMESTAMP:
	    {
	      break;
	    }

	    case MYSQL_TYPE_STRING:
	    case MYSQL_TYPE_VAR_STRING:
	    {
	      break;
	    }

	    case MYSQL_TYPE_TINY_BLOB:
	    case MYSQL_TYPE_BLOB:
	    case MYSQL_TYPE_MEDIUM_BLOB:
	    case MYSQL_TYPE_LONG_BLOB:
	    { 
	      break;
	    }

	    case MYSQL_TYPE_BIT:
	    {
	      break;
	    }

	    case MYSQL_TYPE_NULL:
	    {
	      break;
	    }
	  }
	}
	else
	  D("Not setting data %s, coz it's NULL", fld->name);
      }
      req->rows->rows->addlast(req->rows->rows, flds, sizeof(qhashtbl_t));
      free(flds);
    }
  }

freeIt:
  if (prepare_meta_result)
    mysql_free_result(prepare_meta_result);
  if (mysql_stmt_free_result(req->prep))
    E("Statement result freeing failed %d: %s\n", mysql_stmt_errno(req->prep), mysql_stmt_error(req->prep));

end:
  va_end(ap);

  if (-1 == clock_gettime(CLOCK_REALTIME, &now))
    perror_msg("Unable to get the time.");
  double n = (now.tv_sec * 1000000000.0) + now.tv_nsec;
  double t = (then.tv_sec * 1000000000.0) + then.tv_nsec;
  T("dbDoSomething(%s) took %lf seconds", req->sql, (n - t) / 1000000000.0);
  return;
}

// Copy the SQL results into the request structure.
void dbPull(reqData *Rd, char *table, rowData *rows)
{
  char *where;
  qhashtbl_t *me = rows->rows->popfirst(rows->rows, NULL);
  qhashtbl_obj_t obj;

  memset((void*)&obj, 0, sizeof(obj));
  me->lock(me);
  while(me->getnext(me, &obj, false) == true)
  {
    where = xmprintf("%s.%s", table, obj.name);
d("dbPull(Rd->database) %s = %s", where, (char *) obj.data);
    Rd->database->putstr(Rd->database, where, (char *) obj.data);
//    me->remove(me, obj.name);
    free(where);
  }
  me->unlock(me);
  me->free(me);
  free(rows->fieldNames);
  rows->rows->free(rows->rows);
  free(rows);
}

void dbFreeRequest(dbRequest *req)
{
  int i;

  D("Cleaning up prepared database request %s - %s   %d %d", req->table, req->where, req->outCount, req->inCount);
  if (NULL != req->outBind)
  {
d("Free outBind");
    for (i = 0; i < req->outCount; i++)
    {
d("Free outBind %d %s", i, req->sql);
      if (NULL != req->outBind[i].buffer)	free(req->outBind[i].buffer);
      if (NULL != req->outBind[i].length)	free(req->outBind[i].length);
      if (NULL != req->outBind[i].error)	free(req->outBind[i].error);
      if (NULL != req->outBind[i].is_null)	free(req->outBind[i].is_null);
    }
    free(req->outBind);
  }
  if (NULL != req->inBind)
  {
d("Free inBind");
    for (i = 0; i < req->inCount; i++)
    {
d("Free inBind %d %s", i, req->sql);
// TODO - this leaks for some bizare reason.
      if (NULL != req->inBind[i].buffer)	free(req->inBind[i].buffer);
      if (NULL != req->inBind[i].length)	free(req->inBind[i].length);
      if (NULL != req->inBind[i].error)		free(req->inBind[i].error);
      if (NULL != req->inBind[i].is_null)	free(req->inBind[i].is_null);
    }
    free(req->inBind);
  }

  if (req->freeOutParams)	free(req->outParams);
  if (NULL != req->sql)		free(req->sql);
  if (NULL != req->prep)
  {
    if (0 != mysql_stmt_close(req->prep))
      C("Unable to close the prepared statement!");
    free(req->prep);
  }
}

my_ulonglong dbCount(MYSQL *db, char *table, char *where)
{
  my_ulonglong ret = 0;
  char *sql;
  struct timespec now, then;

  if (-1 == clock_gettime(CLOCK_REALTIME, &then))
    perror_msg("Unable to get the time.");

  if (where)
    sql = xmprintf("SELECT Count(*) FROM %s WHERE %s", table, where);
  else
    sql = xmprintf("SELECT Count(*) FROM %s", table);

  if (mysql_query(db, sql))
  {
//    E("MariaDB error %d - Query failed 1: %s", mysql_errno(db), mysql_error(db));
    if (dbCheckError(db, "Query failed 1", sql))
    {
      ret = dbCount(db, table, where);
      free(sql);
      return ret;
    }
  }
  else
  {
    MYSQL_RES *result = mysql_store_result(db);

    if (!result)
      E("Couldn't get results set from %s\n: %s", sql, mysql_error(db));
    else
    {
      MYSQL_ROW row = mysql_fetch_row(result);
      if (!row)
        E("MariaDB error %d - Couldn't get row from %s\n: %s", mysql_errno(db), sql, mysql_error(db));
      else
        ret = atoll(row[0]);
      mysql_free_result(result);
    }
  }

  if (-1 == clock_gettime(CLOCK_REALTIME, &now))
    perror_msg("Unable to get the time.");
  double n = (now.tv_sec * 1000000000.0) + now.tv_nsec;
  double t = (then.tv_sec * 1000000000.0) + then.tv_nsec;
  T("dbCount(%s) took %lf seconds", sql, (n - t) / 1000000000.0);
  free(sql);
  return ret;
}

my_ulonglong dbCountJoin(MYSQL *db, char *table, char *select, char *join, char *where)
{
  my_ulonglong ret = 0;
  char *sql;
  struct timespec now, then;

  if (-1 == clock_gettime(CLOCK_REALTIME, &then))
    perror_msg("Unable to get the time.");

  if (NULL == select)
    select = "*";
  if (NULL == join)
    join = "";

  if (where)
    sql = xmprintf("SELECT %s FROM %s %s WHERE %s", select, table, join, where);
  else
    sql = xmprintf("SELECT %s FROM %s", select, table, join);

  if (mysql_query(db, sql))
  {
//    E("MariaDB error %d - Query failed 2: %s", mysql_errno(db), mysql_error(db));
    if (dbCheckError(db, "Query failed 2", sql))
    {
      ret = dbCountJoin(db, table, select, join, where);
      free(sql);
      return ret;
    }
  }
  else
  {
    MYSQL_RES *result = mysql_store_result(db);

    if (!result)
      E("MariaDB error %d - Couldn't get results set from %s\n: %s", mysql_errno(db), sql, mysql_error(db));
    else
      ret = mysql_num_rows(result);
    mysql_free_result(result);
  }

  if (-1 == clock_gettime(CLOCK_REALTIME, &now))
    perror_msg("Unable to get the time.");
  double n = (now.tv_sec * 1000000000.0) + now.tv_nsec;
  double t = (then.tv_sec * 1000000000.0) + then.tv_nsec;
  T("dbCointJoin(%s) took %lf seconds", sql, (n - t) / 1000000000.0);
  free(sql);
  return ret;
}

MYSQL_RES *dbSelect(MYSQL *db, char *table, char *select, char *join, char *where, char *order)
{
  MYSQL_RES *ret = NULL;
  char *sql;
  struct timespec now, then;

  if (-1 == clock_gettime(CLOCK_REALTIME, &then))
    perror_msg("Unable to get the time.");

  if (NULL == select)
    select = "*";
  if (NULL == join)
    join = "";

  if (where)
    sql = xmprintf("SELECT %s FROM %s %s WHERE %s", select, table, join, where);
  else
    sql = xmprintf("SELECT %s FROM %s", select, table, join);

  if (order)
  {
    char *t = xmprintf("%s ORDER BY %s", sql, order);

    free(sql);
    sql = t;
  }

  if (mysql_query(db, sql))
    E("MariaDB error %d - Query failed 3: %s\n%s", mysql_errno(db), mysql_error(db), sql);
  else
  {
    ret = mysql_store_result(db);
    if (!ret)
      E("MariaDB error %d - Couldn't get results set from %s\n %s", mysql_errno(db), mysql_error(db), sql);
  }

  if (-1 == clock_gettime(CLOCK_REALTIME, &now))
    perror_msg("Unable to get the time.");
  double n = (now.tv_sec * 1000000000.0) + now.tv_nsec;
  double t = (then.tv_sec * 1000000000.0) + then.tv_nsec;
  T("dbSelect(%s) took %lf seconds", sql, (n - t) / 1000000000.0);
  free(sql);
  return ret;
}


void replaceStr(qhashtbl_t *ssi, char *key, char *value)
{
  ssi->putstr(ssi, key, value);
}

void replaceLong(qhashtbl_t *ssi, char *key, my_ulonglong value)
{
  char *tmp = xmprintf("%lu", value);

  replaceStr(ssi, key, tmp);
  free(tmp);
}


float timeDiff(struct timeval *now, struct timeval *then)
{
  if (0 == gettimeofday(now, NULL))
  {
    struct timeval thisTime = { 0, 0 };
    double  result = 0.0;

    thisTime.tv_sec = now->tv_sec;
    thisTime.tv_usec = now->tv_usec;
    if (thisTime.tv_usec < then->tv_usec)
    {
      thisTime.tv_sec--;
      thisTime.tv_usec += 1000000;
    }
    thisTime.tv_usec -= then->tv_usec;
    thisTime.tv_sec -= then->tv_sec;
    result = ((double) thisTime.tv_usec) / ((double) 1000000.0);
    result += thisTime.tv_sec;
    return result;
  }

  return 0.0;
}


gridStats *getStats(MYSQL *db, gridStats *stats)
{
  if (NULL == stats)
  {
    stats = xmalloc(sizeof(gridStats));
    stats->next = 30;
    gettimeofday(&(stats->last), NULL);
    stats->stats = qhashtbl(0, 0);
    stats->stats->putstr(stats->stats, "version",	"SledjChisl FCGI Dev 0.1");
    stats->stats->putstr(stats->stats, "grid",		"my grid");
    stats->stats->putstr(stats->stats, "uri", 		"http://localhost:8002/");
    if (checkSimIsRunning("ROBUST"))
      stats->stats->putstr(stats->stats, "gridOnline",	"online");
    else
      stats->stats->putstr(stats->stats, "gridOnline",	"offline");
  }
  else
  {
    static struct timeval thisTime;
    if (stats->next > timeDiff(&thisTime, &(stats->last)))
      return stats;
  }

  I("Getting fresh grid stats.");
  if (checkSimIsRunning("ROBUST"))
    replaceStr(stats->stats, "gridOnline", "online");
  else
    replaceStr(stats->stats, "gridOnline", "offline");
  if (db)
  {
    char *tmp;
    my_ulonglong locIn = dbCount(db, "Presence", "RegionID != '00000000-0000-0000-0000-000000000000'");	// Locals online but not HGing, and HGers in world.
    my_ulonglong HGin  = dbCount(db, "Presence", "UserID NOT IN (SELECT PrincipalID FROM UserAccounts)");	// HGers in world.

    // Collect stats about members.
    replaceLong(stats->stats, "hgers", HGin);
    replaceLong(stats->stats, "inworld", locIn - HGin);
    tmp = xmprintf("GridExternalName != '%s'", stats->stats->getstr(stats->stats, "uri", false));
    replaceLong(stats->stats, "outworld", dbCount(db, "hg_traveling_data", tmp));
    free(tmp);
    replaceLong(stats->stats, "members", dbCount(db, "UserAccounts", NULL));

    // Count local and HG visitors for the last 30 and 60 days.
    locIn = dbCountJoin(db, "GridUser", "GridUser.UserID", "INNER JOIN UserAccounts ON GridUser.UserID = UserAccounts.PrincipalID", 
			    "Login > UNIX_TIMESTAMP(FROM_UNIXTIME(UNIX_TIMESTAMP(now()) - 2419200))");
    HGin  = dbCount(db, "GridUser", "Login > UNIX_TIMESTAMP(FROM_UNIXTIME(UNIX_TIMESTAMP(now()) - 2419200))");
    replaceLong(stats->stats, "locDay30", locIn);
    replaceLong(stats->stats, "day30", HGin);
    replaceLong(stats->stats, "HGday30", HGin - locIn);

    locIn = dbCountJoin(db, "GridUser", "GridUser.UserID", "INNER JOIN UserAccounts ON GridUser.UserID = UserAccounts.PrincipalID", 
			    "Login > UNIX_TIMESTAMP(FROM_UNIXTIME(UNIX_TIMESTAMP(now()) - 4838400))");
    HGin  = dbCount(db, "GridUser", "Login > UNIX_TIMESTAMP(FROM_UNIXTIME(UNIX_TIMESTAMP(now()) - 4838400))");
    replaceLong(stats->stats, "locDay60", locIn);
    replaceLong(stats->stats, "day60", HGin);
    replaceLong(stats->stats, "HGday60", HGin - locIn);

    // Collect stats about sims.
    replaceLong(stats->stats, "sims", dbCount(db, "regions", NULL));
    replaceLong(stats->stats, "onlineSims",  dbCount(db, "regions", "sizeX != 0"));
    replaceLong(stats->stats, "varRegions",  dbCount(db, "regions", "sizeX > 256 or sizeY > 256"));
    replaceLong(stats->stats, "singleSims",  dbCount(db, "regions", "sizeX = 256 and sizeY = 256"));
    replaceLong(stats->stats, "offlineSims", dbCount(db, "regions", "sizeX = 0"));

    // Calculate total size of all regions.
    my_ulonglong simSize = 0;
    static dbRequest *rgnSizes = NULL;
    if (NULL == rgnSizes)
    {
      static char *szi[] = {NULL};
      static char *szo[] = {"sizeX", "sizeY", NULL};
      rgnSizes = xzalloc(sizeof(dbRequest));
      rgnSizes->db = db;
      rgnSizes->table = "regions";
      rgnSizes->inParams  = szi;
      rgnSizes->outParams = szo;
      rgnSizes->where = "sizeX != 0";
      dbRequests->addfirst(dbRequests, rgnSizes, sizeof(*rgnSizes));
    }
    dbDoSomething(rgnSizes, FALSE);
    rowData *rows = rgnSizes->rows;

    qhashtbl_t *row;
    while (NULL != (row = rows->rows->getat(rows->rows, 0, NULL, true)))
    {
      my_ulonglong x = 0, y = 0;

      tmp = row->getstr(row, "sizeX", false);
      if (NULL == tmp)
	 E("No regions.sizeX!");
      else
	x = atoll(tmp);
      tmp = row->getstr(row, "sizeY", false);
      if (NULL == tmp)
	E("No regions.sizeY!");
      else
	y = atoll(tmp);
      simSize += x * y;
// TODO - I can't win.  valgrind complains that either something is being freed twice, or not freed at all, no matter what I do.
//	    This seems to keep the memory loss down to a minimum.
      row->free(row);
      rows->rows->removefirst(rows->rows);
    }
    free(rows->fieldNames);
    rows->rows->free(rows->rows);
    free(rows);

    tmp = xmprintf("%lu", simSize);
    stats->stats->putstr(stats->stats, "simsSize", tmp);
    free(tmp);
    gettimeofday(&(stats->last), NULL);
  }

  return stats;
}


qhashtbl_t *toknize(char *text, char *delims)
{
  qhashtbl_t *ret = qhashtbl(0, 0);

  if (NULL == text)
    return ret;

  char *txt = xstrdup(text), *token, dlm = ' ', *key, *val = NULL;
  int offset = 0;

  while((token = qstrtok(txt, delims, &dlm, &offset)) != NULL)
  {
    if (delims[0] == dlm)
    {
      key = token;
      val = &txt[offset];
    }
    else if (delims[1] == dlm)
    {
      ret->putstr(ret, qstrtrim_head(key), token);
d("  %s = %s", qstrtrim_head(key), val);
      val = NULL;
    }
  }
  if (NULL != val)
{
    ret->putstr(ret, qstrtrim_head(key), val);
d("  %s = %s", qstrtrim_head(key), val);
}
  free(txt);
  return ret;
}

void santize(qhashtbl_t *tbl, bool decode)
{
  qhashtbl_obj_t obj;

  memset((void*)&obj, 0, sizeof(obj));
  tbl->lock(tbl);
  while(tbl->getnext(tbl, &obj, false) == true)
  {
    char *n = obj.name, *o = (char *) obj.data;

    if (decode)
      qurl_decode(o);

//    if ((strcmp(n, "password") != 0) && (strcmp(n, "psswd") != 0))
    {
	// Poor mans Bobby Tables protection.
// TODO - make this reversable, especially so these things can be used in aboutMe, and come out the other end unscathed.
//	    qurl_encode doesn't handle \, but does the rest.
//	    So that means don't qurl_decode it, and encode \\.
//	    But then I have to qurl_decode everwhere.
	o = qstrreplace("tr", o, "'",  "_");
	o = qstrreplace("tr", o, "\"", "_");
	o = qstrreplace("tr", o, ";",  "_");
	o = qstrreplace("tr", o, "(",  "_");
	o = qstrreplace("tr", o, ")",  "_");
    }

    tbl->putstr(tbl, n, o);
  }
  tbl->unlock(tbl);
}

/*
char *unsantize(char *str)
{
  char *ret = qurl_decode(xstrdup(str));
  return ret;
}
*/

void outize(qgrow_t *reply, qhashtbl_t *tbl, char *label)
{
  reply->addstrf(reply, "%s:<br>\n<pre>\n", label);
  qhashtbl_obj_t obj;
  memset((void*)&obj, 0, sizeof(obj));
  tbl->lock(tbl);
  while(tbl->getnext(tbl, &obj, false) == true)
    reply->addstrf(reply, " &nbsp; %s = %s\n", obj.name, (char *) obj.data);
  tbl->unlock(tbl);
  reply->addstr(reply, "</pre>\n");
}

char *displayPrep(char *str)
{
  char *ret = xstrdup(str), *t;

  qurl_decode(ret);
  t  = qstrreplace("tn",  ret, "<", "&lt;");
  free(ret);
  ret = NULL;
  if (NULL != t)
  {
    ret = qstrreplace("tn", t, ">", "&gt;");
    if (NULL == ret)
      ret = t;
    else
      free(t);
  }

  if (NULL == ret)
    ret = xstrdup(str);

  return ret;
}

char *encodeSlash(char *str)
{
  char *ret = xstrdup(str), *t  = qstrreplace("tn",  str, "\\", "%5c");

  if (NULL != t)
  {
    free(ret);
    ret = t;
  }

  return ret;
}


// https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Set-Cookie
enum cookieSame
{
  CS_NOT,
  CS_STRICT,
  CS_LAX,	// Apparently the default set by browsers these days.
  CS_NONE
};
typedef struct _cookie cookie;
struct _cookie
{
  char *value, *domain, *path;
  //  char *expires;	// Use maxAge instead, it's far simpler to figure out.
  int maxAge;
  boolean secure, httpOnly;
  enum cookieSame site;
};

cookie *setCookie(reqData *Rd, char *cki, char *value)
{
  cookie *ret = xzalloc(sizeof(cookie));
  char *cook = xstrdup(cki);
  int l, i;

  // Validate this, as there is a limited set of characters allowed.
  qstrreplace("tr", cook, "()<>@,;:\\\"/[]?={} \t", "_");
  l = strlen(cook);
  for (i = 0; i < l; i++)
  {
    if (iscntrl(cook[i]) != 0)
      cook[i] = '_';
  }
  l = strlen(value);
  if (0 != l)
    ret->value = qurl_encode(value, l);
  else
// TODO - I'm doing something crazy again, this isn't crashing when I try to free it.  Sometimes.  Heisenbug?
    ret->value = "";
  ret->httpOnly = TRUE;
  ret->site = CS_STRICT;
  ret->secure = TRUE;
  ret->path = getStrH(Rd->headers, "SCRIPT_NAME");
  Rd->Rcookies->put(Rd->Rcookies, cook, ret, sizeof(cookie));
  free(ret);
  ret = Rd->Rcookies->get(Rd->Rcookies, cook, NULL, false);
  free(cook);

  return ret;
}

char *getCookie(qhashtbl_t *cookies, char *cki)
{
  char *ret = NULL;
  cookie *ck = (cookie *) cookies->get(cookies, cki, NULL, false);

  if (NULL != ck)
    ret = ck->value;

  return ret;
}

void outizeCookie(qgrow_t *reply, qhashtbl_t *tbl, char *label)
{
  reply->addstrf(reply, "%s:<br>\n<pre>\n", label);
  qhashtbl_obj_t obj;
  memset((void*)&obj, 0, sizeof(obj));
  tbl->lock(tbl);
  while(tbl->getnext(tbl, &obj, false) == true)
    reply->addstrf(reply, " &nbsp; %s = %s\n", obj.name, ((cookie *) obj.data)->value);
  tbl->unlock(tbl);
  reply->addstr(reply, "</pre>\n");
}



enum fragmentType
{
 FT_TEXT,
 FT_PARAM,
 FT_LUA
};

typedef struct _fragment fragment;
struct _fragment
{
  enum fragmentType type;
  int length;
  char *text;
};

static void HTMLdebug(qgrow_t *reply)
{
  reply->addstrf(reply,
    "      <p class='hoverItem'>\n"
    "        <div class='hoverWrapper0'>\n"
    "          <p>DEBUG</p>\n"
    "          <div id='hoverShow0'>\n"
    "            <h1>DEBUG log</h1>\n"
    "            <!--#echo var=\"DEBUG\" -->\n"
    "          </div>\n"
    "        </div>\n"
    "      </p>\n"
  );
}

static void HTMLheader(qgrow_t *reply, char *title)
{
  reply->addstrf(reply,
    "<html>\n"
    "  <head>\n"
    "    <title>%s</title>\n"
    "    <meta charset=\"UTF-8\">\n"
    "    <link rel=\"shortcut icon\" href=\"/SledjHamrIconSmall.png\">\n"
    , title);
  reply->addstrf(reply, "    <link type='text/css' rel='stylesheet' href='/SledjChisl.css' media='all' />\n");

  if (DEBUG)
    reply->addstrf(reply, "    <link type='text/css' rel='stylesheet' href='/debugStyle.css' media='all' />\n");

  reply->addstrf(reply,
    "    <style> \n"
    "      html, body {background-color: black; color: white; font-family: 'sans-serif'; margin: 0; padding: 0;}\n"
    "      a:link {color: aqua;}\n"
    "      a:visited {color: fuchsia;}\n"
    "      a:hover {color: blue;}\n"
    "      a:active {color: red;}\n"
    "      button {background-color: darkgreen; color: white; font-family: 'sans-serif';}\n"
    "      button:hover {color: blue;}\n"
    "      button:active {color: red;}\n"
    "      label {background-color:darkgreen; color: white; font-family: 'sans-serif'; font-size: 160%;}\n"
    "      input {background-color:darkblue; color: white; font-family: 'sans-serif'; font-size: 80%;}\n"
    // What idiot thought aligning the label with the bottom of textareas was a good default?
    "      textarea {background-color:darkblue; color: white; font-family: 'sans-serif'; font-size: 80%; vertical-align: top;}\n"
    "    </style>\n"
    "  </head>\n"
    "  <body bgcolor='black' text='white' link='aqua' vlink='fuchsia' alink='red'>\n"
    "  <font face='sans-serif'>\n"
    );
  reply->addstrf(reply, "    <div class='top-left'>\n");
  if (DEBUG)
    HTMLdebug(reply);
}

static void HTMLtable(qgrow_t *reply, MYSQL *db, MYSQL_RES *result, char *caption, char *URL, char *id)
{
  char *tbl = "";
  char *address, *addrend, *t, *t0;
  int count = 0, c = -1, i;
  MYSQL_ROW row;
  MYSQL_FIELD *fields = mysql_fetch_fields(result);

  reply->addstrf(reply, "<table border=\"1\"><caption>%s</caption>\n", caption);

  if (!fields)
    E("Failed fetching fields: %s", mysql_error(db));
  while ((row = mysql_fetch_row(result)))
  {
    reply->addstr(reply, "<tr>"); 
    address = xmprintf("");
    addrend = "";

    if (-1 == c)
      c = mysql_num_fields(result);

    if (0 == count)
    {
      for (i = 0; i < c; i++)
      {
	char *s = fields[i].name;

	reply->addstrf(reply, "<th>%s</th>", s);
      }
      reply->addstr(reply, "</tr>\n<tr>"); 
    }

    if (NULL != URL)
    {
      free(address);
      address = xmprintf("<a href=\"%s", URL);
      addrend = "</a>";
    }

    for (i = 0; i < c; i++)
    {
      char *s = fields[i].name;

      t0 = row[i];
      if (NULL == t0)
	E("No field %s!", s);
      else
      {
	if ((NULL != id) && (strcmp(s, id) == 0))
	  reply->addstrf(reply, "<td>%s&%s=%s\">%s%s</td>", address, id, t0, t0, addrend);
	else
	  reply->addstrf(reply, "<td>%s</td>", t0);
      }
    }
    reply->addstr(reply, "</tr>\n");

    free(address);
    count++;
  }

  reply->addstr(reply, "</table>");
  mysql_free_result(result);
}

static void HTMLhidden(qgrow_t *reply, char *name, char *val)
{
  if ((NULL != val) && ("" != val))
    reply->addstrf(reply, "      <input type=\"hidden\" name=\"%s\" value=\"%s\">\n", name, val);
}

static void HTMLform(qgrow_t *reply, char *action, char *token)
{
  reply->addstrf(reply, "    <form action=\"%s\" method=\"POST\">\n", action);
  if ((NULL != token) && ('\0' != token[0]))
    HTMLhidden(reply, "munchie", token);
}
static void HTMLformEnd(qgrow_t *reply)
{
  reply->addstrf(reply, "    </form>\n");
}

static void HTMLcheckBox(qgrow_t *reply, char *name, char *title, boolean checked, boolean required)
{
  // HTML is an absolute fucking horror.  This is so that we got an off sent to us if the checkbox is off, otherwise we get nothing.
  HTMLhidden(reply, name, "off");
  reply->addstrf(reply, "      <p>");
  reply->addstrf(reply, "<label><input type=\"checkbox\" name=\"%s\"", name);
  if (checked)
    reply->addstrf(reply, " checked", name);
//  if (required)
//    reply->addstr(reply, " required");
  reply->addstrf(reply, "> %s </label>", title);
//  reply->addstrf(reply, "> %s  ⛝  □  🞐   🞎   🞎   ☐  ▣️ ◉  ○  </label>", title);
  reply->addstrf(reply, "</p>\n"); 
}

static void HTMLtextArea(qgrow_t *reply, char *name, char *title, int rows, int cols, int min, int max, char *holder, char *comp, char *spell, char *wrap, char *val, boolean required, boolean readOnly)
{
  reply->addstrf(reply, "      <p><label>%s : <textarea name=\"%s\"", title, name);
  if (0 < rows)
    reply->addstrf(reply, " rows=\"%d\"", rows); 
  if (0 < cols)
    reply->addstrf(reply, " cols=\"%d\"", cols); 
  if (0 < min)
    reply->addstrf(reply, " minlength=\"%d\"", min); 
  if (0 < max)
    reply->addstrf(reply, " maxlength=\"%d\"", max); 
  if (required)
    reply->addstr(reply, " required");
  if (readOnly)
    reply->addstr(reply, " readonly");
  if ("" != holder)
    reply->addstrf(reply, " placeholder=\"%s\"", holder);
  if ("" != comp)
    reply->addstrf(reply, " autocomplete=\"%s\"", comp);
  if ("" != spell)
    reply->addstrf(reply, " spellcheck=\"%s\"", spell);
  if ("" != wrap)
    reply->addstrf(reply, " wrap=\"%s\"", wrap);
  if ((NULL != val) && ("" != val))
    reply->addstrf(reply, ">%s</textarea></label></p>\n", val);
  else
    reply->addstrf(reply, "></textarea></label></p>\n");
}

static void HTMLtext(qgrow_t *reply, char *type, char *title, char *name, char *val, int size, int max, boolean required)
{
  reply->addstrf(reply, "      <p><label>%s : <input type=\"%s\" name=\"%s\"", title, type, name);
  if ((NULL != val) && ("" != val))
    reply->addstrf(reply, " value=\"%s\"", val);
  if (0 < size)
    reply->addstrf(reply, " size=\"%d\"", size); 
  if (0 < max)
    reply->addstrf(reply, " maxlength=\"%d\"", max); 
  if (required)
    reply->addstr(reply, " required");
  reply->addstr(reply, "></label></p>\n"); 
}

static void HTMLselect(qgrow_t *reply, char *title, char *name)
{
  if (NULL == title)
    reply->addstrf(reply, "            <p><select name=\"%s\">", name);
  else
    reply->addstrf(reply, "      <p><label>%s : \n      <select name=\"%s\">\n", title, name);
}
static void HTMLselectEnd(qgrow_t *reply)
{
  reply->addstr(reply, "      </select></label></p>\n      \n");
}
static void HTMLselectEndNo(qgrow_t *reply)
{
  reply->addstr(reply, "      </select></p>");
}

static void HTMLoption(qgrow_t *reply, char *title, boolean selected)
{
  char *sel = "";

  if (selected)
    sel = " selected";
  reply->addstrf(reply, "        <option value=\"%s\"%s>%s</option>\n", title, sel, title);
}

static void HTMLbutton(qgrow_t *reply, char *name, char *title)
{
  reply->addstrf(reply, "      <button type=\"submit\" name=\"doit\" value=\"%s\">%s</button>\n", name, title);
}

static void HTMLlist(qgrow_t *reply, char *title, qlist_t *list)
{
  qlist_obj_t obj;

  reply->addstrf(reply, "<ul>%s\n", title);
  memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
  list->lock(list);
  while (list->getnext(list, &obj, false) == true)
    reply->addstrf(reply, "<li>%s</li>\n", (char *) obj.data);
  list->unlock(list);
  reply->addstr(reply, "</ul>\n");
}

static int count = 0;
void HTMLfill(reqData *Rd, enum fragmentType type, char *text, int length)
{
  char *tmp;

  switch (type)
  {
    case FT_TEXT:
    {
      if (length)
	Rd->reply->add(Rd->reply, (void *) text, length * sizeof(char));
      break;
    }

    case FT_PARAM:
    {
      if (strcmp("DEBUG", text) == 0)
      {
        if (DEBUG)
        {
	  Rd->reply->addstrf(Rd->reply, "<h1>FastCGI SledjChisl</h1>\n"
				        "<p>Request number %d,  Process ID: %d</p>\n", count++, getpid());
	  Rd->reply->addstrf(Rd->reply, "<p>libfcgi version: %s</p>\n", FCGI_VERSION);
	  Rd->reply->addstrf(Rd->reply, "<p>Lua version: %s</p>\n", LUA_RELEASE);
	  Rd->reply->addstrf(Rd->reply, "<p>LuaJIT version: %s</p>\n", LUAJIT_VERSION);
	  Rd->reply->addstrf(Rd->reply, "<p>MySQL client version: %s</p>\n", mysql_get_client_info());
	  outize(Rd->reply, Rd->headers, "Environment");
	  outize(Rd->reply, Rd->cookies, "Cookies");
	  outize(Rd->reply, Rd->queries, "Query");
	  outize(Rd->reply, Rd->body, "POST body");
	  outize(Rd->reply, Rd->stuff, "Stuff");
	  showSesh(Rd->reply, &Rd->shs);
	  if (Rd->lnk)	showSesh(Rd->reply, Rd->lnk);
	  outize(Rd->reply, Rd->database, "Database");
	  outizeCookie(Rd->reply, Rd->Rcookies, "Reply Cookies");
	  outize(Rd->reply, Rd->Rheaders, "Reply HEADERS");
	}
      }
      else if (strcmp("URL", text) == 0)
	Rd->reply->addstrf(Rd->reply, "%s://%s%s", Rd->Scheme, Rd->Host, Rd->Script);
      else
      {
	if ((tmp = Rd->stats->stats->getstr(Rd->stats->stats, text, false)) != NULL)
	  Rd->reply->addstr(Rd->reply, tmp);
	else
	  Rd->reply->addstrf(Rd->reply, "<b>%s</b>", text);
      }
      break;
    }

    case FT_LUA:
      break;
  }
}

static void HTMLfooter(qgrow_t *reply)
{
  reply->addstrf(reply, "    </div>\n");
  reply->addstr(reply,
    "    <div class='top-right'>\n"
    "      <h1>Test mode</h1>\n"
    "      <p>This account manager system is currently in test mode, and under heavy development. &nbsp; "
    "         Which means it's not all written yet, and things may break.</p>\n"
    "      <p>Your mission, should you choose to accept it, is to break it, and report how you broke it, so that onefang can fix it.</p>\n"
    "      <p>During test mode, no real grid accounts are created, and any accounts created with this will be deleted later. &nbsp; "
    "         So feel free to create as many test accounts as you need to test things.</p>\n"
    "      <p>We follow the usual web site registration process, which sends a validation email, with a link to click. &nbsp; "
    "         However, during this test mode, no emails will be sent, instead a link will be displayed near the top of the page when a user is logged in.</p>\n"
    "      <p>After creating an account, log on as your grid god account, click the 'validated members' button, click on the new member, set their level to 'approved', "
    "      then click on the 'save' button.  &nbsp; In theory that will create their in world account, in practice I still haven't written that bit.</p>"
    "      <p>Missing bits that are still being written - sending the emails, creating real grid accounts, editing accounts, listing accounts, deleting accounts.</p>\n"
    "    </div>\n");
//  reply->addstr(reply, "    <div class='centre'>\n    </div>\n");
  reply->addstr(reply,
//    "    <div class='bottom-left'>\n"
//    "    </div>\n"
    "    <div class='bottom-right'>\n"
    "      <iframe src='stats.html' style='border:none;height:100%;width:100%;'></iframe>\n"
    "    </div>\n"
    "  </font>\n"
    "</body>\n</html>\n");
}


fragment *newFragment(enum fragmentType type, char *text, int len)
{
  fragment *frg = xmalloc(sizeof(fragment));

  frg->type = type;
  frg->length = len;
  frg->text = xmalloc(len + 1);
  memcpy(frg->text, text, len);
  frg->text[len] = '\0';
  return frg;
}

qlist_t *fragize(char *mm, size_t length)
{
  qlist_t *fragments = qlist(QLIST_THREADSAFE);
  fragment *frg0, *frg1;

  char *h;
  int i, j = 0, k = 0, l, m;

  // Scan for server side includes style markings.
  for (i = 0; i < length; i++)
  {
    if (i + 5 < length)
    {
      if (('<' == mm[i]) && ('!' == mm[i + 1]) && ('-' == mm[i + 2]) && ('-' == mm[i + 3]) && ('#' == mm[i + 4]))		// '<!--#'
      {
	m = i;
	i += 5;
	if (i < length)
	{
	  if (('e' == mm[i]) && ('c' == mm[i + 1]) && ('h' == mm[i + 2]) && ('o' == mm[i + 3]) && (' ' == mm[i + 4]))		// 'echo '
	  {
	    i += 5;
	    if (i + 5 < length)
	    {
	      if (('v' == mm[i]) && ('a' == mm[i + 1]) && ('r' == mm[i + 2]) && ('=' == mm[i + 3]) && ('"' == mm[i + 4]))	// 'var="'
	      {
		i += 5;
		for (j = i; j < length; j++)
		{
		  if ('"' == mm[j])												// '"'
		  {
		    frg1 = newFragment(FT_PARAM, &mm[i], j - i);
		    i = j + 1;
		    if (i + 4 < length)
		    {
		      if ((' ' == mm[i]) && ('-' == mm[i + 1]) && ('-' == mm[i + 2]) && ('>' == mm[i + 3]))			// ' -->'
			i += 4;
		    }
		    frg0 = newFragment(FT_TEXT, &mm[k], m - k);
		    fragments->addlast(fragments, frg0, sizeof(fragment));
		    fragments->addlast(fragments, frg1, sizeof(fragment));
		    free(frg0);
		    free(frg1);
		    k = i;
		    break;
		  }
		}
	      }
	    }
	  }
	}
      }
    }
  }
  frg0 = newFragment(FT_TEXT, &mm[k], length - k);
  fragments->addlast(fragments, frg0, sizeof(*frg0));
  free(frg0);

  return fragments;
}

void unfragize(qlist_t *fragments, reqData *Rd, boolean fre)
{
  qlist_obj_t	lobj;
  memset((void *) &lobj, 0, sizeof(lobj));
  fragments->lock(fragments);
  while (fragments->getnext(fragments, &lobj, false) == true)
  {
    fragment *frg = (fragment *) lobj.data;
    if (NULL == frg->text)
    {
      E("NULL fragment!");
      continue;
    }
    if (NULL != Rd)
      HTMLfill(Rd, frg->type, frg->text, frg->length);
    if (fre)
      free(frg->text);
  }
  fragments->unlock(fragments);
  if (fre)
    fragments->free(fragments);
}

HTMLfile *checkHTMLcache(char *file)
{
  if (NULL == HTMLfileCache)
    HTMLfileCache = qhashtbl(0, 0);

  HTMLfile *ret = (HTMLfile *) HTMLfileCache->get(HTMLfileCache, file, NULL, true);
  int fd = open(file, O_RDONLY);
  size_t length = 0;

  if (-1 == fd)
  {
    HTMLfileCache->remove(HTMLfileCache, file);
    free(ret);
    ret = NULL;
  }
  else
  {
    struct stat sb;
    if (fstat(fd, &sb) == -1)
    {
      HTMLfileCache->remove(HTMLfileCache, file);
      free(ret);
      ret = NULL;
      E("Failed to stat %s", file);
    }
    else
    {
      if ((NULL != ret) && (ret->last.tv_sec < sb.st_mtim.tv_sec))
      {
	HTMLfileCache->remove(HTMLfileCache, file);
	free(ret);
	ret = NULL;
      }

      if (NULL == ret)
      {
	char *mm = MAP_FAILED;

	ret = xmalloc(sizeof(HTMLfile));
	length = sb.st_size;
	ret->last.tv_sec = sb.st_mtim.tv_sec;
	ret->last.tv_nsec = sb.st_mtim.tv_nsec;

	D("Loading web template %s, which is %d bytes long.", file, length);
	mm = mmap(NULL, length, PROT_READ, MAP_SHARED | MAP_POPULATE, fd, 0);
	if (mm == MAP_FAILED)
	{
	  HTMLfileCache->remove(HTMLfileCache, file);
	  free(ret);
	  ret = NULL;
	  E("Failed to mmap %s", file);
	}
        else
        {
	  ret->fragments = fragize(mm, length);
	  if (-1 == munmap(mm, length))
	    FCGI_fprintf(FCGI_stderr, "Failed to munmap %s\n", file);

	  HTMLfileCache->put(HTMLfileCache, file, ret, sizeof(*ret));
	}
      }
      close(fd);
    }
  }

  return ret;
}





/* TODO -

    On new user / password reset.
.	Both should have all the same security concerns as the login page, they are basically logins.
.	Codes should be "very long", "(for example, 16 case-sensitive alphanumeric characters)"
.    "confirm" button hit on "accountCreationPage" or "resetPasswordPage"
.	generate a new token, keep it around for idleTimeOut (or at least 24 hours), call it .linky instead of .lua
.	    hash the linky for the file name, for the same reason we hash the hashish with pepper for the leaf-node.
.	    Include user level field, new users get -200.
.	    Store the linky itself around somewhere we can find it quickly for logged in users.
.		store it in the regenerated session
.		Scratch that, we should never store the raw linky, see above about hashing the linky.

.	    The linky is just like the session token, create it in exactly the same way.
.		Linky is base64() of the binary, so it's short enough to be a file name, and not too long for the URL.
.		But we only get to send one of them as a linky URL, no backup cookies / body / headers.
.	    Sooo, need to separate the session stuff out of Rd->stuff.
.		Use two separate qhashtbl's, Rd->session and Rd->linky.

	For new user
.	    create their /opt/opensim_SC/var/lib/users/UUID.lua account record, and symlink firstName_lastName.lua to it.
.	    They can log on, 
	    but all they can do is edit their email to send a new validation code, and enter the validation code.
	    They can reset their password.
.	    Warn them on login and any page refresh that there is an outstanding validation awaiting them.
	For reset password
.	    Let them do things as normal, in case this was just someone being mean to them, coz their email addy might be public.
.	    Including the usual logging out and in again with their old password.
.	    Warn them on login and any page refresh that there is an outstanding password reset awaiting them.
+	email linky, which is some or all of the token result bits strung together, BASE64 encode the result.
.	regenerate the usual token
.    user clicks on the linky (or just enters the linky in a field)
.	validate the linky token.
	    compare the level field to the linky type in the linky URL, new users -200 would be "../validateUser/.." and not "../resetPassword/.."
.	delete the linky token
.	    Particularly important for the forgotten password email, since now that token is in the wild, and is used to reset a password.
	    	Which begs the question, other than being able to recieve the email, how do we tell it's them?
		    Security questions suck, too easily guessed.
		    Ask their DoB.  Still sucky, coz "hey it's my birthday today" is way too leaky.
		    This is what Multi Factor Autentication is good for, and that's on the TODO list.
		    Also, admins should have a harder time doing password resets.
			Must be approved by another admin?
			Must log onto the server via other means to twiddle something there?
	For password reset page
	    Ask their DoB to help confirm it's them.
		validate the DoB, delete tokens and back to the login page if they get it wrong
		Should warn people on the accountCreationPage that DoB might be used this way.
	    ask them for the new password, twice
	    Create a new passwordSalt and passwordHash, store them in the auth table.
	For validate new user page
.	    tell them they have validated
	    create their OpenSim account UserAccounts.UserTitle and auth tables, not GridUser table
	    create their GridUser record.
.	    update their UserAccounts.Userlevel and UserAccounts.UserTitle
.	    send them to the login page.
.	regenerate the usual token
?	let user stay logged on?
	    Check best practices for this.

    Check password strength.
	https://stackoverflow.com/questions/549/the-definitive-guide-to-form-based-website-authentication?rq=1
	    Has some pointers to resources in the top answers "PART V: Checking Password Strength" section.

    "PART VI: Much More - Or: Preventing Rapid-Fire Login Attempts"  and  "PART VII: Distributed Brute Force Attacks" is also good for -
    Login attempt throttling.
    Deal with dictionary attacks by slowing down access on password failures etc.

    Deal with editing yourself.
    Deal with editing others, but only as god.


    Regularly delete old session files and ancient newbies.


    Salts should be "lengthy" (128 bytes suggested in 2007) and random.  Should be per user to.  Or use a per user and a global one, and store the global one very securely.
	And store hash(salt+password).
	On the other hand, the OpenSim / SL password hashing function may be set in concrete in all the viewers.  I'll have to find out.
	    So far I have discovered -
		On login server side if the password doesn't start with $1$, then password = "$1$" + Util.Md5Hash(passwd);
		remove the "$1$ bit
		string hashed = Util.Md5Hash(password + ":" + data.Data["passwordSalt"].ToString());
		if (data.Data["passwordHash"].ToString() == hashed)
		    passwordHash is char(32), and as implied above, doesn't include the $1$ bit.  passwordSalt is also char(32)
		Cool VL and Impy at least sends the $1$ md5 hashed version over the wire.
		    Modern viewers obfuscate the details buried deep in C++ OOP crap.
		Sent via XMLRPC
		MD5 is considered broken since 2013, possibly longer.
	Otherwise use a slow hashing function.  bcrypt?  scrypt?  Argon2?  PBKDF2?
	    https://security.stackexchange.com/questions/211/how-to-securely-hash-passwords
    Should include a code in the result that tells us which algorithm was used, so we can change the algorithm at a later date.  /etc/passwd does this.
	Which is what the $1$ bit currently used between server and client is sorta for.

+    Would be good to have one more level of this Rd->database stuff, so we know the type of the thing.
	While qhashtbl has API for putting strings, ints, and memory, it has none for finding out what type a stored thing is.
	Once I have a structure, I add things like "level needed to edit it", "OpenSim db structure to Lua file mapping", and other fanciness.
	Would also help with the timestamp being stored for the session, it prints out binary gunk in the DEBUG <div>.
	Starting to get into object oriented territory here.  B-)
	    I'll have to do it eventually anyway.
	    object->tostring(object), and replace the big switch() statements in the existing db code with small functions.
		That's why the qLibc stuff has that format, coz C doesn't understand the concept of passing "this" as the first argument.
	    https://stackoverflow.com/questions/351733/how-would-one-write-object-oriented-code-in-c
	    https://stackoverflow.com/questions/415452/object-orientation-in-c
	    http://ooc-coding.sourceforge.net/


https://owasp.org/www-project-cheat-sheets/cheatsheets/Input_Validation_Cheat_Sheet.html#Email_Address_Validation
https://cheatsheetseries.owasp.org/
https://cheatsheetseries.owasp.org/cheatsheets/Cross_Site_Scripting_Prevention_Cheat_Sheet.html
https://owasp.org/www-project-cheat-sheets/cheatsheets/Authentication_Cheat_Sheet.html
https://softwareengineering.stackexchange.com/questions/46716/what-technical-details-should-a-programmer-of-a-web-application-consider-before
https://wiki.owasp.org/index.php/OWASP_Guide_Project
https://stackoverflow.com/questions/549/the-definitive-guide-to-form-based-website-authentication?rq=1
*/



// Forward declare this here so we can use it in validation functions.
//void loginPage(reqData *Rd, char *message);

/* Four choices for the token -  (https://cheatsheetseries.owasp.org/cheatsheets/Cross-Site_Request_Forgery_Prevention_Cheat_Sheet.html)
    https://en.wikipedia.org/wiki/Cross-site_request_forgery
	Has some more info.

Large random value generated by a secure method (getrandom(2)).
    Keep it secret, put it in hidden fields, or custom HTTP header (requires JavaScript but more secure than hidden fields).
    NOT cookies or GET.  Don't log it.
Cryptographically sign a session ID and timestamp.
    Timestamp is for session timeouts.
    Keep it secret, put it in hidden fields, or custom HTTP header (requires JavaScript but more secure than hidden fields).
    Needs a secret key server side.
A strong HMAC (SHA-256 or better) of a session ID and timestamp.
    The above document seems to imply that a key is used for this, the openssl EVP functions don't mention any way of supplying this key.
	https://en.wikipedia.org/wiki/HMAC says there is a key as well.
	https://www.openssl.org/docs/man1.1.0/man3/HMAC.html  HAH!  They can have keys.  OpenSSL's docs suck.
    Token = HMAC(sessionID+timestamp)+timestamp (Yes, timestamp is used twice).
    Keep it secret, put it in hidden fields, or custom HTTP header (requires JavaScript but more secure than hidden fields).
    Needs a secret key server side.
Double cookie
    Large random value generated by a secure method set as a cookie and hidden field.  Check they match.
    Optional - encrypt / salted hash it in another cookie / hidden field.
+	Also a resin (BASE64 session key in the query string).
	    Not such a good idea to have something in the query, coz that screws with bookmarks.
	https://security.stackexchange.com/questions/59470/double-submit-cookies-vulnerabilities
	    Though so far all the pages I find saying this don't say flat out say "use headers instead", though they do say "use HSTS".
	https://security.stackexchange.com/questions/220797/is-the-double-submit-cookie-pattern-still-effective
+	    Includes a work around that I might already be doing.
TODO - think it through, is it really secure against session hijacking?
TODO - document why we redirect POST to GET, coz it's a pain in the arse, and we have to do things twice.

SOOOOO - use double cookie + hidden field.
    No headers, coz I need JavaScript to do that.
    No hidden field when redirecting post POST to GET, coz GET doesn't get those.
    pepper		= long pass phrase or some such stored in .sledjChisl.conf.lua, which has to be protected dvs1/opensimsc/0640 as well as the database credentials.
    salt		= large random value generated by a secure method (getrandom(2)).
    seshID		= large random value generated by a secure method (getrandom(2)).
    timeStamp		= mtime of the leaf-node file, set to current time when we are creating the token.
    sesh		= seshID + timeStamp
    munchie		= HMAC(sesh) + timeStamp	The token	hidden field
    toke_n_munchie	= HMAC(UUID + munchie)		The token	cookie
    hashish		= HMACkey(toke_n_munchie, salt)	Salted token	cookie & linky query
?    resin		= BASE64(hashish)		Base64 token	cookie
    leaf-node		= HMACkey(hashish, pepper)	Stored token	file name

    Leaf-node.lua (mtime is timeStamp)
	IP, UUID, salt, seshID, user name, passwordSalt, passwordHash (last two for OpenSim password protocol)

    The test -  (validateSesh() below)
	we get hashish and toke_n_munchie
	HMACkey(hashish + pepper)	-> leaf-node
	read leaf-node.lua		-> IP, UUID, salt, seshID
	get it's mtime			-> timeStamp
	seshID + timeStamp		-> sesh
	HMAC(sesh) + timeStamp		-> munchie
	    if we got munchie in the hidden field, compare it
	toke_n_munchie == HMAC(UUID + munchie)
	    For linky it'll be -
	    HMAC(UUID + munchie) 	-> toke_n_munchie
	hashish == HMACkey(toke_n_munchie + salt)
+	If it's too old according to mtime, delete it and logout.

I should make it easy to change the HMAC() function.  Less important for these short lived sessions, more important for the linky URLs, most important for stored password hashes.
    Same for the pepper.

The required JavaScript might be like https://cheatsheetseries.owasp.org/cheatsheets/Cross-Site_Request_Forgery_Prevention_Cheat_Sheet.html#xmlhttprequest--native-javascript-
    NOTE - they somehow fucked up that anchor tag.

NOTE - storing a pepper on the same RAID array as everything else will be a problem when it comes time to replace one of the disks.
	It might have failed badly enough that you can't wipe it, but an attacker can dumpster dive it, replace the broken bit (firmware board), and might get lucky.
	Also is a problem with SSD and rust storing good data on bad sectors in the spare sector pool, wear levelling, etc.

https://stackoverflow.com/questions/16891729/best-practices-salting-peppering-passwords
*/


qlisttbl_t *accountLevels = NULL;


static void bitch(reqData *Rd, char *message, char *log)
{
  addStrL(Rd->errors, message);
  E("%s %s  %s - %s  %s", getStrH(Rd->headers, "REMOTE_ADDR"), Rd->shs.UUID, getStrH(Rd->stuff, "name"), message, log);
}

/* "A token cookie that references a non-existent session, its value should be replaced immediately to prevent session fixation."
https://owasp.org/www-community/attacks/Session_fixation
    Which describes the problem, but offers no solution.
    See https://stackoverflow.com/questions/549/the-definitive-guide-to-form-based-website-authentication?rq=1.
I think this means send a new cookie.
    I clear out the cookies and send blank ones with -1 maxAge, so they should get deleted.
*/
static void bitchSession(reqData *Rd, char *message, char *log)
{
  addStrL(Rd->errors, message);
  C("%s %s  %s - %s  %s", getStrH(Rd->headers, "REMOTE_ADDR"), Rd->shs.UUID, getStrH(Rd->stuff, "name"), message, log);
//  Rd->vegOut = TRUE;
}


// The ancient, insecure since 2011, Second Life / OpenSim password hashing algorithm.
char *newSLOSsalt(reqData *Rd)
{
  char *salt = NULL;
  unsigned char *md5hash = xzalloc(17);
  char uuid[37];
  uuid_t binuuid;

  uuid_generate_random(binuuid);
  uuid_unparse_lower(binuuid, uuid);
  if (!qhashmd5((void *) uuid, strlen(uuid), md5hash))
    bitch(Rd, "Internal error.", "newSLOSsalt() - qhashmd5(new uuid) failed.");
  else
    salt = qhex_encode(md5hash, 16);
  free(md5hash);
  return salt;
}

char *checkSLOSpassword(reqData *Rd, char *salt, char *password, char *passwordHash, char *fail)
{
  char *ret = NULL;
  int rt = 0;
  unsigned char *md5hash = xzalloc(17);
  char *hash = NULL, *passHash = NULL;

T("checkSLOSpassword(%s,  %s,  %s,  ", password, salt, passwordHash, fail);
  // Calculate passHash.
  if (!qhashmd5((void *) password, strlen(password), md5hash))
  {
    bitch(Rd, "Internal error.", "checkSLOSpassword() - qhashmd5(password) failed.");
    rt++;
  }
  else
  {
    passHash = qhex_encode(md5hash, 16);
    hash = xmprintf("%s:%s", passHash, salt);
    if (!qhashmd5((void *) hash, strlen(hash), md5hash))
    {
      bitch(Rd, "Internal error.", "checkSLOSpassword() - qhashmd5(password:salt) failed.");
      rt++;
    }
    else
    {
      ret = qhex_encode(md5hash, 16);
    }
    free(hash);
    free(passHash);
  }

  // If one was passed in, compare it.
  if ((NULL != ret) && (NULL != passwordHash) && (strcmp(ret, passwordHash) != 0))
  {
    bitch(Rd, fail, "Password doesn't match passwordHash");
    E("  %s   %s - %s != %s", password, salt, ret, passwordHash);
    rt++;
    free(ret);
    ret = NULL;
  }
  free(md5hash);

  return ret;
}


int LuaToHash(reqData *Rd, char *file, char *var, qhashtbl_t *tnm, int ret, struct stat *st, struct timespec *now, char *type)
{
  struct timespec then;

  if (-1 == clock_gettime(CLOCK_REALTIME, &then))
    perror_msg("Unable to get the time.");
  I("Reading %s file %s", type, file);
  if (0 != stat(file, st))
  {
    D("No %s file.", file);
    perror_msg("Unable to stat %s", file);
    ret++;
  }
  else
  {
    int status = luaL_loadfile(Rd->L, file), result;

    if (status)
    {
      bitchSession(Rd, "No such thing.", "Can't load file.");
      E("Couldn't load file: %s", lua_tostring(Rd->L, -1));
      ret++;
    }
    else
    {
      result = lua_pcall(Rd->L, 0, LUA_MULTRET, 0);

      if (result)
      {
	bitchSession(Rd, "Broken thing.", "Can't run file.");
	E("Failed to run script: %s", lua_tostring(Rd->L, -1));
	ret++;
      }
      else
      {
	lua_getglobal(Rd->L, var);
	lua_pushnil(Rd->L);

	while(lua_next(Rd->L, -2) != 0)
	{
	  char *n = (char *) lua_tostring(Rd->L, -2);

	  if (lua_isstring(Rd->L, -1))
	  {
	    tnm->putstr(tnm, n, (char *) lua_tostring(Rd->L, -1));
d("Lua reading (%s) %s = %s", type, n, getStrH(tnm, n));
	  }
	  else
	  {
	    char *v = (char *) lua_tostring(Rd->L, -1);
	    W("Unknown Lua variable type for %s = %s", n, v);
	  }
	  lua_pop(Rd->L, 1);
	}

	if (-1 == clock_gettime(CLOCK_REALTIME, now))
	  perror_msg("Unable to get the time.");
	double n = (now->tv_sec * 1000000000.0) + now->tv_nsec;
	double t = (then.tv_sec * 1000000000.0) + then.tv_nsec;
	T("Reading %s file took %lf seconds", type, (n - t) / 1000000000.0);
      }
    }
  }

  return ret;
}


char *checkLinky(reqData *Rd)
{
// TODO - should be from Rd.shs->linky-hashish
  char *ret = xstrdup(""), *t0 = getStrH(Rd->stuff, "linky-hashish");

  if ('\0' != t0[0])
  {
    char *t1 = qurl_encode(t0, strlen(t0));
    free(ret);
    ret = xmprintf("<p><font color='red'><b>You have an email waiting with a validation link in it, please check your email. &nbsp; "
		    "It will be from %s@%s, and it might be in your spam folder, coz these sorts of emails sometimes end up there. &nbsp; "
		    "You should add that email address to your contacts, or otherwise let it through your spam filter. &nbsp; "
//		    "<a href='https://%s%s?hashish=%s'>%s</a>"
		    "</b></font></p>\n",
		    "grid_no_reply", Rd->Host,
		    Rd->Host, Rd->RUri
//		    ,t1, t0
		    );
    free(t1);
  }
  return ret;
}


static void freeSesh(reqData *Rd, boolean linky, boolean wipe)
{
  char *file = NULL;
  sesh *shs = &Rd->shs;

T("free sesh %s %s", linky ? "linky" : "session", wipe ? "wipe" : "delete");
  if (linky)
  {
    shs = Rd->lnk;
    file = xmprintf("%s/sessions/%s.linky", scCache, shs->leaf);
  }
  else
    file = xmprintf("%s/sessions/%s.lua", scCache, shs->leaf);

  if (wipe)
    I("Wiping session %s.", file);
  else
    I("Deleting session %s.", file);

  if ('\0' != shs->leaf[0])
  {
    if (unlink(file))
      perror_msg("Unable to delete %s", file);
  }

  Rd->body->   remove(Rd->body,    "munchie");

  Rd->cookies->remove(Rd->cookies, "toke_n_munchie");
  Rd->cookies->remove(Rd->cookies, "hashish");

  cookie *ck = setCookie(Rd, "toke_n_munchie", "");
  cookie *ckh = setCookie(Rd, "hashish", "");
  ck->maxAge = -1;	// Should expire immediately.
  ckh->maxAge = -1;	// Should expire immediately.

  qhashtbl_obj_t obj;

  if (wipe)
  {
    memset((void*)&obj, 0, sizeof(obj));
    Rd->database->lock(Rd->database);
    while(Rd->database->getnext(Rd->database, &obj, false) == true)
      Rd->database->remove(Rd->database, obj.name);
    Rd->database->unlock(Rd->database);
    if (NULL != shs->name)	free(shs->name);
    shs->name = NULL;
    if (NULL != shs->UUID)	free(shs->UUID);
    shs->UUID = NULL;
    shs->level = -256;
// TODO - should I wipe the rest of Rd->shs as well?
    Rd->stuff->remove(Rd->stuff, "name");
    Rd->stuff->remove(Rd->stuff, "firstName");
    Rd->stuff->remove(Rd->stuff, "lastName");
    Rd->stuff->remove(Rd->stuff, "email");
    Rd->stuff->remove(Rd->stuff, "passwordSalt");
    Rd->stuff->remove(Rd->stuff, "passwordHash");
    Rd->stuff->remove(Rd->stuff, "passHash");
    Rd->stuff->remove(Rd->stuff, "passSalt");
    Rd->stuff->remove(Rd->stuff, "linky-hashish");
  }

  if (shs->isLinky)
  {
    free(Rd->lnk);
    Rd->lnk = NULL;
  }
  else
  {
    shs->leaf[0] = '\0';
  }
  free(file);
}

static void setToken_n_munchie(reqData *Rd, boolean linky)
{
  sesh *shs = &Rd->shs;
  char *file;

  if (linky)
  {
    shs = Rd->lnk;
    file = xmprintf("%s/sessions/%s.linky", scCache, shs->leaf);
  }
  else
  {
    file = xmprintf("%s/sessions/%s.lua", scCache, shs->leaf);
  }

  struct stat st;
  int s = stat(file, &st);

  if (!linky)
  {
    setCookie(Rd, "toke_n_munchie", shs->toke_n_munchie);
    setCookie(Rd, "hashish", shs->hashish);
  }
  char *tnm0 = xmprintf( "toke_n_munchie = \n"
			"{\n"
			"  ['IP']='%s',\n"
			"  ['salt']='%s',\n"
			"  ['seshID']='%s',\n",
			getStrH(Rd->headers, "REMOTE_ADDR"),
			shs->salt,
			shs->seshID
		      );
  char *tnm1 = xmprintf("  ['name']='%s',\n  ['level']='%d',\n", shs->name, (int) shs->level);
  char *tnm2 = xmprintf("  ['UUID']='%s',\n", shs->UUID);
  char *tnm3 = xmprintf("  ['passHash']='%s',\n", getStrH(Rd->stuff, "passHash"));
  char *tnm4 = xmprintf("  ['passSalt']='%s',\n", getStrH(Rd->stuff, "passSalt"));
  char *tnm9 = xmprintf("}\n"
			"return toke_n_munchie\n");
  int fd = notstdio(xcreate_stdio(file, O_CREAT | O_WRONLY | O_TRUNC | O_CLOEXEC, S_IRUSR | S_IWUSR));
  size_t l = strlen(tnm0);


  if (s)
    I("Creating session %s.", file);
  else
    C("Updating session %s.", file);	// I don't think updates can occur now.
t("Write shs %s", tnm0);
  if (l != writeall(fd, tnm0, l))
  {
    perror_msg("Writing %s", file);
    freeSesh(Rd, linky, TRUE);
  }

  if (NULL != shs->name)
  {
t("Write shs %s", tnm1);
    l = strlen(tnm1);
    if (l != writeall(fd, tnm1, l))
    {
      perror_msg("Writing %s", file);
      freeSesh(Rd, linky, TRUE);
    }
  }
  if (NULL != shs->UUID)
  {
t("Write shs %s", tnm2);
    l = strlen(tnm2);
    if (l != writeall(fd, tnm2, l))
    {
      perror_msg("Writing %s", file);
      freeSesh(Rd, linky, TRUE);
    }
  }

  if ('\0' != getStrH(Rd->stuff, "passHash")[0])
  {
t("Write shs %s", tnm3);
    l = strlen(tnm3);
    if (l != writeall(fd, tnm3, l))
    {
      perror_msg("Writing %s", file);
      freeSesh(Rd, linky, TRUE);
    }
  }

  if ('\0' != getStrH(Rd->stuff, "passSalt")[0])
  {
t("Write shs %s", tnm4);
    l = strlen(tnm4);
    if (l != writeall(fd, tnm4, l))
    {
      perror_msg("Writing %s", file);
      freeSesh(Rd, linky, TRUE);
    }
  }

  l = strlen(tnm9);
  if (l != writeall(fd, tnm9, l))
  {
    perror_msg("Writing %s", file);
    freeSesh(Rd, linky, TRUE);
  }
  // Set the mtime on the file.
  futimens(fd, shs->timeStamp);
  xclose(fd);
  free(tnm9);
  free(tnm4);
  free(tnm3);
  free(tnm2);
  free(tnm1);
  free(tnm0);
  free(file);


  if (linky)
  {
// TODO - Later use libcurl.

      char *uuid = Rd->shs.UUID, *first = getStrH(Rd->stuff, "firstName"), *last = getStrH(Rd->stuff, "lastName");
// TODO - should be from Rd.shs->linky-hashish
      char *t0 = xstrdup(Rd->lnk->hashish), *content, *command;

      if ('\0' != t0[0])
      {
        size_t sz = qhex_decode(t0);
        char *t1 = qB64_encode(t0, sz);

        content = xmprintf(
          "From: grid_no_reply@%s\n"
          "Relpy-to: grid_no_reply@%s\n"
          "Return-Path: bounce_email@%s\n"
          "To: %s\n"
          "Subject: Validate your new account on %s\n"
          "\n"
          "This is an automated validation email sent from %s.\n"
          "\n"
	  "Dear %s %s,\n"
	  "\n"
	  "Some one has created the account '%s %s' on \n"
	  "https://%s%s, and hopefully it was you.\n"
	  "If it wasn't you, you can ignore this email.\n"
	  "\n"
	  "Please go to this web link to validate your new account -\n"
	  "https://%s%s?hashish=%s\n"
	  "\n"
	  "Do not reply to this email.\n"
	  "\n",
	  Rd->Host, Rd->Host, Rd->Host,
	  getStrH(Rd->stuff, "email"),
	  Rd->Host, Rd->Host,
	  first, last,
	  first, last, Rd->Host, Rd->RUri,
	  Rd->Host, Rd->RUri, t1
	);
	l = strlen(content);
	file = xmprintf("%s/sessions/%s.email", scCache, shs->leaf);
	fd = notstdio(xcreate_stdio(file, O_CREAT | O_WRONLY | O_TRUNC | O_CLOEXEC, S_IRUSR | S_IWUSR));

	if (l != writeall(fd, content, l))
	{
	  perror_msg("Writing %s", file);
//	  freeSesh(Rd, linky, TRUE);
	}
	xclose(fd);
	I("Sending linky email to %s  %s", getStrH(Rd->stuff, "email"), t1);
	command = xmprintf("sendmail -oi -t <'%s'", file);
	int i = system(command);
	if (!WIFEXITED(i))
	  E("sendmail command failed!");
	free(command);
	free(file);
	free(content);
	free(t1);
	free(t0);
      }
  }
}


static void generateAccountUUID(reqData *Rd)
{
  // Generate a UUID, check it isn't already being used.
  char uuid[37], *where;
  uuid_t binuuid;
  my_ulonglong users = 0;
  int c;

  do	// UserAccounts.PrincipalID is a unique primary index anyway, but we want the user creation process to be a little on the slow side.
  {
    struct stat st;

    uuid_generate_random(binuuid);
    uuid_unparse_lower(binuuid, uuid);
    // Try Lua user file.
    where = xmprintf("%s/users/%s.lua", scData, uuid);
    c = stat(where, &st);
    if (c)
      users = 1;
    free(where);
    // Try database.
    where = xmprintf("UserAccounts.PrincipalID = '%s'", uuid);
    D("Trying new UUID %s.", where);
    users = dbCount(Rd->db, "UserAccounts", where);
    free(where);
  } while (users != 0);
  Rd->shs.UUID = xstrdup(uuid);
  Rd->shs.level = -200;
  Rd->database->putstr(Rd->database, "UserAccounts.PrincipalID", uuid);
  Rd->database->putstr(Rd->database, "UserAccounts.Userlevel",	 "-200");
}

char *getLevel(short level)
{
  char *ret = "", *lvl = xmprintf("%d", level);
  ret = accountLevels->getstr(accountLevels, lvl, false);
  if (NULL == ret)
  {
    qlisttbl_obj_t obj;

    memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
    accountLevels->lock(accountLevels);
    while(accountLevels->getnext(accountLevels, &obj, NULL, false) == true)
    {
      if (atoi(obj.name) <= level)
        ret = (char *) obj.data;
    }
  }
  free(lvl);
  return ret;
}

static void accountWrite(reqData *Rd)
{
  char *uuid = getStrH(Rd->database, "UserAccounts.PrincipalID"); 
  char *file = xmprintf("%s/users/%s.lua", scData, uuid);
  char *level = getStrH(Rd->database, "UserAccounts.UserLevel");
  char *link = (NULL == Rd->lnk) ? "" : Rd->lnk->hashish;
  char *about = encodeSlash(getStrH(Rd->stuff, "aboutMe"));
  char *voucher = encodeSlash(getStrH(Rd->stuff, "voucher"));
  char *tnm = xmprintf( "user = \n"
			"{\n"
			"  ['name']='%s',\n"
// TODO - putting these in Lua as numbers causes lua_tolstring to barf when we read them.  Though Lua is supposed to convert between numbers and strings.
			"  ['created']='%ld',\n"
			"  ['email']='%s',\n"
			"  ['title']='%s',\n"
			"  ['level']='%s',\n"
			"  ['flags']='%d',\n"
			"  ['active']='%d',\n"
			"  ['passwordHash']='%s',\n"
			"  ['passwordSalt']='%s',\n"
			"  ['UUID']='%s',\n"
			"  ['DoB']='%s',\n"
			"  ['agree']='%s',\n"
			"  ['adult']='%s',\n"
			"  ['aboutMe']='%s',\n"
			"  ['vouched']='%s',\n"
			"  ['voucher']='%s',\n"
			"  ['linky-hashish']='%s',\n"
			"}\n"
			"return user\n",
			getStrH(Rd->stuff, "name"),
			(strcmp("", getStrH(Rd->stuff, "created")) != 0) ? atol(getStrH(Rd->stuff, "created")) : (long) Rd->shs.timeStamp[1].tv_sec,
			getStrH(Rd->stuff, "email"),
			getLevel(atoi(level)),
			level,
			64,
			0,
			getStrH(Rd->stuff, "passwordHash"),
			getStrH(Rd->stuff, "passwordSalt"),
			uuid,
			getStrH(Rd->stuff, "DoB"),
			getStrH(Rd->stuff, "agree"),
			getStrH(Rd->stuff, "adult"),
			about,
			"off",
			voucher,
			link
		      );

  struct stat st;
  int s = stat(file, &st);

  int fd = notstdio(xcreate_stdio(file, O_CREAT | O_WRONLY | O_TRUNC | O_CLOEXEC, S_IRUSR | S_IWUSR));
  size_t l = strlen(tnm);

  if (s)
    I("Creating user %s.", file);
  else
    C("Updating user %s.", file);
  if (l != writeall(fd, tnm, l))
    perror_msg("Writing %s", file);
  else
  {
    char *name = Rd->stuff->getstr(Rd->stuff, "name", true);
    char *nm = xmprintf("%s/users/%s.lua", scData, qstrreplace("tr", name, " ", "_"));

    free(file);
    file = xmprintf("%s.lua", Rd->shs.UUID);
    I("Symlinking %s to %s", file, nm);
    if (0 != symlink(file, nm))
      perror_msg("Symlinking %s to %s", file, nm);
    free(nm);  free(name);
  }
  xclose(fd);
  free(tnm);
  free(voucher);
  free(about);
  free(file);
}

static sesh *newSesh(reqData *Rd, boolean linky)
{
  unsigned char *md5hash = xzalloc(17);
  char *toke_n_munchie, *munchie, *hashish, *t0, *t1;
  char uuid[37];
  uuid_t binuuid;
  sesh *ret = &Rd->shs;

T("new sesh %s %s %s", linky ? "linky" : "session", ret->UUID, ret->name);
  if (linky)
  {
    Rd->lnk = xzalloc(sizeof(sesh));
    ret = Rd->lnk;
    ret->UUID = Rd->shs.UUID;
  }

  char buf[128];	// 512 bits.
  int numBytes = getrandom((void *)buf, sizeof(buf), GRND_NONBLOCK);

  // NOTE that getrandom() returns random bytes, which may include '\0'.
  if (-1 == numBytes)
  {
    perror_msg("Unable to generate a suitable random number.");
    // EAGAIN - not enough entropy, try again.
    // EINTR  - signal handler interrupted it, try again.
  }
  else
  {
    t0 = qhex_encode(buf, sizeof(buf));
    qstrcpy(ret->salt, sizeof(ret->salt), t0);
    free(t0);
//d("salt %s", ret->salt);
    numBytes = getrandom((void *)buf, sizeof(buf), GRND_NONBLOCK);
    if (-1 == numBytes)
      perror_msg("Unable to generate a suitable random number.");
    else
    {
      t0 = qhex_encode(buf, sizeof(buf));
      qstrcpy(ret->seshID, sizeof(ret->seshID), t0);
      free(t0);
//d("seshID %s", ret->seshID);

      ret->timeStamp[0].tv_nsec = UTIME_OMIT;
      ret->timeStamp[0].tv_sec  = UTIME_OMIT;
      if (-1 == clock_gettime(CLOCK_REALTIME, &ret->timeStamp[1]))
	perror_msg("Unable to get the time.");
      else
      {
	// tv_sec is a time_t, tv_nsec is a long, but the actual type of time_t isn't well defined, it's some sort of integer.
	t0 = xmprintf("%s%ld.%ld", ret->seshID, (long) ret->timeStamp[1].tv_sec, ret->timeStamp[1].tv_nsec);
	qstrcpy(ret->sesh, sizeof(ret->sesh), t0);
//d("sesh %s", ret->sesh);
	t1 = myHMAC(t0, FALSE);
	free(t0);
	munchie = xmprintf("%s%ld.%ld", t1, (long) ret->timeStamp[1].tv_sec, ret->timeStamp[1].tv_nsec);
	free(t1);
	qstrcpy(ret->munchie, sizeof(ret->munchie), munchie);
//d("munchie %s", ret->munchie);
// TODO - chicken and egg?  Used to be from stuff->UUID.
	t1 = ret->UUID;
	if (NULL == t1)
	{
	  uuid_clear(binuuid);
	  uuid_unparse_lower(binuuid, uuid);
	  ret->UUID = uuid;
	}
	t0 = xmprintf("%s%s", ret->UUID, munchie);
	free(munchie);
	toke_n_munchie = myHMAC(t0, FALSE);
	free(t0);
	qstrcpy(ret->toke_n_munchie, sizeof(ret->toke_n_munchie), toke_n_munchie);
//d("toke_n_munchie %s", ret->toke_n_munchie);
	hashish = myHMACkey(ret->salt, toke_n_munchie, FALSE);
	free(toke_n_munchie);
	qstrcpy(ret->hashish, sizeof(ret->hashish), hashish);
//d("hashish %s", ret->hashish);
	t0 = myHMACkey(getStrH(Rd->configs, "pepper"), hashish, TRUE);
	free(hashish);
	qstrcpy(ret->leaf, sizeof(ret->leaf), t0);
//d("leaf %s", ret->leaf);
	free(t0);
	ret->isLinky = linky;
	setToken_n_munchie(Rd, linky);
      }
    }
  }

  free(md5hash);
  return ret;
}




/* CRUD (Create, Read, Update, Delete)
CRAP (Create, Replicate, Append, Process)
Though I prefer -
DAVE (Delete, Add, View, Edit), coz the names are shorter.  B-)
On the other hand, list or browse needs to be added, which is why they have
BREAD (Browse, Read, Edit, Add, Delete)
CRUDL (Create, Read, Update, Delete, List)
CRUDE (Create, Read, Update, Delete, Experience)
Maybe -
DAVEE (Delete, Add, View, Edit, Explore)
*/

//  lua.h has LUA_T* NONE, NIL, BOOLEAN, LIGHTUSERDATA, NUMBER, STRING, TABLE, FUNCTION, USERDATA, THREAD as defines, -1 - 8.
//  These are the missing ones.  Then later we will have prim, mesh, script, sound, terrain, ...
#define LUA_TGROUP	42
#define LUA_TINTEGER	43
#define LUA_TEMAIL	44
#define LUA_TPASSWORD	45
#define LUA_TFILE	46
#define LUA_TIMAGE	47

#define FLD_NONE	0
#define FLD_EDITABLE	1
#define FLD_HIDDEN	2
#define FLD_REQUIRED	4

typedef struct _inputField inputField;
typedef struct _inputSub inputSub;
typedef struct _inputForm inputForm;
typedef struct _inputValue inputValue;

typedef int   (*inputFieldValidFunc)	(reqData *Rd, inputForm *iF, inputValue *iV);
typedef void  (*inputFieldShowFunc)	(reqData *Rd, inputForm *iF, inputValue *iV);
typedef int   (*inputSubmitFunc)	(reqData *Rd, inputForm *iF, inputValue *iV);
typedef void  (*inputFormShowFunc)	(reqData *Rd, inputForm *iF, inputValue *iV);

struct _inputField
{
  char *name, *title, *help;
  inputFieldValidFunc validate;	// Alas C doesn't have any anonymous function standard.
  inputFieldShowFunc web, console, gui;
  inputField **group;		// If this is a LUA_TGROUP, then this will be a null terminated array of the fields in the group.
//  database details
//  lua file details
  signed char type, flags;
  short editLevel, viewLevel, viewLength, maxLength;
};
struct _inputSub
{
  char *name, *title, *help, *outputForm;
  inputSubmitFunc submit;
};
struct _inputForm
{
  char *name, *title, *help;
  qlisttbl_t *fields;		// qlisttbl coz iteration in order and lookup are important.
  qhashtbl_t *subs;
  inputFormShowFunc web, eWeb;	// display web, console, gui;
// read function
// write function
};
struct _inputValue
{
  inputField *field;
  void *value;			// If this is a LUA_TGROUP, then this will be a null.
  short valid;			// 0 for not yet validated, negative for invalid, positive for valid.
  short source, index;
};


static int sessionValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  boolean linky = FALSE;
  char	*toke_n_munchie = "", *munchie = "", *hashish = "", *leaf = "", *timeStamp = "", *seshion = "", *seshID = "", *t0, *t1;

  // In this case the session stuff has to come from specific places.
  hashish	 = Rd->queries->getstr(Rd->queries,	"hashish", true);
//d("O hashish %s", hashish);
  if (NULL != hashish)
  {
    char *t = xstrdup(hashish);
    size_t sz = qB64_decode(t);

    free(hashish);
    hashish = qhex_encode(t, sz);
    linky = TRUE;
  }
  else
  {
    toke_n_munchie	= getStrH(Rd->cookies,	"toke_n_munchie");
//    munchie		= getStrH(Rd->body,	"munchie");
    hashish		= Rd->cookies->getstr(Rd->cookies, "hashish", true);
    if (('\0' == toke_n_munchie[0]) || ((NULL == hashish)))
    {
      if (strcmp("logout", Rd->doit) == 0)
      {
        d("Not checking session, coz we are logging out.");
        return ret;
      }
      bitchSession(Rd, "Invalid session.", "No or blank hashish or toke_n_munchie.");
      ret++;
    }
  }

//d("O hashish %s", hashish);
//d("O toke_n_munchie %s", toke_n_munchie);
//d("O munchie %s", munchie);
  if (0 == ret)
  {
    struct stat st;
    struct timespec now;

    leaf = myHMACkey(getStrH(Rd->configs, "pepper"), hashish, TRUE);
//d("leaf %s", leaf);
    if (linky)
      t0 = xmprintf("%s/sessions/%s.linky", scCache, leaf);
    else
      t0 = xmprintf("%s/sessions/%s.lua", scCache, leaf);

    qhashtbl_t *tnm = qhashtbl(0, 0);
    ret = LuaToHash(Rd, t0, "toke_n_munchie", tnm, ret, &st, &now, "session");
    free(t0);

    if (0 == ret)
    {
      // This is apparently controversial, I added it coz some of the various security docs suggested it's a good idea.
      // https://security.stackexchange.com/questions/139952/why-arent-sessions-exclusive-to-an-ip-address?rq=1
      //	Includes various reasons why it's bad.
      // Another good reason why it is bad, TOR.
      // So should make this a user option, like Mantis does.
      if (strcmp(getStrH(Rd->headers, "REMOTE_ADDR"), getStrH(tnm, "IP")) != 0)
      {
	bitchSession(Rd, "Wrong IP for session.", "Session IP doesn't match.");
	ret++;
      }
      else
      {
	timeStamp = xmprintf("%ld.%ld", (long) st.st_mtim.tv_sec, st.st_mtim.tv_nsec);
//d("timeStamp %s", timeStamp);
	seshion = xmprintf("%s%s", tnm->getstr(tnm, "seshID", false), timeStamp);
//d("sesh %s", seshion);
	t0 = myHMAC(seshion, FALSE);
	munchie = xmprintf("%s%s", t0, timeStamp);
//d("munchie %s", munchie);
	free(t0);
	free(timeStamp);
	t1 = getStrH(Rd->body, "munchie");
	if ('\0' != t1[0])
	{
	  if (strcmp(t1, munchie) != 0)
	  {
	    bitchSession(Rd, "Wrong munchie for session.", "HMAC(seshID + timeStamp) != munchie");
	    ret++;
	  }
	  else
	  {
	    t0 = xmprintf("%s%s", getStrH(tnm, "UUID"), munchie);
	    t1 = myHMAC(t0, FALSE);
	    free(t0);

//d("toke_n_munchie %s", t1);
	    if (strcmp(t1, toke_n_munchie) != 0)
	    {
	      bitchSession(Rd, "Wrong toke_n_munchie for session.", "HMAC(UUID + munchie) != toke_n_munchie");
	      ret++;
	    }
	    free(t1);
	  }

	  if (linky)
	  {
	    t0 = xmprintf("%s%s", getStrH(tnm, "UUID"), munchie);
	    t1 = myHMAC(t0, FALSE);
	    free(t0);
	    toke_n_munchie = t1;
//d("toke_n_munchie %s", t1);
	  }
	  t1 = myHMACkey(getStrH(tnm, "salt"), toke_n_munchie, FALSE);
//d("hashish %s", t1);
	  if (strcmp(t1, hashish) != 0)
	  {
	    bitchSession(Rd, "Wrong hashish for session.", "HMAC(toke_n_munchie + salt) != hashish");
	    ret++;
	  }
	  free(t1);

	}

	if (0 == ret)
	{
	  if (now.tv_sec > st.st_mtim.tv_sec + idleTimeOut)
	  {
	    W("Session idled out.");
//	    Rd->vegOut = TRUE;
	  }
	  else
	  {
	    if (now.tv_sec > st.st_mtim.tv_sec + seshTimeOut)
	    {
	      W("Session timed out.");
//	      Rd->vegOut = TRUE;
	    }
	    else
	    {
W("Validated session.");
	      sesh *shs = &Rd->shs;

	      qstrcpy(shs->leaf,		sizeof(shs->leaf),		leaf);
	      if (linky)
	      {
W("Validated session linky.");
		addStrL(Rd->messages, "Congratulations, you have validated your new account.  Now you can log onto the web site.");
		addStrL(Rd->messages, "NOTE - you wont be able to log onto the grid until your new account has been approved.");
		Rd->lnk = xzalloc(sizeof(sesh));
		qstrcpy(Rd->lnk->leaf, sizeof(Rd->lnk->leaf), leaf);
		freeSesh(Rd, linky, FALSE);
		qstrcpy(Rd->lnk->leaf, sizeof(Rd->lnk->leaf), "");
		Rd->doit = "validate";
		Rd->output = "accountLogin";
		Rd->form = "accountLogin";
// TODO - we might want to delete their old .lua session as well.  Maybe?  Don't think we have any suitable codes to find it.
	      }
	      else
	      {
	        char *level = tnm->getstr(tnm, "level",  false);

		if (NULL == level)
		    level = "-256";
		qstrcpy(shs->sesh,		sizeof(shs->sesh),		seshion);
		qstrcpy(shs->toke_n_munchie,	sizeof(shs->toke_n_munchie),	toke_n_munchie);
		qstrcpy(shs->hashish,		sizeof(shs->hashish),		hashish);
		qstrcpy(shs->munchie,		sizeof(shs->munchie),		munchie);
		qstrcpy(shs->salt,		sizeof(shs->salt),		tnm->getstr(tnm, "salt",   false));
		qstrcpy(shs->seshID,		sizeof(shs->seshID),		tnm->getstr(tnm, "seshID", false));
		shs->level =							atoi(level);
// TODO - get level from somewhere and stuff it in shs.
		shs->timeStamp[0].tv_nsec = UTIME_OMIT;
		shs->timeStamp[0].tv_sec  = UTIME_OMIT;
		memcpy(&shs->timeStamp[1], &st.st_mtim, sizeof(struct timespec));
	      }
	      shs->name =							tnm->getstr(tnm, "name",   true);	// LEAKY!
	      shs->UUID =							tnm->getstr(tnm, "UUID",   true);	// LEAKY!
	    }

	    qhashtbl_obj_t obj;

	    memset((void*)&obj, 0, sizeof(obj));
	    tnm->lock(tnm);
	    while(tnm->getnext(tnm, &obj, false) == true)
	    {
	      char *n = obj.name;

	      if ((strcmp("salt", n) != 0) && (strcmp("seshID", n) != 0)  && (strcmp("UUID", n) != 0))
	      {
t("SessionValidate() Lua read %s = %s", n, (char *) obj.data);
		Rd->stuff->putstr(Rd->stuff, obj.name, (char *) obj.data);
	      }
	    }
	    tnm->unlock(tnm);

// TODO - check this.
//	    Rd->database->putstr(Rd->database, "UserAccounts.PrincipalID", tnm->getstr(tnm, "UUID", false));
	  }
	}
	free(munchie);
	free(seshion);
      }
    }
    free(leaf);
    tnm->free(tnm);
    free(hashish);
  }

  return ret;
}

static void sessionWeb(reqData *Rd, inputForm *iF, inputValue *iV)
{
  HTMLhidden(Rd->reply, iV->field->name, iV->value);
}

/*
static int UUIDValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *UUID = (char *) iV->value;

  if (36 != strlen(UUID))
  {
    bitch(Rd, "Internal error.", "UUID isn't long enough.");
    ret++;
  }
// TODO - check the characters and dashes as well.

  if (0 == ret)
    Rd->stuff->putstr(Rd->stuff, "UUID", UUID);
  return ret;
}

static void UUIDWeb(reqData *Rd, inputForm *iF, inputValue *iV)
{
  HTMLhidden(Rd->reply, iV->field->name, iV->value);
}
*/

static int nameValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  unsigned char *name;	// We have to be unsigned coz of isalnum().
  char *where = NULL;

//d("nameValidate %s", iV->field->name);

  name = xstrdup(iV->value);

  if ((NULL == name) || ('\0' == name[0]))
  {
    bitch(Rd, "Please supply an account name.", "None supplied.");
    ret++;
  }
  else
  {
    int l0 = strlen(name), l1 = 0, l2 = 0;

    if (0 == l0)
    {
      bitch(Rd, "Please supply an account name.", "Name is empty.");
      ret++;
    }
    else
    {
      int i;
      unsigned char *s = NULL;

      for (i = 0; i < l0; i++)
      {
	if (isalnum(name[i]) == 0)
	{

	  if ((' ' == name[i] /*&& (NULL == s)*/))
	  {
	    s = &name[i];
	    *s++ = '\0';
	    while(' ' == *s)
	    {
	      i++;
	      s++;
	    }
	    l1 = strlen(name);
	    l2 = strlen(s);

	    // Apparently names are not case sensitive on login, but stored with case in the database.
	    // 	I confirmed that, can log in no matter what case you use.
	    //  Seems to be good security for names to be cose insensitive.
	    // UserAccounts FirstName and LastName fields are both varchar(64) utf8_general_ci.
	    // The MySQL docs say that the "_ci" bit means comparisons will be case insensitive.  So that should work fine.

	    // SL docs say 31 characters each for first and last name.  UserAccounts table is varchar(64) each.  userinfo has varchar(50) for the combined name.
	    // The userinfo table seems to be obsolete.
	    // Singularity at least limits the total name to 64.
	    // I can't find any limitations on characters allowed, but I only ever see letters and digits used.  Case is stored, but not significant.
	    // OpenSims "create user" console command doesn't sanitize it at all, even crashing on some names.
	  }
	  else
	  {
	    bitch(Rd, "First and last names are limited to ordinary letters and digits, no special characters or fonts.", "");
	    ret++;
	    break;
	  }
// TODO - compare first, last, and fullname against god names, complain and fail if there's a match.
	}
      }

      if (NULL == s)
      {
	bitch(Rd, "Account names have to be two words.", "");
	ret++;
      }
      if ((31 < l1) || (31 < l2))
      {
	bitch(Rd, "First and last names are limited to 31 letters each.", "");
	ret++;
      }
      if ((0 == l1) || (0 == l2))
      {
	bitch(Rd, "First and last names have to be one or more ordinary letters or digits each.", "");
	ret++;
      }

      if (0 == ret)
      {
	Rd->stuff->putstr(Rd->stuff, "firstName", name);
	Rd->stuff->putstr(Rd->stuff, "lastName", s);
	Rd->stuff->putstrf(Rd->stuff, "name", "%s %s", name, s);
// TODO - fix this, so we don't show "You are user" when we are not, but everything else still works.
//	if ('\0' != getStrH(Rd->queries, "user")[0])
	  Rd->shs.name = Rd->stuff->getstr(Rd->stuff, "name", true);
      }
    }
  }
  free(name);

  return ret;
}

static void nameWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  if (oV->field->flags & FLD_HIDDEN)
    HTMLhidden(Rd->reply, oV->field->name, oV->value);
  else
    HTMLtext(Rd->reply, "text", oV->field->title, oV->field->name, oV->value, oV->field->viewLength, oV->field->maxLength, oV->field->flags & FLD_REQUIRED);
}


static int passwordValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *password = (char *) iV->value, *salt = getStrH(Rd->stuff, "passSalt"), *hash = getStrH(Rd->stuff, "passHash");

  if ((NULL == password) || ('\0' == password[0]))
  {
    bitch(Rd, "Please supply a password.", "Password empty or missing.");
    ret++;
  }
  else if (('\0' != salt[0]) && ('\0' != hash[0]) && (strcmp("psswrd", iV->field->name) == 0))
  {
    D("Comparing passwords. %s  %s  %s", password, salt, hash);
    char *h = checkSLOSpassword(Rd, salt, password, hash, "Passwords are not the same.");

    if (NULL == h)
      ret++;
    else
      free(h);
  }

// TODO - once the password is validated, store it as the salt and hash.
//	    If it's an existing account, compare it?  Or do that later?
  if (0 == ret)
    Rd->stuff->putstr(Rd->stuff, "password", password);

  return ret;
}

static void passwordWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  HTMLtext(Rd->reply, "password", oV->field->title, oV->field->name, "", oV->field->viewLength, oV->field->maxLength, oV->field->flags & FLD_REQUIRED);
  Rd->reply->addstr(Rd->reply,	"<p>While viewers will usually remember your name and password for you, you'll need to remember it for this web site to. &nbsp; "
				"I highly recommend using a password manager. &nbsp; KeePass and it's variations is a great password manager.</p>\n");
}

static int emailValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
//  inputField **group = iV->field->group;
  int ret = 0, i;
  boolean notSame = FALSE;

  i = iV->index;
  if (2 == i)
  {
    char *email = (char *) iV->value;
    char *emayl = (char *) (iV + 1)->value;

    if ((NULL == email) || (NULL == emayl) || ('\0' == email[0]) || ('\0' == emayl[0]))
    {
      bitch(Rd, "Please supply an email address.", "None supplied.");
      ret++;
    }
    else if (strcmp(email, emayl) != 0)
    {
      bitch(Rd, "Email addresses are not the same.", "");
      ret++;
      notSame = TRUE;
    }
    else if (!qstr_is_email(email))
    {
      bitch(Rd, "Please supply a proper email address.", "Failed qstr_is_email()");
      ret++;
    }
    else
    {
// TODO - do other email checks - does the domain exist, ..
    }

    if ((NULL != email) && (NULL != emayl))
    {
      char *t0 = qurl_encode(email, strlen(email));

      // In theory it's the correct thing to do to NOT load email into stuff on failure,
      // In practice, that means it wont show the old email and emayl in the create page when they don't match.
      if ((0 == ret) || notSame)
        Rd->stuff->putstrf(Rd->stuff, "email", "%s", t0);
      free(t0);
    }
    if ((NULL != email) && (NULL != emayl))
    {
      char *t1 = qurl_encode(emayl, strlen(emayl));

      Rd->stuff->putstrf(Rd->stuff, "emayl", "%s", t1);
      free(t1);
    }
  }

  return ret;
}
static void emailWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  HTMLtext(Rd->reply, "email", oV->field->title, oV->field->name, displayPrep(getStrH(Rd->stuff, oV->field->name)), oV->field->viewLength, oV->field->maxLength, oV->field->flags & FLD_REQUIRED);
  Rd->reply->addstrf(Rd->reply,	"<p>An email will be sent from %s@%s, and it might be in your spam folder, coz these sorts of emails sometimes end up there. &nbsp; "
		    "You should add that email address to your contacts, or otherwise let it through your spam filter.</p>",
		    "grid_no_reply", Rd->Host);
}


char *months[] =
{
  "january",
  "february",
  "march",
  "april",
  "may",
  "june",
  "july",
  "august",
  "september",
  "october",
  "november",
  "december"
};
static int DoBValidate(reqData *Rd, inputForm *iF, inputValue *iV) 
{
  int ret = 0, i;
  char *t0, *t1;
//  inputField **group = iV->field->group;

  i = iV->index;
  if (2 == i)
  {
    t0 = (char *) iV->value;
    if ((NULL == t0) || ('\0' == t0[0]))
    {
      bitch(Rd, "Please supply a year of birth.", "None supplied.");
      ret++;
    }
    else
    {
      i = atoi(t0);
// TODO - get this to use current year instead of 2020.
      if ((1900 > i) || (i > 2020))
      {
	bitch(Rd, "Please supply a year of birth.", "Out of range.");
	ret++;
      }
      else if (i < 1901)
      {
	bitch(Rd, "Please supply a proper year of birth.", "Out of range, too old.");
	ret++;
      }
      else if (i >2004)
      {
	bitch(Rd, "This grid is Adult rated, you are too young.", "Out of range, too young.");
	ret++;
      }
    }
    t1 = (char *) (iV + 1)->value;
    if ((NULL == t1) || ('\0' == t1[0]))
    {
      bitch(Rd, "Please supply a month of birth.", "None supplied.");
      ret++;
    }
    else
    {
      for (i = 0; i < 12; i++)
      {
	if (strcmp(months[i], t1) == 0)
	  break;
      }
      if (12 == i)
      {
	bitch(Rd, "Please supply a month of birth.", "Out of range");
	ret++;
      }
    }

    if (0 == ret)
    {
      Rd->stuff->putstr(Rd->stuff, "year",  t0);
      Rd->stuff->putstr(Rd->stuff, "month", t1);
      Rd->stuff->putstrf(Rd->stuff, "DoB", "%s %s", t0, t1);
    }
  }

  return ret;
}
static void DoByWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  char *tmp = xmalloc(16), *t;
  int i, d;

  Rd->reply->addstr(Rd->reply, "<label>Date of birth :<table><tr><td>\n");
  HTMLselect(Rd->reply, NULL, oV->field->name);
  t = getStrH(Rd->stuff, "year");
  if (NULL == t)
    d = -1;
  else
    d = atoi(t);
  HTMLoption(Rd->reply, "", FALSE);
  for (i = 1900; i <= 2020; i++)
  {
    boolean sel = FALSE;

    if (i == d)
      sel = TRUE;
    sprintf(tmp, "%d", i);
    HTMLoption(Rd->reply, tmp, sel);
  }
  free(tmp);
  HTMLselectEndNo(Rd->reply);
}
static void DoBmWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  char *t;
  int i, d;

  Rd->reply->addstr(Rd->reply, "</td><td>\n");
  HTMLselect(Rd->reply, NULL, oV->field->name);
  t = getStrH(Rd->stuff, "month");
  HTMLoption(Rd->reply, "", FALSE);
  for (i = 0; i <= 11; i++)
  {
    boolean sel = FALSE;

    if ((NULL != t) && (strcmp(t, months[i]) == 0))
      sel = TRUE;
    HTMLoption(Rd->reply, months[i], sel);
  }
  HTMLselectEndNo(Rd->reply);
  Rd->reply->addstr(Rd->reply, "</td></tr></table></label>\n");
}
static void DoBWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
}

static int legalValidate(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0, i;
  char *t;
  inputField **group = iV->field->group;

  i = iV->index;
  if (2 == i)
  {
    t = (char *) iV->value;
    if ((NULL == t) || (strcmp("on", t) != 0))
    {
      bitch(Rd, "You must be an adult to enter this site.", "");
      ret++;
    }
    else
      Rd->stuff->putstr(Rd->stuff, "adult", t);
    t = (char *) (iV + 1)->value;
    if ((NULL == t) || (strcmp("on", t) != 0))
    {
      bitch(Rd, "You must agree to the Terms & Conditions of Use.", "");
      ret++;
    }
    else
      Rd->stuff->putstr(Rd->stuff, "agree", t);
  }

  return ret;
}
static void adultWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  HTMLcheckBox(Rd->reply, oV->field->name, oV->field->title, !strcmp("on", getStrH(Rd->body, "adult")), oV->field->flags & FLD_REQUIRED);
}
static void agreeWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  HTMLcheckBox(Rd->reply, oV->field->name, oV->field->title, !strcmp("on", getStrH(Rd->body, "agree")), oV->field->flags & FLD_REQUIRED);
}
static void legalWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
}
static void ToSWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  Rd->reply->addstrf(Rd->reply, "<h2>Terms of Service</h2><pre>%s</pre>\n", getStrH(Rd->configs, "ToS"));
}

static int voucherValidate(reqData *Rd, inputForm *oF, inputValue *oV)
{
  int ret = 0;
  char *voucher = (char *) oV->value;

  if ((NULL == voucher) || ('\0' == voucher[0]))
  {
    bitch(Rd, "Please fill in the 'Voucher' section.", "None supplied.");
    ret++;
  }

  if ((0 == ret) && (NULL != voucher))
  {
    char *t = qurl_encode(voucher, strlen(voucher));
    Rd->stuff->putstr(Rd->stuff, "voucher", t);
    free(t);
  }

  return ret;
}
static void voucherWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
    HTMLtext(Rd->reply, "text", oV->field->title, oV->field->name, oV->value, oV->field->viewLength, oV->field->maxLength, oV->field->flags & FLD_REQUIRED);
}

static int aboutMeValidate(reqData *Rd, inputForm *oF, inputValue *oV)
{
  int ret = 0;
  char *about = (char *) oV->value;

  if ((NULL == about) || ('\0' == about[0]))
  {
    bitch(Rd, "Please fill in the 'About me' section.", "None supplied.");
    ret++;
  }

  if ((0 == ret) && (NULL != about))
  {
    char *t = qurl_encode(about, strlen(about));
    Rd->stuff->putstr(Rd->stuff, "aboutMe", t);
    free(t);
  }

  return ret;
}

static void aboutMeWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  // For maxlength - the MySQL database field is type text, which has a max length of 64 Kilobytes byets, but characters might take up 1 - 4 bytes, and maxlength is in characters.
  // For rows and cols, seems a bit broken, I ask for 5/42, I get 6,36.  In world it seems to be 7,46
// TODO - check against the limit for in world profiles, coz this will become that.
// TODO - validate aboutMe, it should not be empty, and should not be longer than 64 kilobytes.
  HTMLtextArea(Rd->reply, oV->field->name, oV->field->title, 7, oV->field->viewLength, 4, oV->field->maxLength, "Describe yourself here.", "off", "true", "soft", oV->value, FALSE, FALSE);
}

static void accountWebHeaders(reqData *Rd, inputForm *oF)  //, char *name)
{
  char *linky = checkLinky(Rd);

  HTMLheader(Rd->reply, "<!--#echo var=\"grid\" --> account manager");
  Rd->reply->addstrf(Rd->reply, "<h1><!--#echo var=\"grid\" --> account manager</h1>\n");
  if (NULL != Rd->shs.name)
  {
    char *nm = qstrreplace("tr", xstrdup(Rd->shs.name), " ",  "+");

    Rd->reply->addstrf(Rd->reply, "<h3>You are <a href='https://%s%s?user=%s'>%s</a></h3>\n", Rd->Host, Rd->RUri, nm, Rd->shs.name);
    Rd->reply->addstr(Rd->reply, linky);
    free(nm);
  }
  free(linky);
//  if (NULL != name)
//    Rd->reply->addstrf(Rd->reply, "<h2><!--#echo var=\"grid\" --> account for %s</h2>\n", name);
  if (0 != Rd->errors->size(Rd->messages))
    HTMLlist(Rd->reply, "messages -", Rd->messages);
  if (NULL != oF->help)
    Rd->reply->addstrf(Rd->reply, "<p>%s</p>\n", oF->help);
  HTMLform(Rd->reply, "", Rd->shs.munchie);
    HTMLhidden(Rd->reply, "form", oF->name);
}

static void accountWebFields(reqData *Rd, inputForm *oF, inputValue *oV)
{
  int count = oF->fields->size(oF->fields), i;

  for (i = 0; i < count; i++)
  {
    if (NULL != oV[i].field->web)
      oV[i].field->web(Rd, oF, &oV[i]);
    if ((NULL != oV[i].field->help) && ('\0' != oV[i].field->help[0]))
      Rd->reply->addstrf(Rd->reply, "<p>%s</p>\n", oV[i].field->help);
//d("accountWebFeilds(%s, %s)", oF->name, oV[i].field->name);
  }
}

static void accountWebSubs(reqData *Rd, inputForm *oF)
{
  qhashtbl_obj_t obj;

  Rd->reply->addstrf(Rd->reply, "<input type='submit' disabled style='display: none' aria-hidden='true' />\n");	// Stop Enter key on text fields triggering the first submit button.
  memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
  oF->subs->lock(oF->subs);
  while(oF->subs->getnext(oF->subs, &obj, false) == true)
  {
    inputSub *sub = (inputSub *) obj.data;
    if ('\0' != sub->title[0])
      HTMLbutton(Rd->reply, sub->name, sub->title);
//d("accountWebSubs(%s, %s '%s')", oF->name, sub->name, sub->title);
  }
  oF->subs->unlock(oF->subs);
}

static void accountWebFooter(reqData *Rd, inputForm *oF)
{
  if (0 != Rd->errors->size(Rd->errors))
    HTMLlist(Rd->reply, "errors -", Rd->errors);
  HTMLformEnd(Rd->reply);
  HTMLfooter(Rd->reply);
}

static void accountAddWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
//  char *name = getStrH(Rd->database, "Lua.name");

  accountWebHeaders(Rd, oF);
    accountWebFields(Rd, oF, oV);
    accountWebSubs(Rd, oF);
  accountWebFooter(Rd, oF);
}

static void accountLoginWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  if (NULL != Rd->shs.name)	free(Rd->shs.name);
  Rd->shs.name = NULL;
  if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
  Rd->shs.UUID = NULL;
  accountWebHeaders(Rd, oF);
    accountWebFields(Rd, oF, oV);
    accountWebSubs(Rd, oF);
  accountWebFooter(Rd, oF);
}

static void accountViewWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  char	*name		= getStrH(Rd->database, "Lua.name"),
	*level		= getStrH(Rd->database, "UserAccounts.UserLevel"),
	*email		= displayPrep(getStrH(Rd->database, "UserAccounts.Email")),
	*voucher	= displayPrep(getStrH(Rd->database, "Lua.voucher")),
	*about		= displayPrep(getStrH(Rd->database, "Lua.aboutMe"));
  time_t crtd = atol(getStrH(Rd->database, "UserAccounts.Created"));

  accountWebHeaders(Rd, oF);
    accountWebFields(Rd, oF, oV);
// TODO - still need to encode < > as &lt; u&gt; for email, voucher, and about.
// TODO - dammit, qurl_decode returns the string length, and decodes the string in place.
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Name :</b></span></font> %s</p>", name);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Title / level :</b></span></font> %s / %s</p>", getLevel(atoi(level)), level);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Date of birth :</b></span></font> %s</p>", getStrH(Rd->database, "Lua.DoB"));
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Created :</b></span></font> %s</p>", ctime(&crtd));
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Email :</b></span></font> %s</p>", email);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>UUID :</b></span></font> %s</p>", getStrH(Rd->database, "UserAccounts.PrincipalID"));
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Voucher :</b></span></font> %s</p>", voucher);
//    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>About :</b></span></font> </p>"
//				  "<textarea readonly >%s</textarea>", qurl_decode(getStrH(Rd->database, "Lua.aboutMe")));
    HTMLtextArea(Rd->reply, "aboutMe", "About", 7, 50, 4, 16384, "", "off", "true", "soft", about, FALSE, TRUE);
    accountWebSubs(Rd, oF);
  accountWebFooter(Rd, oF);
  free(about);	free(voucher);	free(email);

}

static void accountEditWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  char	*name		= getStrH(Rd->database, "Lua.name"),
	*level		= getStrH(Rd->database, "UserAccounts.UserLevel"),
	*email		= displayPrep(getStrH(Rd->database, "UserAccounts.Email")),
	*voucher	= displayPrep(getStrH(Rd->database, "Lua.voucher")),
	*about		= displayPrep(getStrH(Rd->database, "Lua.aboutMe")),
	*lvl		= getLevel(atoi(level));

  accountWebHeaders(Rd, oF);
    accountWebFields(Rd, oF, oV);
//    HTMLtext(Rd->reply, "password", "Old password", "password", "", 16, 0, FALSE);
//    Rd->reply->addstr(Rd->reply, "<p>Warning, the limit on password length is set by your viewer, some can't handle longer than 16 characters.</p>\n");
////    HTMLtext(Rd->reply, "title", "text", "title", getStrH(Rh->stuff, "title"), 16, 64, TRUE);

    HTMLhidden(Rd->reply, "user", name);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Name :</b></span></font> %s</p>", name);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Email :</b></span></font> %s</p>", email);
    Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Voucher :</b></span></font> %s</p>", voucher);

    if (200 <= Rd->shs.level)
    {
      qlisttbl_obj_t obj;

      HTMLselect(Rd->reply, "level", "level");
      memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
      accountLevels->lock(accountLevels);
      while(accountLevels->getnext(accountLevels, &obj, NULL, false) == true)
      {
	boolean is = false;
	short l = atoi((char *) obj.name);

	if (strcmp(lvl, (char *) obj.data) == 0)
	  is = true;
	if ((is) || ((l <= Rd->shs.level) && (l != -200) && (l != -100) && (l != -50)))	// Not above our pay grade, not newbie, validated, nor vouched for.
	  HTMLoption(Rd->reply, (char *) obj.data, is);
      }
      accountLevels->unlock(accountLevels);
      HTMLselectEnd(Rd->reply);

      Rd->reply->addstrf(Rd->reply, "<p><dl>");
      Rd->reply->addstrf(Rd->reply, "<dt>disabled</dt><dd>Account cannot log in anywhere.</dd>");
      Rd->reply->addstrf(Rd->reply, "<dt>newbie</dt><dd>Newly created account, not yet validated.</dd>");
      Rd->reply->addstrf(Rd->reply, "<dt>validated</dt><dd>Newly created account, they have clicked on the validation link in their validation email.</dd>");
      Rd->reply->addstrf(Rd->reply, "<dt>vouched for</dt><dd>Someone has vouched for this person.</dd>");
      Rd->reply->addstrf(Rd->reply, "<dt>approved</dt><dd>This person is approved, and can log into the world.</dd>");
      Rd->reply->addstrf(Rd->reply, "<dt>god</dt><dd>This is a god admin person.</dd>");
      Rd->reply->addstrf(Rd->reply, "</dl></p>");
    }
    else
      Rd->reply->addstrf(Rd->reply, "<p><font size='5'><span style='font-size: x-large'><b>Title / level :</b></span></font> %s / %s</p>", lvl, level);

    accountWebSubs(Rd, oF);
  accountWebFooter(Rd, oF);
}


static int accountRead(reqData *Rd, char *uuid, char *firstName, char *lastName)
{
  int ret = 0, rt = -1;
  struct stat st;
  struct timespec now;
  qhashtbl_t *tnm = qhashtbl(0, 0);
  uuid_t binuuid;
  rowData *rows = NULL;

  // Setup the database stuff.
  static dbRequest *uuids = NULL;
  if (NULL == uuids)
  {
    static char *szi[] = {"PrincipalID", NULL};
    static char *szo[] = {NULL};
    uuids = xzalloc(sizeof(dbRequest));
    uuids->db = Rd->db;
    uuids->table = "UserAccounts";
    uuids->inParams  = szi;
    uuids->outParams = szo;
    uuids->where = "PrincipalID=?";
    dbRequests->addfirst(dbRequests, uuids, sizeof(*uuids));
  }
  static dbRequest *acnts = NULL;
  if (NULL == acnts)
  {
    static char *szi[] = {"FirstName", "LastName", NULL};
    static char *szo[] = {NULL};
    acnts = xzalloc(sizeof(dbRequest));
    acnts->db = Rd->db;
    acnts->table = "UserAccounts";
    acnts->inParams  = szi;
    acnts->outParams = szo;
    acnts->where = "FirstName=? and LastName=?";
    dbRequests->addfirst(dbRequests, acnts, sizeof(*acnts));
  }
  static dbRequest *auth = NULL;
  if (NULL == auth)
  {
    static char *szi[] = {"UUID", NULL};
    static char *szo[] = {"passwordSalt", "passwordHash", NULL};
    auth = xzalloc(sizeof(dbRequest));
    auth->db = Rd->db;
    auth->table = "auth";
    auth->inParams  = szi;
    auth->outParams = szo;
    auth->where = "UUID=?";
    dbRequests->addfirst(dbRequests, auth, sizeof(*auth));
  }

//  uuid = Rd->shs.UUID;	first = getStrH(Rd->stuff, "firstName");	last = getStrH(Rd->stuff, "lastName");

  // Special for showing another users details.
  if ('\0' != getStrH(Rd->queries, "user")[0])
    uuid = "";

  char *first = xstrdup(""), *last = xstrdup("");

  if (NULL != firstName)
  {
    free(first);
    first = xstrdup(firstName);
    if (NULL == lastName)
    {
      char *t = strchr(first, ' ');

d("accountRead() single name |%s|  |%s|", first, last);
      if (NULL == t)
	t = strchr(first, '+');
      if (NULL != t)
      {
	*t++ = '\0';
	free(last);
	last = xstrdup(t);
      }
    }
    else
    {
      free(last);
      last = xstrdup(lastName);
    }
  }
d("accountRead() UUID %s, name %s %s", uuid, first, last);
  uuid_clear(binuuid);
  if ((NULL != uuid) && ('\0' != uuid[0]))
    uuid_parse(uuid, binuuid);
  if ((NULL != uuid) && ('\0' != uuid[0]) && (!uuid_is_null(binuuid)))
  {
    char *where = xmprintf("%s/users/%s.lua", scData, uuid);
    rt = LuaToHash(Rd, where, "user", tnm, ret, &st, &now, "user");

    free(where);
    dbDoSomething(uuids, FALSE, uuid);
    rows = uuids->rows;
  }
  else
  {

    if ('\0' != first[0])
    {
      char *where = xmprintf("%s/users/%s_%s.lua", scData, first, last);
      rt = LuaToHash(Rd, where, "user", tnm, ret, &st, &now, "user");

      free(where);
      dbDoSomething(acnts, FALSE, first, last);
      rows = acnts->rows;
    }
  }
//  else
//  {
//    bitch(Rd, "Unable to read user record.", "Nothing available to look up a user record with.");
//    rt = 1;
//  }

  if (0 == rt)
  {
    ret += 1;
    Rd->database->putstr(Rd->database, "UserAccounts.FirstName",	first);
    Rd->database->putstr(Rd->database, "UserAccounts.LastName",		last);
    Rd->database->putstr(Rd->database, "UserAccounts.Email",		getStrH(tnm, "email"));
    Rd->database->putstr(Rd->database, "UserAccounts.Created",		getStrH(tnm, "created"));
    Rd->database->putstr(Rd->database, "UserAccounts.PrincipalID",	getStrH(tnm, "UUID"));
    Rd->database->putstr(Rd->database, "UserAccounts.UserLevel",	getStrH(tnm, "level"));
    Rd->database->putstr(Rd->database, "UserAccounts.UserFlags",	getStrH(tnm, "flags"));
    Rd->database->putstr(Rd->database, "UserAccounts.UserTitle",	getStrH(tnm, "title"));
    Rd->database->putstr(Rd->database, "UserAccounts.active",		getStrH(tnm, "active"));
    Rd->database->putstr(Rd->database, "auth.passwordSalt",		getStrH(tnm, "passwordSalt"));
    Rd->database->putstr(Rd->database, "auth.passwordHash",		getStrH(tnm, "passwordHash"));
    Rd->stuff->   putstr(Rd->stuff,    "linky-hashish",			getStrH(tnm, "linky-hashish"));
    Rd->database->putstr(Rd->database, "Lua.name",			getStrH(tnm, "name"));
    Rd->database->putstr(Rd->database, "Lua.DoB",			getStrH(tnm, "DoB"));
    Rd->database->putstr(Rd->database, "Lua.agree",			getStrH(tnm, "agree"));
    Rd->database->putstr(Rd->database, "Lua.adult",			getStrH(tnm, "adult"));
    Rd->database->putstr(Rd->database, "Lua.aboutMe",			getStrH(tnm, "aboutMe"));
    Rd->database->putstr(Rd->database, "Lua.vouched",			getStrH(tnm, "vouched"));
    Rd->database->putstr(Rd->database, "Lua.voucher",			getStrH(tnm, "voucher"));
  }
  else if (rows)
  {

    ret += rows->rows->size(rows->rows);
    if (1 == ret)
    {
      dbPull(Rd, "UserAccounts", rows);

      char *name = xmprintf("%s %s", getStrH(Rd->database, "UserAccounts.FirstName"), getStrH(Rd->database, "UserAccounts.LastName"));

      Rd->database->putstr(Rd->database, "Lua.name", name);
      free(name);
      dbDoSomething(auth, FALSE, getStrH(Rd->database, "UserAccounts.PrincipalID"));
      rows = auth->rows;
      if (rows)
      {
	if (1 == rows->rows->size(rows->rows))
	  dbPull(Rd, "auth", rows);
      }
    }
  }
  else
  {
    d("No user name or UUID to get an account for.");
  }

  if (1 == ret)
  {
// TODO - this has to change when we are editing other peoples accounts.
    if ('\0' == getStrH(Rd->queries, "user")[0])
    {
//      Rd->shs.level = atoi(getStrH(Rd->database, "UserAccounts.UserLevel"));
// TODO - might have to combine first and last here.
//      Rd->shs.name = Rd->database->getstr(Rd->database, "Lua.name", true);
//      Rd->shs.UUID = Rd->database->getstr(Rd->database, "UserAccounts.PrincipalID", true);
//d("accountRead() setting session uuid %s level %d name %s ", Rd->shs.UUID, (int) Rd->shs.level, Rd->shs.name);
    }
//    Rd->stuff->putstr(Rd->stuff, "email", getStrH(Rd->database, "UserAccounts.Email"));
  }

  free(last);
  free(first);
  tnm->free(tnm);
  return ret;
}

static int accountDelSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);

  if (1 != c)
  {
    bitch(Rd, "Cannot delete account.", "Account doesn't exist.");
    ret++;
  }
  else
  {
//      check if logged in user is allowed to delete this account
//      delete user record
//      log the user out if they are logged in
  }
  return ret;
}

static int accountCreateSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);
  boolean wipe = FALSE;

  if (strcmp("POST", Rd->Method) == 0)
  {
    if (0 != c)
    {
      bitch(Rd, "Cannot create account.", "Account exists.");
      ret++;
    }
    else
    {
      char *salt = newSLOSsalt(Rd);
      char *h = checkSLOSpassword(Rd, salt, getStrH(Rd->body, "password"), NULL, NULL);

      if (NULL == h)
	ret++;
      else
      {
	Rd->stuff->putstr(Rd->stuff, "passHash", h);
	Rd->stuff->putstr(Rd->stuff, "passSalt", salt);
	free(h);
      }
      free(salt);
      if (0 != ret)
      {
	wipe = TRUE;
	if (NULL != Rd->shs.name)	free(Rd->shs.name);
	Rd->shs.name = NULL;
	if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
	Rd->shs.UUID = NULL;
	Rd->shs.level = -256;
	Rd->output = "accountLogin";
      }
    }
  }
  freeSesh(Rd, FALSE, wipe);
  newSesh(Rd, FALSE);
  return ret;
}

static int accountAddSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);
  boolean wipe = FALSE;

  if (0 != c)
  {
    bitch(Rd, "Cannot add account.", "Account exists.");
    ret++;
  }
  else if ((0 == ret) && (strcmp("POST", Rd->Method) == 0))
  {
    char *h = checkSLOSpassword(Rd, getStrH(Rd->stuff, "passSalt"), getStrH(Rd->stuff, "password"), getStrH(Rd->stuff, "passHash"), "Passwords are not the same.");

    if (NULL == h)
    {
      ret++;
      wipe = TRUE;
      if (NULL != Rd->shs.name)	free(Rd->shs.name);
      Rd->shs.name = NULL;
      if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
      Rd->shs.UUID = NULL;
      Rd->shs.level = -256;
      Rd->output = "accountLogin";
    }
    else
    {

      free(h);
      generateAccountUUID(Rd);
      Rd->stuff->putstr(Rd->stuff, "passwordHash", getStrH(Rd->stuff, "passHash"));
      Rd->stuff->putstr(Rd->stuff, "passwordSalt", getStrH(Rd->stuff, "passSalt"));
      Rd->shs.level = -200;
      Rd->database->putstr(Rd->database, "UserAccounts.UserLevel", "-200");
      freeSesh(Rd, FALSE, wipe);
      newSesh(Rd, TRUE);
      accountWrite(Rd);
//   log them in
      I("Logged on %s  %s  Level %d %s", Rd->shs.UUID, getStrH(Rd->stuff, "name"), Rd->shs.level, getLevel(Rd->shs.level));
      Rd->output = "accountView";
      Rd->form = "accountView";
      Rd->doit = "login";
    }
  }
  freeSesh(Rd, FALSE, wipe);
  newSesh(Rd, FALSE);
  return ret;
}

static int accountSaveSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->body, "user"),	*last = NULL;
  int c = accountRead(Rd, NULL, first, last);
  boolean wipe = FALSE;

  if (1 != c)
  {
    bitch(Rd, "Cannot save account.", "Account doesn't exist.");
    ret++;
  }
  else if ((0 == ret) && (strcmp("POST", Rd->Method) == 0))
  {
    Rd->stuff->putstr(Rd->stuff,    "email",		getStrH(Rd->database, "UserAccounts.Email"));
    Rd->stuff->putstr(Rd->stuff,    "created",		getStrH(Rd->database, "UserAccounts.Created"));
    Rd->stuff->putstr(Rd->stuff,    "flags",		getStrH(Rd->database, "UserAccounts.UserFlags"));
    Rd->stuff->putstr(Rd->stuff,    "active",		getStrH(Rd->database, "UserAccounts.active"));
    Rd->stuff->putstr(Rd->stuff,    "passwordSalt",	getStrH(Rd->database, "auth.passwordSalt"));
    Rd->stuff->putstr(Rd->stuff,    "passwordHash",	getStrH(Rd->database, "auth.passwordHash"));
    Rd->stuff->putstr(Rd->stuff,    "name",		getStrH(Rd->database, "Lua.name"));
    Rd->stuff->putstr(Rd->stuff,    "DoB",		getStrH(Rd->database, "Lua.DoB"));
    Rd->stuff->putstr(Rd->stuff,    "agree",		getStrH(Rd->database, "Lua.agree"));
    Rd->stuff->putstr(Rd->stuff,    "adult",		getStrH(Rd->database, "Lua.adult"));
    Rd->stuff->putstr(Rd->stuff,    "aboutMe",		getStrH(Rd->database, "Lua.aboutMe"));
    Rd->stuff->putstr(Rd->stuff,    "vouched",		getStrH(Rd->database, "Lua.vouched"));
    Rd->stuff->putstr(Rd->stuff,    "voucher",		getStrH(Rd->database, "Lua.voucher"));

    char *lvl = getStrH(Rd->body, "level");
    qlisttbl_obj_t obj;

    memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
    accountLevels->lock(accountLevels);
    while(accountLevels->getnext(accountLevels, &obj, NULL, false) == true)
    {
      if (strcmp(lvl, (char *) obj.data) == 0)
	Rd->database->putstr(Rd->database, "UserAccounts.UserLevel", obj.name);
    }
    accountLevels->unlock(accountLevels);
    accountWrite(Rd);
    free(Rd->outQuery);
    Rd->outQuery = xmprintf("?user=%s+%s", getStrH(Rd->database, "UserAccounts.FirstName"), getStrH(Rd->database, "UserAccounts.LastName"));
// TODO - this isn't being shown.
    addStrL(Rd->messages, "Account saved.");
  }
//  freeSesh(Rd, FALSE, wipe);
//  newSesh(Rd, FALSE);
  return ret;
}

static int accountValidateSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);
  boolean wipe = FALSE;

  if (1 != c)
  {
    bitch(Rd, "Cannot validate account.", "Account doesn't exist.");
    ret++;
  }
  else
  {
    Rd->stuff->putstr(Rd->stuff,    "email",		getStrH(Rd->database, "UserAccounts.Email"));
    Rd->stuff->putstr(Rd->stuff,    "created",		getStrH(Rd->database, "UserAccounts.Created"));
    Rd->stuff->putstr(Rd->stuff,    "flags",		getStrH(Rd->database, "UserAccounts.UserFlags"));
    Rd->stuff->putstr(Rd->stuff,    "active",		getStrH(Rd->database, "UserAccounts.active"));
    Rd->stuff->putstr(Rd->stuff,    "passwordSalt",	getStrH(Rd->database, "auth.passwordSalt"));
    Rd->stuff->putstr(Rd->stuff,    "passwordHash",	getStrH(Rd->database, "auth.passwordHash"));
    Rd->stuff->putstr(Rd->stuff,    "name",		getStrH(Rd->database, "Lua.name"));
    Rd->stuff->putstr(Rd->stuff,    "DoB",		getStrH(Rd->database, "Lua.DoB"));
    Rd->stuff->putstr(Rd->stuff,    "agree",		getStrH(Rd->database, "Lua.agree"));
    Rd->stuff->putstr(Rd->stuff,    "adult",		getStrH(Rd->database, "Lua.adult"));
    Rd->stuff->putstr(Rd->stuff,    "aboutMe",		getStrH(Rd->database, "Lua.aboutMe"));
    Rd->stuff->putstr(Rd->stuff,    "vouched",		getStrH(Rd->database, "Lua.vouched"));
    Rd->stuff->putstr(Rd->stuff,    "voucher",		getStrH(Rd->database, "Lua.voucher"));
    Rd->shs.level = -100;
    Rd->database->putstr(Rd->database, "UserAccounts.UserLevel", "-100");
    accountWrite(Rd);
    wipe = TRUE;
  }
  freeSesh(Rd, FALSE, wipe);
  newSesh(Rd, FALSE);
  return ret;
}

static int accountViewSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
// TODO - this has to change when we are editing other peoples accounts.
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);
  boolean wipe = FALSE;

d("Sub accountViewSub() %s  %s %s", uuid, first, last);
  if (1 != c)
  {
    bitch(Rd, "Cannot view account.", "Account doesn't exist.");
    ret++;
      wipe = TRUE;
      if (NULL != Rd->shs.name)	free(Rd->shs.name);
      Rd->shs.name = NULL;
      if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
      Rd->shs.UUID = NULL;
      Rd->shs.level = -256;
      Rd->output = "accountLogin";
  }
  else
  {
    // Check password on POST if the session user is the same as the shown user, coz this is the page shown on login.
    // Also only check on login.
    if ((strcmp("POST", Rd->Method) == 0) //&& (strcmp(Rd->shs.UUID, getStrH(Rd->database, "UserAccounts.PrincipalID")) == 0)
      && (strcmp("login", Rd->doit) == 0) && (strcmp("accountLogin", Rd->form) == 0))
    {
      char *h = checkSLOSpassword(Rd, getStrH(Rd->database, "auth.passwordSalt"), getStrH(Rd->body, "password"), getStrH(Rd->database, "auth.passwordHash"), "Login failed.");
      if (NULL == h)
      {
        ret++;
        wipe = TRUE;
	if (NULL != Rd->shs.name)	free(Rd->shs.name);
	Rd->shs.name = NULL;
	if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
	Rd->shs.UUID = NULL;
	Rd->shs.level = -256;
        Rd->output = "accountLogin";
      }
      else
      {
        Rd->shs.level = atoi(getStrH(Rd->database, "UserAccounts.UserLevel"));
        Rd->shs.name = Rd->database->getstr(Rd->database, "Lua.name", true);
        Rd->shs.UUID = Rd->database->getstr(Rd->database, "UserAccounts.PrincipalID", true);
        free(h);
        I("Logged on %s  %s  Level %d %s", Rd->shs.UUID, Rd->shs.name, Rd->shs.level, getLevel(Rd->shs.level));
      }
    }
  }
  freeSesh(Rd, FALSE, wipe);
  newSesh(Rd, FALSE);

  return ret;
}
static int accountEditSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);

d("Sub accountEditSub %s  %s %s", uuid, first, last);
  if (1 != c)
  {
    bitch(Rd, "Cannot edit account.", "Account doesn't exist.");
    ret++;
  }
  else
  {
//      check if logged in user is allowed to make these changes
//      update user record
  }
  return ret;
}

static int accountExploreSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
//	get a list of user records
  return ret;
}

static int accountOutSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  char *uuid = Rd->shs.UUID,	*first = getStrH(Rd->stuff, "firstName"),	*last = getStrH(Rd->stuff, "lastName");
  int c = accountRead(Rd, uuid, first, last);

  if (1 != c)
  {
//    bitch(Rd, "Cannot logout account.", "Account doesn't exist.");
//    ret++;
  }
  else
  {
//      log the user out if they are logged in
    if (NULL != Rd->shs.name)	free(Rd->shs.name);
    Rd->shs.name = NULL;
    if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
    Rd->shs.UUID = NULL;
    Rd->shs.level = -256;
    Rd->output = "accountLogin";
  }

  freeSesh(Rd, FALSE, TRUE);
  newSesh(Rd, FALSE);
  return ret;
}

typedef struct _RdAndListTbl RdAndListTbl;
struct _RdAndListTbl
{
  reqData *Rd;
  qlisttbl_t *list;
};
static int accountFilterValidated(struct dirtree *node)
{
    if (!node->parent) return DIRTREE_RECURSE | DIRTREE_SHUTUP;

    if (S_ISREG(node->st.st_mode))
    {
      struct stat st;
      struct timespec now;
      RdAndListTbl *rdl = (RdAndListTbl *) node->parent->extra;
      qhashtbl_t *tnm = qhashtbl(0, 0);
      char *name = node->name;
      char *where = xmprintf("%s/users/%s", scData, node->name);
      int rt = LuaToHash(rdl->Rd, where, "user", tnm, 0, &st, &now, "user");

t("accountFilterValidatedVoucher %s (%s) -> %s -> %s", name, getStrH(tnm, "level"), getStrH(tnm, "name"), getStrH(tnm, "voucher"));
      if ((0 == rt) && (strcmp("-100", getStrH(tnm, "level")) == 0))
        rdl->list->put(rdl->list, getStrH(tnm, "name"), tnm, sizeof(*tnm));
      else
        tnm->free(tnm);
      free(where);
    }
    return 0;
}
qlisttbl_t *getAccounts(reqData *Rd)
{
  qlisttbl_t *ret = qlisttbl(0);
  RdAndListTbl rdl = {Rd, ret};
  char *path = xmprintf("%s/users", scData);
  struct dirtree *new = dirtree_add_node(0, path, 0);

  new->extra = (long) &rdl;
  dirtree_handle_callback(new, accountFilterValidated);
  ret->sort(ret);
  free(path);

  return ret;
}
static void accountExploreValidatedVouchersWeb(reqData *Rd, inputForm *oF, inputValue *oV)
{
  qlisttbl_t *list =getAccounts(Rd);
//  char *name = getStrH(Rd->stuff, "name");

  if (NULL != Rd->shs.name)	free(Rd->shs.name);
  Rd->shs.name = NULL;
  if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);
  Rd->shs.UUID = NULL;
  Rd->shs.level = -256;
  accountWebHeaders(Rd, oF);
    accountWebFields(Rd, oF, oV);

  count = list->size(list);
  Rd->reply->addstrf(Rd->reply, "<table border=\"1\"><caption>Validated users</caption>\n");
  Rd->reply->addstr(Rd->reply, "<tr>"); 
  Rd->reply->addstr(Rd->reply, "<th>name</th>");
  Rd->reply->addstr(Rd->reply, "<th>voucher</th>");
  Rd->reply->addstr(Rd->reply, "<th>level</th>");
  Rd->reply->addstr(Rd->reply, "<th>title</th>");
  Rd->reply->addstr(Rd->reply, "</tr>\n<tr>");

  qlisttbl_obj_t obj;
  memset((void *) &obj, 0, sizeof(obj));
  list->lock(list);
  while(list->getnext(list, &obj, NULL, false) == true)
  {
    qhashtbl_t *tnm = (qhashtbl_t *) obj.data;
    char *nm = qstrreplace("tr", xstrdup(obj.name), " ",  "+");

    Rd->reply->addstrf(Rd->reply, "<tr><td><a href='https://%s%s?user=%s'>%s</a></td>", Rd->Host, Rd->RUri, nm, obj.name);
    Rd->reply->addstrf(Rd->reply, "<td>%s</td><td>%s</td><td>%s</td></tr>", getStrH(tnm, "voucher"), getStrH(tnm, "level"), getStrH(tnm, "title"));
    free(nm);
    tnm->clear(tnm);
// TODO - crazy time again, either it frees twice, or not at all.
//    list->removeobj(list, &obj);
//    tnm->free(tnm);
  }
  list->unlock(list);
  Rd->reply->addstr(Rd->reply, "</table>");
  list->free(list);

    accountWebSubs(Rd, oF);
  accountWebFooter(Rd, oF);
}
static int accountExploreValidatedVoucherSub(reqData *Rd, inputForm *iF, inputValue *iV)
{
  int ret = 0;
  return ret;
}


qhashtbl_t *accountPages = NULL;
inputForm *newInputForm(char *name, char *title, char *help, inputFormShowFunc web, inputFormShowFunc eWeb)
{
  inputForm *ret = xmalloc(sizeof(inputForm));

d("newInputForm(%s)", name);
  ret->name = name;	ret->title = title;	ret->help = help;
  ret->web = web;	ret->eWeb = eWeb;
  ret->fields = qlisttbl(QLISTTBL_THREADSAFE | QLISTTBL_UNIQUE | QLISTTBL_LOOKUPFORWARD);
  ret->subs = qhashtbl(0, 0);
  accountPages->put(accountPages, ret->name, ret, sizeof(inputForm));
  free(ret);
  return accountPages->get(accountPages, name, NULL, false);
}

inputField *addInputField(inputForm *iF, signed char type, char *name, char *title, char *help, inputFieldValidFunc validate, inputFieldShowFunc web)
{
  inputField *ret = xzalloc(sizeof(inputField));

//d("addInputField(%s, %s)", iF->name, name);
  ret->name = name;		ret->title = title;	ret->help = help;
  ret->validate = validate;	ret->web = web;		ret->type = type;
  ret->flags = FLD_EDITABLE;
  iF->fields->put(iF->fields, ret->name, ret, sizeof(inputField));
  free(ret);
  return iF->fields->get(iF->fields, name, NULL, false);
}

void inputFieldExtra(inputField *ret, signed char flags, short viewLength, short maxLength)
{
  ret->flags = flags;
  ret->viewLength = viewLength;	ret->maxLength = maxLength;
}

void addSession(inputForm *iF)
{
  inputField *fld, **flds = xzalloc(3 * sizeof(*flds));

//d("addSession(%s)", iF->name);
  flds[0] = addInputField(iF, LUA_TSTRING,   "hashish",        "hashish",        "", sessionValidate, sessionWeb);
  inputFieldExtra(flds[0], FLD_HIDDEN, 0, 0);
  flds[1] = addInputField(iF, LUA_TSTRING,   "toke_n_munchie", "toke_n_munchie", "", sessionValidate, sessionWeb);
  inputFieldExtra(flds[1], FLD_HIDDEN, 0, 0);
  fld     = addInputField(iF, LUA_TGROUP, "sessionGroup",   "sessionGroup",   "", sessionValidate, sessionWeb);
  inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
  fld->group = flds;
  flds[0]->group = flds;
  flds[1]->group = flds;
}

void addEmailFields(inputForm *iF)
{
  inputField *fld, **flds = xzalloc(3 * sizeof(*flds));

  flds[0] = addInputField(iF, LUA_TEMAIL, "email", "email", NULL, emailValidate, emailWeb);
  inputFieldExtra(flds[0], FLD_EDITABLE, 42, 254);
  flds[1] = addInputField(iF, LUA_TEMAIL, "emayl", "Re-enter your email, to be sure you got it correct", 
			"A validation email will be sent to this email address, you will need to click on the link in it to continue your account creation.", emailValidate, emailWeb);
  inputFieldExtra(flds[1], FLD_EDITABLE, 42, 254);
  fld     = addInputField(iF, LUA_TGROUP, "emailGroup",   "emailGroup",   "", emailValidate, NULL);
  inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
  fld->group = flds;
  flds[0]->group = flds;
  flds[1]->group = flds;
}

void addDoBFields(inputForm *iF)
{
  inputField *fld, **flds = xzalloc(3 * sizeof(*flds));

  flds[0] = addInputField(iF, LUA_TSTRING, "DoByear", "year", NULL, DoBValidate, DoByWeb);
  flds[1] = addInputField(iF, LUA_TSTRING, "DoBmonth", "month", NULL, DoBValidate, DoBmWeb);
  fld     = addInputField(iF, LUA_TGROUP, "DoBGroup",   "DoBGroup",   "", DoBValidate, DoBWeb);
  inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
  fld->group = flds;
  flds[0]->group = flds;
  flds[1]->group = flds;
}

void addLegalFields(inputForm *iF)
{
  inputField *fld, **flds = xzalloc(3 * sizeof(*flds));

  flds[0] = addInputField(iF, LUA_TBOOLEAN, "adult", "I'm allegedly an adult in my country.", NULL, legalValidate, adultWeb);
  flds[1] = addInputField(iF, LUA_TBOOLEAN, "agree", "I accept the Terms of Service.", NULL, legalValidate, agreeWeb);
  fld     = addInputField(iF, LUA_TGROUP, "legalGroup",   "legalGroup",   "", legalValidate, legalWeb);
  inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
  fld->group = flds;
  flds[0]->group = flds;
  flds[1]->group = flds;
}

inputSub *addSubmit(inputForm *iF, char *name, char *title, char *help, inputSubmitFunc submit, char *output)
{
  inputSub *ret = xmalloc(sizeof(inputSub));

//d("addSubmit(%s, %s)", iF->name, name);
  ret->name = name;	ret->title = title;	ret->help = help;	ret->submit = submit;	ret->outputForm = output;
  iF->subs->put(iF->subs, ret->name, ret, sizeof(inputSub));
  free(ret);
  return iF->subs->get(iF->subs, name, NULL, false);
}


/* There should be some precedence for values overriding values here.
    https://www.w3.org/standards/webarch/protocols
	"This intro text is boilerplate for the beta release of w3.org."  Fucking useless.  Pffft
    https://www.w3.org/Protocols/
	Still nothing official, though the ENV / HEADER stuff tends to be about the protocol things, and cookies / body / queries are about the data things.
    http://docs.gantry.org/gantry4/advanced/setby
	Says that query overrides cookies, but that might be just for their platform.
    https://framework.zend.com/manual/1.11/en/zend.controller.request.html
	Says - "1. GET, 2. POST, 3. COOKIE, 4. SERVER, 5. ENV."
	    We don't actually get the headers directly, it's all sent via the env.

URL query	Values actually provided by the user in the FORM, and other things.
POST body	Values actually provided by the user in the FORM.
cookies		
    https://stackoverflow.com/questions/4056306/how-to-handle-multiple-cookies-with-the-same-name

headers		includes HTTP_COOKIE and QUERY_STRING
env		includes headers and HTTP_COOKIE and QUERY_STRING

database	Since all of the above are for updating the database anyway, this goes on the bottom, overridden by all.
		    Though be wary of security stuff.

    Sending cookie headers is a special case, multiples can be sent, otherwise headers are singletons, only send one for each name.
*/
char *sourceTypes[] =
{
  "cookies",
  "body",
  "queries",
  "stuff"
};

static int collectFields(reqData *Rd, inputForm *iF, inputValue *iV, int t)
{
  int i = 0, j;
  qlisttbl_obj_t obj;

  memset((void*)&obj, 0, sizeof(obj)); // must be cleared before call
  iF->fields->lock(iF->fields);
  while(iF->fields->getnext(iF->fields, &obj, NULL, false) == true)
  {
    inputField *fld = (inputField *) obj.data;

//if (0 > t)
//  d("Collecting %d  %s - %s", t, iF->name, fld->name);
//else
//  d("Collecting %s  %s - %s", sourceTypes[t], iF->name, fld->name);
    iV[i].field = fld;
    if (LUA_TGROUP == fld->type)
    {
      if (0 >= t)
      {
	j = 0;
	// If it's a group, number the members relative to the group field.
	// Assume the members for this group are the previous ones.
	while (iV[i].field->group[j])
	{
	  j++;
	  iV[i - j].index = j;
	}
      }
    }
    else
    {
      char *vl = NULL;

      switch (t)
      {
	// We don't get the cookies metadata.
	case 0 : vl = Rd->cookies->getstr(Rd->cookies,	obj.name, false);	break;
	case 1 : vl = Rd->body->   getstr(Rd->body,	obj.name, false);	break;
	case 2 : vl = Rd->queries->getstr(Rd->queries,	obj.name, false);	break;
	case 3 : vl = Rd->queries->getstr(Rd->stuff,	obj.name, false);	break;
	// Rd->stuff comes from the database reads and calculated stuff, which we do later with this new architecture.  The old version validated Rd->stuff as well.
	//	It was doing that so we can pick up any UUID, validate it, and read in relevant records.
	//	For newbies their UUID was generated during the validation of name.
	//	Should still validate that it's long enough and in the correct format, coz that's coming from RD->body sometimes.
	//	The rest can happen in the submit functions now.
	default:								break;
      }
      if ((NULL != iV[i].value) && (NULL != vl))
      {
	if (strcmp(vl, iV[i].value) != 0)
	  W("Collected %s value for %s - %s from %s overriding value from %s", sourceTypes[t], iF->name, fld->name, sourceTypes[t], sourceTypes[iV[i].source]);
	else
	  W("Collected %s value for %s - %s from %s same as value from %s", sourceTypes[t], iF->name, fld->name, sourceTypes[t], sourceTypes[iV[i].source]);
      }
      if (NULL != vl)
      {
	iV[i].source = t;
	iV[i].value = vl;
	D("Collected %s value for %s - %s = %s", sourceTypes[t], iF->name, fld->name, vl);
      }
    }
    i++;
  }
  iF->fields->unlock(iF->fields);
  return i;
}

/*
void listPage(reqData *Rd, char *message)
{
// TODO - should check if the user is a god before allowing this.
  char *name = getStrH(Rd->stuff, "name"), *linky = checkLinky(Rd);
  char *toke_n_munchie = getCookie(Rd->Rcookies, "toke_n_munchie");

  HTMLheader(Rd->reply, "<!--#echo var=\"grid\" --> account manager");
  if (DEBUG)	HTMLdebug(Rd->reply);
  Rd->reply->addstrf(Rd->reply, "<h1><!--#echo var=\"grid\" --> account manager</h1>\n");
  Rd->reply->addstrf(Rd->reply, "<h1><!--#echo var=\"grid\" --> member accounts</h1>\n");
  Rd->reply->addstr(Rd->reply, linky);
  free(linky);
  if (0 != Rd->errors->size(Rd->messages))
    HTMLlist(Rd->reply, "messages -", Rd->messages);
  HTMLtable(Rd->reply, Rd->db,
    dbSelect(Rd->db, "UserAccounts",
    "CONCAT(FirstName,' ',LastName) as Name,UserTitle as Title,UserLevel as Level,UserFlags as Flags,PrincipalID as UUID",
     NULL, NULL, "Name"),
    "member accounts", NULL, NULL);
  HTMLform(Rd->reply, "", Rd->shs.munchie);
    HTMLhidden(Rd->reply, "form", "accountExplore");
    HTMLhidden(Rd->reply, "name", name);
    HTMLhidden(Rd->reply, "UUID", Rd->shs.UUID);
    Rd->reply->addstrf(Rd->reply, "<input type='submit' disabled style='display: none' aria-hidden='true' />\n");	// Stop Enter key on text fields triggering the first submit button.
    HTMLbutton(Rd->reply, "me", "me");
    HTMLbutton(Rd->reply, "logout", "logout");
  if (0 != Rd->errors->size(Rd->errors))
    HTMLlist(Rd->reply, "errors -", Rd->errors);
  Rd->reply->addstrf(Rd->reply, "<p>%s</p>\n", message);
  HTMLfooter(Rd->reply);
}
*/

void account_html(char *file, reqData *Rd, HTMLfile *thisFile)
{
  inputForm *iF;
  inputField *fld;
  inputSub *sub;
  boolean isGET = FALSE;
  int e = 0, t = 0, i, j;
  char *doit = getStrH(Rd->body, "doit"), *form = getStrH(Rd->body, "form");

  if (NULL == accountLevels)
  {
    accountLevels = qlisttbl(QLISTTBL_LOOKUPFORWARD | QLISTTBL_THREADSAFE | QLISTTBL_UNIQUE);
    accountLevels->putstr(accountLevels, "-256", "disabled");
    accountLevels->putstr(accountLevels, "-200", "newbie");
    accountLevels->putstr(accountLevels, "-100", "validated");
    accountLevels->putstr(accountLevels, "-50",  "vouched for");
    accountLevels->putstr(accountLevels, "1",    "approved");
    accountLevels->putstr(accountLevels, "200",  "god");
  }

  // Check "Origin" header and /or HTTP_REFERER header.
  //    "Origin" is either HTTP_HOST or X-FORWARDED-HOST.  Which could be "null".
  char *ref = xmprintf("https://%s%s/account.html", getStrH(Rd->headers, "SERVER_NAME"), getStrH(Rd->headers, "SCRIPT_NAME"));
  char *href = Rd->headers->getstr(Rd->headers, "HTTP_REFERER", true);

  if (NULL != href)
  {
    char *f = strchr(href, '?');

    if (NULL != f)
      *f = '\0';
    if (('\0' != href[0]) && (strcmp(ref, href) != 0))
    {
      bitch(Rd, "Invalid referer.", ref);
      D("Invalid referer - %s  isn't  %s", ref, href);
      form = "accountLogin";
    }
    free(href);
  }
  free(ref);
  ref = getStrH(Rd->headers, "SERVER_NAME");
  href = getStrH(Rd->headers, "HTTP_HOST");
  if ('\0' == href[0])
    href = getStrH(Rd->headers, "X-FORWARDED-HOST");
  if (('\0' != href[0]) && (strcmp(ref, href) != 0))
  {
    bitch(Rd, "Invalid HOST.", ref);
    D("Invalid HOST - %s  isn't  %s", ref, href);
    form = "accountLogin";
  }

  // Redirect to HTTPS if it's HTTP.
  if (strcmp("https", Rd->Scheme) != 0)
  {
    Rd->Rheaders->putstr (Rd->Rheaders, "Status", "301 Moved Permanently");
    Rd->Rheaders->putstrf(Rd->Rheaders, "Location", "https://%s%s", Rd->Host, Rd->RUri);
    Rd->reply->addstrf(Rd->reply, "<html><title>404 Unknown page</title><head>"
				  "<meta http-equiv='refresh' content='0; URL=https://%s%s' />"
				  "</head><body>You should get redirected to <a href='https://%s%s'>https://%s%s</a></body></html>",
				  Rd->Host, Rd->RUri, Rd->Host, Rd->RUri, Rd->Host, Rd->RUri
			);
    D("Redirecting dynamic page %s  ->  https://%s%s", file, Rd->Host, Rd->RUri);
    return;
  }

  // Create the dynamic web pages for account.html.
  if (NULL == accountPages)
  {
    accountPages = qhashtbl(0, 0);


    iF = newInputForm("accountAdd", "", NULL, accountAddWeb, accountLoginWeb);
    addSession(iF);
//    fld = addInputField(iF, LUA_TSTRING, "UUID", "UUID", NULL, UUIDValidate, UUIDWeb);
//    inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
    fld = addInputField(iF, LUA_TSTRING, "name", "name", NULL, nameValidate, nameWeb);
    inputFieldExtra(fld, FLD_EDITABLE | FLD_REQUIRED, 42, 63);
    fld = addInputField(iF, LUA_TPASSWORD, "psswrd", "Re-enter your password",
			"Warning, the limit on password length is set by your viewer, some can't handle longer than 16 characters.", passwordValidate, passwordWeb);
    inputFieldExtra(fld, FLD_EDITABLE, 16, 0);
    addEmailFields(iF);
    addDoBFields(iF);
    addLegalFields(iF);
    fld = addInputField(iF, LUA_TSTRING, "ToS", "Terms of Service", "", NULL, ToSWeb);
    fld = addInputField(iF, LUA_TSTRING, "voucher", "The grid name of someone that will vouch for you", 
			"We use a vouching system here, an existing member must know you well enough to tell us you'll be good for our grid.", voucherValidate, voucherWeb);
    inputFieldExtra(fld, FLD_EDITABLE, 42, 63);
    fld = addInputField(iF, LUA_TSTRING, "aboutMe", "About me", NULL, aboutMeValidate, aboutMeWeb);
    inputFieldExtra(fld, FLD_EDITABLE, 50, 16384);
    addSubmit(iF, "confirm", "confirm", NULL, accountAddSub, "accountView");
    addSubmit(iF, "cancel",  "cancel",  NULL, accountOutSub, "accountLogin");


    iF = newInputForm("accountView", "account view", NULL, accountViewWeb, accountLoginWeb);
    addSession(iF);
//    fld = addInputField(iF, LUA_TSTRING, "UUID", "UUID", NULL, UUIDValidate, UUIDWeb);
//    inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
    fld = addInputField(iF, LUA_TSTRING, "name", "name", NULL, nameValidate, nameWeb);
    inputFieldExtra(fld, FLD_HIDDEN, 42, 63);
    fld = addInputField(iF, LUA_TSTRING, "user", "user", NULL, nameValidate, nameWeb);
    inputFieldExtra(fld, FLD_HIDDEN, 42, 63);
    addSubmit(iF, "login",    "",        NULL, accountViewSub,     "accountView");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "validate", "",        NULL, accountValidateSub, "accountLogin");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "edit",     "",        NULL, accountEditSub,     "accountEdit");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "validated_members",  "validated members", NULL, accountExploreValidatedVoucherSub,  "accountValidated");
    addSubmit(iF, "logout",   "logout",  NULL, accountOutSub,      "accountLogin");


    iF = newInputForm("accountValidated", "account validated list", NULL, accountExploreValidatedVouchersWeb, accountLoginWeb);
    addSession(iF);
    fld = addInputField(iF, LUA_TSTRING, "name", "name", NULL, nameValidate, nameWeb);
    inputFieldExtra(fld, FLD_HIDDEN, 42, 63);
    addSubmit(iF, "login",  "",      NULL, accountViewSub,     "accountView");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "back",   "back",  NULL, accountViewSub,     "accountView");


    iF = newInputForm("accountEdit", "account edit", NULL, accountEditWeb, accountLoginWeb);
    addSession(iF);
//    fld = addInputField(iF, LUA_TSTRING, "UUID", "UUID", NULL, UUIDValidate, UUIDWeb);
//    inputFieldExtra(fld, FLD_HIDDEN, 0, 0);
//    fld = addInputField(iF, LUA_TSTRING, "name", "name", NULL, nameValidate, nameWeb);
//    inputFieldExtra(fld, FLD_HIDDEN, 42, 63);
//    fld = addInputField(iF, LUA_TSTRING, "user", "user", NULL, nameValidate, nameWeb);
//    inputFieldExtra(fld, FLD_HIDDEN, 42, 63);
//    fld = addInputField(iF, LUA_TEMAIL, "email", "email", "", emailValidate, emailWeb);
//    inputFieldExtra(fld, FLD_NONE, 42, 254);
    addSubmit(iF, "login",   "",        NULL, accountViewSub,     "accountView");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "save",    "save",    NULL, accountSaveSub,     "accountView");
    addSubmit(iF, "back",  "back",  NULL, accountViewSub,      "accountView");
//    addSubmit(iF, "members", "members", NULL, accountExploreSub,  "accountExplore");
    addSubmit(iF, "logout",  "logout",  NULL, accountOutSub,      "accountLogin");
//    addSubmit(iF, "delete",  "delete",  NULL, accountDelSub,      "accountDel");


    iF = newInputForm("accountLogin", "account login", "Please login, or create your new account.", accountLoginWeb, accountLoginWeb);
    addSession(iF);
    fld = addInputField(iF, LUA_TSTRING, "name", "name", "Your name needs to be two words, only ordinary letters and digits, no special characters or fonts.", nameValidate, nameWeb);
    inputFieldExtra(fld, FLD_EDITABLE | FLD_REQUIRED, 42, 63);
    fld = addInputField(iF, LUA_TPASSWORD, "password", "password",
			"Warning, the limit on password length is set by your viewer, some can't handle longer than 16 characters.", passwordValidate, passwordWeb);
    inputFieldExtra(fld, FLD_EDITABLE | FLD_REQUIRED, 16, 0);
    addSubmit(iF, "logout", "",       NULL, accountOutSub,      "accountLogin");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "validate", "",     NULL, accountValidateSub, "accountLogin");		// Coz we sometimes want to trigger this from code.
    addSubmit(iF, "login",  "login",  NULL, accountViewSub,     "accountView");
    addSubmit(iF, "create", "create account", NULL, accountCreateSub,   "accountAdd");
  }

  // Figure out what we are doing.
  if ('\0' == form[0])
    form = getStrH(Rd->cookies, "form");
  if ('\0' == form[0])
    form = "accountLogin";
  if ('\0' == doit[0])
    doit = getStrH(Rd->cookies, "doit");
  if ('\0' == doit[0])
    doit = "logout";
  if ('\0' != doit[0])
  {
    setCookie(Rd, "doit", doit);
    Rd->doit = doit;
  }

  iF = accountPages->get(accountPages, form, NULL, false);
  if (NULL == iF)
  {
    E("No such account page - %s", form);
    form = "accountLogin";
    doit = "logout";
    iF = accountPages->get(accountPages, form, NULL, false);
  }
  sub = iF->subs->get(iF->subs, doit, NULL, false);
  if (NULL == sub)
  {
    E("No such account action - %s", doit);
    form = "accountLogin";
    doit = "logout";
    iF = accountPages->get(accountPages, form, NULL, false);
    sub = iF->subs->get(iF->subs, doit, NULL, false);
  }

  // Special for showing another users details.
  if ('\0' != getStrH(Rd->queries, "user")[0])
  {
    doit = "edit";
    form = "accountView";
    iF = accountPages->get(accountPages, form, NULL, false);
    sub = iF->subs->get(iF->subs, doit, NULL, false);
  }

  Rd->doit = doit;
  Rd->form = form;
  Rd->output = sub->outputForm;

  C("Starting dynamic page %s  %s -> %s [%s -> %s]", Rd->RUri, form, doit, sub->name, Rd->output);

  // Collect the input data.
  int count = iF->fields->size(iF->fields);
  inputValue *iV = xzalloc(count * sizeof(inputValue));
  qlisttbl_obj_t obj;

  if (strcmp("cancel", sub->name) != 0)
  {

// TODO - complain about any extra body or query parameter that we where not expecting.
  for (t = 0; t < 3; t++)
    i = collectFields(Rd, iF, iV, t);

  // Validate the input data.
  D("For page %s -> %s, start of validation.", iF->name, sub->name);
  t = i;
  for (i = 0; i < t; i++)
  {
    if ((NULL != iV[i].value) || (LUA_TGROUP == iV[i].field->type))
    {
      if (NULL == iV[i].field->validate)
	E("No validation function for %s - %s", iF->name, iV[i].field->name);
      else
      {
	if (0 == iV[i].valid)
	{
	  D("Validating %s - %s", iF->name, iV[i].field->name);
	  int rt = iV[i].field->validate(Rd, iF, &iV[i]);
	  if (rt)
	  {
	    W("Invalidated %s - %s returned %d errors", iF->name, iV[i].field->name, rt);
	    iV[i].valid = -1;
	  }
	  else
	  {
	    D("Validated %s - %s", iF->name, iV[i].field->name);
	    iV[i].valid = 1;
	  }
	  e += rt;
	  if (NULL != iV[i].field->group)
	  {
	    // Use the indexes to set the validation result for the other members of the group.
	    // The assumption is that the validation functions for each are the same, and it validates the members as a group.
	    for (j = iV[i].index; j > 0; j--)
	      iV[i + j].valid = iV[i].valid;
// TODO - Possible off by one error, but I don't think it matters.  Needs more testing.
	    for (j = 0; j <= iV[i].index; j++)
	      iV[i + j].valid = iV[i].valid;
	  }
	}
	else if (0 > iV[i].valid)
	  D("Already invalidated %s - %s", iF->name, iV[i].field->name);
	else if (0 < iV[i].valid)
	  D("Already validated %s - %s", iF->name, iV[i].field->name);
      }
    }
    doit = Rd->doit;
    form = Rd->form;
  }

  // Submit the data.  Reload input form and sub in case things got changed by the validation functions.
  iF = accountPages->get(accountPages, Rd->form, NULL, false);
  sub = iF->subs->get(iF->subs, Rd->doit, NULL, false);
//if (strcmp("POST", Rd->Method) == 0)	// Not such a good idea, since we are faking a submit for account validation, which is a GET.
{
  if (0 == e)
  {
    D("For page %s, start of %s submission.", iF->name, sub->name);
    if (NULL != sub->submit)
      e += sub->submit(Rd, iF, iV);
  }
}
  free(iV);

  }

  // Return the result.
  if (0 == e)
  {
    if (strcmp("GET", Rd->Method) == 0)
    {
      // Find the output form.
      inputForm *oF = accountPages->get(accountPages, Rd->output, NULL, false);
      if (NULL == oF)
      {
        E("No such account page - %s", Rd->output);
        form = "accountLogin";
        doit = "logout";
        oF = accountPages->get(accountPages, form, NULL, false);
      }
      D("Building output page %s", oF->name);
      count = oF->fields->size(oF->fields);
      iV = xzalloc(count * sizeof(inputValue));
      collectFields(Rd, oF, iV, -1);
      collectFields(Rd, oF, iV, 3);
      oF->web(Rd, oF, iV);
      free(iV);
    }
    else
    {
      // Redirect to a GET if it was a POST.
      if ((strcmp("POST", Rd->Method) == 0))
      {
	if ('\0' != Rd->form[0])
	  setCookie(Rd, "form", Rd->form);
        if ('\0' != Rd->doit[0])
	  setCookie(Rd, "doit", Rd->doit);
        Rd->Rheaders->putstr (Rd->Rheaders, "Status", "303 See Other");
        Rd->Rheaders->putstrf(Rd->Rheaders, "Location", "https://%s%s%s", Rd->Host, Rd->RUri, Rd->outQuery);
        Rd->reply->addstrf(Rd->reply, "<html><title>Post POST redirect</title><head>"
				  "<meta http-equiv='refresh' content='0; URL=https://%s%s%s' />"
				  "</head><body>You should get redirected to <a href='https://%s%s%s'>https://%s%s%s</a></body></html>",
				  Rd->Host, Rd->RUri, Rd->outQuery, Rd->Host, Rd->RUri, Rd->outQuery, Rd->Host, Rd->RUri, Rd->outQuery
			);
        I("Redirecting dynamic page %s  ->  https://%s%s%s   (%s)", file, Rd->Host, Rd->RUri, Rd->outQuery, Rd->form);
      }
    }
  }
  else
  {
    if (0 < e)
      E("Building output ERROR page %s, coz of %d errors.", iF->name, e);
    else
      D("Building alternate output page %s", iF->name);
    // First just sort out groups, then get the data from Rd->stuff.
    count = iF->fields->size(iF->fields);
    iV = xzalloc(count * sizeof(inputValue));
    collectFields(Rd, iF, iV, -1);
    collectFields(Rd, iF, iV, 3);
    iF->eWeb(Rd, iF, iV);
    free(iV);
  }

  free(Rd->outQuery);
  Rd->outQuery = NULL;

  C("Ending dynamic page  %s  %s", Rd->RUri, form);
}


static void cleanup(void) 
{
  C("Caught signal, cleaning up.");
  dbRequest *req = NULL;

  while (NULL != (req = (dbRequest *) dbRequests->getat(dbRequests, 0, NULL, false)))
  {
    if (NULL != req->flds)
      dbFreeFields(req->flds);
    else
      D("No fields to clean up for %s - %s.", req->table, req->where);
    dbFreeRequest(req);
    dbRequests->removefirst(dbRequests);
  }

  if (accountPages)
  {
    qhashtbl_obj_t obj;

    memset((void*)&obj, 0, sizeof(obj));
    accountPages->lock(accountPages);
    while(accountPages->getnext(accountPages, &obj, true) == true)
    {
      inputForm *f = (inputForm *) obj.data;

//d("%s = %s", obj.name, (char *) obj.data);
      f->subs->free(f->subs);
      f->fields->free(f->fields);
    }
    accountPages->unlock(accountPages);
    accountPages->free(accountPages);
  }

//  if (fieldValidFuncs)	fieldValidFuncs->free(fieldValidFuncs);
//  if (buildPages)	buildPages->free(buildPages);
  if (dynPages)		dynPages->free(dynPages);
  if (HTMLfileCache)
  {
    qhashtbl_obj_t obj;

    memset((void*)&obj, 0, sizeof(obj));
    HTMLfileCache->lock(HTMLfileCache);
    while(HTMLfileCache->getnext(HTMLfileCache, &obj, true) == true)
    {
      HTMLfile *f = (HTMLfile *) obj.data;

      unfragize(f->fragments, NULL, TRUE);
    }
    HTMLfileCache->unlock(HTMLfileCache);
    HTMLfileCache->free(HTMLfileCache);
  }
  if (mimeTypes)	mimeTypes->free(mimeTypes);
  if (dbRequests)	dbRequests->free(dbRequests);
  if (database)		mysql_close(database);
  mysql_library_end();
  lua_close(L);
  if (stats)
  {
    if (stats->stats)	stats->stats->free(stats->stats);
    free(stats);
  }
  if (configs)		configs->free(configs);
}


void sledjchisl_main(void)
{
  char *cmd = *toys.optargs;
  char *tmp;
  gridStats *stats = NULL;
  struct stat statbuf;
  int status, result, i;
  void *vd;

  configs = qhashtbl(0, 0);
  L = luaL_newstate();

  I("libfcgi version: %s", FCGI_VERSION);
  I("Lua version: %s", LUA_RELEASE);
  I("LuaJIT version: %s", LUAJIT_VERSION);
  I("MariaDB / MySQL client version: %s", mysql_get_client_info());
  I("OpenSSL version: %s", OPENSSL_VERSION_TEXT);
  I("qLibc version: qLibc only git tags for version numbers.  Sooo, 2.4.4, unless I forgot to update this.");
  I("toybox version: %s", TOYBOX_VERSION);

  dbRequests = qlist(0);
  sigatexit(cleanup);

  pwd = getcwd(0, 0);

  if (-1 == fstat(STDIN_FILENO, &statbuf))
  {
    error_msg("fstat() failed");
    if (1 != isatty(STDIN_FILENO))
      isWeb = TRUE;
  }
  else
  {
	 if (S_ISREG (statbuf.st_mode))	D("STDIN is a regular file.");
    else if (S_ISDIR (statbuf.st_mode))	D("STDIN is a directory.");
    else if (S_ISCHR (statbuf.st_mode))	D("STDIN is a character device.");
    else if (S_ISBLK (statbuf.st_mode))	D("STDIN is a block device.");
    else if (S_ISFIFO(statbuf.st_mode))	D("STDIN is a FIFO (named pipe).");
    else if (S_ISLNK (statbuf.st_mode))	D("STDIN is a symbolic link.");
    else if (S_ISSOCK(statbuf.st_mode))	D("STDIN is a socket.");
    else				D("STDIN is a unknown file descriptor type.");
    if (!S_ISCHR(statbuf.st_mode))
      isWeb = TRUE;
  }

  // Print our user name and groups.
  struct passwd *pw;
  struct group *grp;
  uid_t euid = geteuid();
  gid_t egid = getegid();
  gid_t *groups = (gid_t *)toybuf;
  i = sizeof(toybuf)/sizeof(gid_t);
  int ngroups;

  pw = xgetpwuid(euid);
  I("Running as user %s", pw->pw_name);

  grp = xgetgrgid(egid);
  ngroups = getgroups(i, groups);
  if (ngroups < 0) perror_exit("getgroups");
  D("User is in group %s", grp->gr_name);
  for (i = 0; i < ngroups; i++) {
    if (groups[i] != egid)
    {
      if ((grp = getgrgid(groups[i])))
	D("User is in group %s", grp->gr_name);
      else
	D("User is in group %u", groups[i]);
    }
  }


/*  From http://luajit.org/install.html -
To change or extend the list of standard libraries to load, copy
src/lib_init.c to your project and modify it accordingly. Make sure the
jit library is loaded or the JIT compiler will not be activated.
*/
  luaL_openlibs(L); // Load Lua libraries.

  // Load the config scripts.
  char *cPaths[] =
  {
    ".sledjChisl.conf.lua",
    "/etc/sledjChisl.conf.lua",
//    "/etc/sledjChisl.d/*.lua",
    "~/.sledjChisl.conf.lua",
//    "~/.config/sledjChisl/*.lua",
    NULL
  };
  struct stat st;


  for (i = 0; cPaths[i]; i++)
  {
    memset(toybuf, 0, sizeof(toybuf));
    if (('/' == cPaths[i][0]) || ('~' == cPaths[i][0]))
      snprintf(toybuf, sizeof(toybuf), "%s", cPaths[i]);
    else
      snprintf(toybuf, sizeof(toybuf), "%s/%s", pwd, cPaths[i]);
    if (0 != lstat(toybuf, &st))
      continue;
    I("Loading configuration file - %s", toybuf);
    status = luaL_loadfile(L, toybuf);
    if (status)	// If something went wrong, error message is at the top of the stack.
      E("Couldn't load file: %s", lua_tostring(L, -1));
    else
    {
      result = lua_pcall(L, 0, LUA_MULTRET, 0);
      if (result)
        E("Failed to run script: %s", lua_tostring(L, -1));
      else
      {
	lua_getglobal(L, "config");
	lua_pushnil(L);
	while(lua_next(L, -2) != 0)
	{
	  char *n = (char *) lua_tostring(L, -2);

	  // Numbers can convert to strings, so check for numbers before checking for strings.
	  // On the other hand, strings that can be converted to numbers also pass lua_isnumber().  sigh
	  if (lua_isnumber(L, -1))
	  {
	    float v = lua_tonumber(L, -1);
	    configs->put(configs, n, &v, sizeof(float));
	  }
	  else if (lua_isstring(L, -1))
	    configs->putstr(configs, n, (char *) lua_tostring(L, -1));
	  else if (lua_isboolean(L, -1))
	  {
	    int v = lua_toboolean(L, -1);
	    configs->putint(configs, n, v);
	  }
	  else
	  {
	    char *v = (char *) lua_tostring(L, -1);
	    E("Unknown config variable type for %s = %s", n, v);
	  }
	  lua_pop(L, 1);
	}
      }
    }
  }
  DEBUG = configs->getint(configs, "debug");
  D("Setting DEBUG = %d", DEBUG);
  if ((vd  = configs->get   (configs, "loadAverageInc", NULL, false))	!= NULL)  {loadAverageInc	=       *((float *) vd);	D("Setting loadAverageInc = %f", loadAverageInc);}
  if ((vd  = configs->get   (configs, "simTimeOut",     NULL, false))	!= NULL)  {simTimeOut		= (int) *((float *) vd);	D("Setting simTimeOut = %d", simTimeOut);}
  if ((tmp = configs->getstr(configs, "scRoot",   false))		!= NULL)  {scRoot		= tmp;				D("Setting scRoot = %s", scRoot);}
  if ((tmp = configs->getstr(configs, "scUser",   false))		!= NULL)  {scUser		= tmp;				D("Setting scUser = %s", scUser);}
  if ((tmp = configs->getstr(configs, "Tconsole", false))		!= NULL)  {Tconsole		= tmp;				D("Setting Tconsole = %s", Tconsole);}
  if ((tmp = configs->getstr(configs, "Tsocket",  false))		!= NULL)  {Tsocket		= tmp;				D("Setting Tsocket = %s", Tsocket);}
  if ((tmp = configs->getstr(configs, "Ttab",     false))		!= NULL)  {Ttab			= tmp;				D("Setting Ttab = %s", Ttab);}
  if ((tmp = configs->getstr(configs, "webRoot",  false))		!= NULL)  {webRoot		= tmp;				D("Setting webRoot = %s", webRoot);}
  if ((tmp = configs->getstr(configs, "URL",      false))		!= NULL)  {URL			= tmp;				D("Setting URL = %s", URL);}
  if ((vd  = configs->get   (configs, "seshTimeOut",    NULL, false))	!= NULL)  {seshTimeOut		= (int) *((float *) vd);	D("Setting seshTimeOut = %d", seshTimeOut);}
  if ((vd  = configs->get   (configs, "idleTimeOut",    NULL, false))	!= NULL)  {idleTimeOut		= (int) *((float *) vd);	D("Setting idleTimeOut = %d", idleTimeOut);}
  if ((vd  = configs->get   (configs, "newbieTimeOut",  NULL, false))	!= NULL)  {newbieTimeOut	= (int) *((float *) vd);	D("Setting newbieTimeOut = %d", newbieTimeOut);}
  if ((tmp = configs->getstr(configs, "ToS",      false))		!= NULL)  {ToS			= tmp;				D("Setting ToS = %s", ToS);}


  // Use a FHS compatible setup -
  if (strcmp("/", scRoot) == 0)
  {
    scBin	= "/bin";
    scEtc	= "/etc/opensim_SC";
    scLib	= "/usr/lib/opensim_SC";
    scRun	= "/run/opensim_SC";
    scBackup	= "/var/backups/opensim_SC";
    scCache	= "/var/cache/opensim_SC";
    scData	= "/var/lib/opensim_SC";
    scLog	= "/var/log/opensim_SC";
  }
  else if (strcmp("/usr/local", scRoot) == 0)
  {
    scBin	= "/usr/local/bin";
    scEtc	= "/usr/local/etc/opensim_SC";
    scLib	= "/usr/local/lib/opensim_SC";
    scRun	= "/run/opensim_SC";
    scBackup	= "/var/local/backups/opensim_SC";
    scCache	= "/var/local/cache/opensim_SC";
    scData	= "/var/local/lib/opensim_SC";
    scLog	= "/var/local/log/opensim_SC";
  }
  else  // A place for everything to live, like /opt/opensim_SC
  {
    char *slsh = "";

    if ('/' != scRoot[0])
    {
      E("scRoot is not an absolute path - %s.", scRoot);
      slsh = "/";
    }
    // The problem here is that OpenSim already uses /opt/opensim_SC/current/bin for all of it's crap, where they mix everything together.
    // Don't want it in the path.
    // Could put the .dlls into lib.  Most of the rest is config files or common assets.
    // Or just slowly migrate opensim stuff to FHS.
    scBin	= xmprintf("%s%s/bin", 		slsh, scRoot);
    scEtc	= xmprintf("%s%s/etc",		slsh, scRoot);
    scLib	= xmprintf("%s%s/lib",		slsh, scRoot);
    scRun	= xmprintf("%s%s/var/run",	slsh, scRoot);
    scBackup	= xmprintf("%s%s/var/backups",	slsh, scRoot);
    scCache	= xmprintf("%s%s/var/cache",	slsh, scRoot);
    scData	= xmprintf("%s%s/var/lib",	slsh, scRoot);
    scLog	= xmprintf("%s%s/var/log",	slsh, scRoot);
  }


// TODO - still a bit chicken and egg here about the tmux socket and reading configs from scEtc /.sledjChisl.conf.lua
  if (!isWeb)
  {
    I("Outputting to a terminal, not a web server.");
    // Check if we are already running inside the proper tmux server.
    char *eTMUX = getenv("TMUX");
    memset(toybuf, 0, sizeof(toybuf));
    snprintf(toybuf, sizeof(toybuf), "%s/%s", scRun, Tsocket);
    if (((eTMUX) && (0 == strncmp(toybuf, eTMUX, strlen(toybuf)))))
    {
      I("Running inside the proper tmux server. %s", eTMUX);
      isTmux = TRUE;
    }
    else
      I("Not running inside the proper tmux server, starting it. %s == %s", eTMUX, toybuf);
  }

  if (isTmux || isWeb)
  {
    char *d;

    // Doing this here coz at this point we should be the correct user.
    if ((! qfile_exist(scBin))	  && (! qfile_mkdir(scBin,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scBin);
    if ((! qfile_exist(scEtc))	  && (! qfile_mkdir(scEtc,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scEtc);
    if ((! qfile_exist(scLib))	  && (! qfile_mkdir(scLib,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scLib);
    if ((! qfile_exist(scRun))	  && (! qfile_mkdir(scRun,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IWGRP | S_IXGRP | S_ISGID, true)))  C("Unable to create path %s", scRun);
    if ((! qfile_exist(scBackup)) && (! qfile_mkdir(scBackup,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scBackup);
// TODO - the path to scCache/sledjchisl.socket needs to be readable by the www-data group.	So the FCGI socket will work.
//	    AND it needs to be group sticky on opensimsc group.					So the tmux socket will work.
//	    So currently scCache is www-data readable, and scRun is group sticky.
    if ((! qfile_exist(scCache))  && (! qfile_mkdir(scCache,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scCache);
    if ((! qfile_exist(scData))	  && (! qfile_mkdir(scData,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scData);
    if ((! qfile_exist(scLog))	  && (! qfile_mkdir(scLog,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", scLog);
    tmp = xmprintf("%s/sessions", scCache);
    if ((! qfile_exist(tmp))	  && (! qfile_mkdir(tmp,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", tmp);
    free(tmp);
    tmp = xmprintf("%s/users", scData);
    if ((! qfile_exist(tmp))	  && (! qfile_mkdir(tmp,	S_IRUSR | S_IWUSR | S_IXUSR | S_IRGRP | S_IXGRP, true)))  C("Unable to create path %s", tmp);
    free(tmp);


    mimeTypes = qhashtbl(0, 0);
    mimeTypes->putstr(mimeTypes, "gz",		"application/gzip");
    mimeTypes->putstr(mimeTypes, "js",		"application/javascript");
    mimeTypes->putstr(mimeTypes, "json",	"application/json");
    mimeTypes->putstr(mimeTypes, "pdf",		"application/pdf");
    mimeTypes->putstr(mimeTypes, "rtf",		"application/rtf");
    mimeTypes->putstr(mimeTypes, "zip",		"application/zip");
    mimeTypes->putstr(mimeTypes, "xz",		"application/x-xz");
    mimeTypes->putstr(mimeTypes, "gif",		"image/gif");
    mimeTypes->putstr(mimeTypes, "png",		"image/png");
    mimeTypes->putstr(mimeTypes, "jp2",		"image/jp2");
    mimeTypes->putstr(mimeTypes, "jpg2",	"image/jp2");
    mimeTypes->putstr(mimeTypes, "jpe",		"image/jpeg");
    mimeTypes->putstr(mimeTypes, "jpg",		"image/jpeg");
    mimeTypes->putstr(mimeTypes, "jpeg",	"image/jpeg");
    mimeTypes->putstr(mimeTypes, "svg",		"image/svg+xml");
    mimeTypes->putstr(mimeTypes, "svgz",	"image/svg+xml");
    mimeTypes->putstr(mimeTypes, "tif",		"image/tiff");
    mimeTypes->putstr(mimeTypes, "tiff",	"image/tiff");
    mimeTypes->putstr(mimeTypes, "css",		"text/css");
    mimeTypes->putstr(mimeTypes, "html",	"text/html");
    mimeTypes->putstr(mimeTypes, "htm",		"text/html");
    mimeTypes->putstr(mimeTypes, "shtml",	"text/html");
//    mimeTypes->putstr(mimeTypes, "md",	"text/markdown");
//    mimeTypes->putstr(mimeTypes, "markdown",	"text/markdown");
    mimeTypes->putstr(mimeTypes, "txt",		"text/plain");

    memset(toybuf, 0, sizeof(toybuf));
    snprintf(toybuf, sizeof(toybuf), "%s/config/config.ini", scRoot);

// TODO - it looks like OpenSim invented their own half arsed backwards INI file include system.
//          I doubt qLibc supports it, like it supports what seems to be the standard include system.
//	    Not sure if we need to worry about it just yet.
// TODO - this leaks memory, but I suspect it's a bug in qLibc.
    qlisttbl_t *qconfig = qconfig_parse_file(NULL, toybuf, '=');
    if (NULL == qconfig)
    {
      E("Can't read config file %s", toybuf);
      goto finished;
    }
    d = qstrunchar(qconfig->getstr(qconfig, "Const.ConnectionString", false), '"', '"');

    if (NULL == d)
    {
      E("No database credentials in %s!", toybuf);
      goto finished;
    }
    else
    {
      char *p0, *p1, *p2;
      if (NULL == (d = strdup(d)))
      {
        E("Out of memory!");
        goto finished;
      }
      // Data Source=MYSQL_HOST;Database=MYSQL_DB;User ID=MYSQL_USER;Password=MYSQL_PASSWORD;Old Guids=true;
      p0 = d;
      while (NULL != p0)
      {
	p1 = strchr(p0, '=');
	if (NULL == p1)	break;
	*p1 = '\0';
	p2 = strchr(p1 + 1, ';');
	if (NULL == p2)	break;
	*p2 = '\0';
	configs->putstr(configs, p0, p1 + 1);	// NOTE - this allocs memory for it's key and it's data.
	p0 = p2 + 1;
	if ('\0' == *p0)
	  p0 = NULL;
      };
      free(d);
    }

// TODO - should also load god names, and maybe the SMTP stuff.
//	    Note that the OpenSim SMTP stuff is ONLY for LSL script usage, we probably want to put it in the Lua config file instead.

    if (mysql_library_init(toys.optc, toys.optargs, NULL))
    {
      E("mysql_library_init() failed!");
      goto finished;
    }
    database = mysql_init(NULL);
    if (NULL == database)
    {
      E("mysql_init() failed - %s", mysql_error(database));
      goto finished;
    }
    else
    {
      if (!dbConnect())
        goto finished;

      // Need to kick this off.
      stats = getStats(database, stats);
      char *h = qstrunchar(qconfig->getstr(qconfig, "Const.HostName", false), '"', '"');
      char *p = qstrunchar(qconfig->getstr(qconfig, "Const.PublicPort", false), '"', '"');
      stats->stats->putstr(stats->stats, "grid",	qstrunchar(qconfig->getstr(qconfig, "Const.GridName", false), '"', '"'));
      stats->stats->putstr(stats->stats, "HostName",	h);
      stats->stats->putstr(stats->stats, "PublicPort",	p);
      snprintf(toybuf, sizeof(toybuf), "http://%s:%s/", h, p);

      stats->stats->putstr(stats->stats, "uri", 	toybuf);
    }
    qconfig->free(qconfig);
  }


  if (isWeb)
  {
    char **initialEnv = environ;
    char *tmp0, *tmp1;
    int count = 0, entries, bytes;

    dynPages = qhashtbl(0, 0);
    newDynPage("account.html", (pageFunction) account_html);

    // FCGI_LISTENSOCK_FILENO is the socket to the web server.
    // STDOUT and STDERR go to the web servers error log, or at least it does in Apache 2 mod_fcgid.
    I("Running SledjChisl inside a web server, pid %d.", getpid());

    if (0 == toys.optc)
      D("no args");
    else
    {
      for (entries = 0, bytes = -1; entries < toys.optc; entries++)
        D("ARG %s\n", toys.optargs[entries]);
    }
    printEnv(environ);

/*
?    https://stackoverflow.com/questions/30707792/how-to-disable-buffering-with-apache2-and-mod-proxy-fcgi
    https://z-issue.com/wp/apache-2-4-the-event-mpm-php-via-mod_proxy_fcgi-and-php-fpm-with-vhosts/
	A lengthy and detailed "how to set this up with PHP" that might be useful.
    https://www.apachelounge.com/viewtopic.php?t=4385
	"Also the new mod_proxy_fcgi for Apache 2.4 seems to be crippled just like mod_fcgid in terms of being limited to just one request per process at a time."
	But then so is the silly fcgi2 SDK, which basically assumes it's a CGI wrapper, not proper FCGI.
+	    I could even start the spawn-fcgi process from the tmux instance of sledjchisl.
+		Orrr just open the socket / port myself from the tmux instance and do the raw FCGI thing through it.
*/
    while (FCGI_Accept() != -1)
    {
      reqData *Rd 	= xzalloc(sizeof(reqData));
      if (-1 == clock_gettime(CLOCK_REALTIME, &Rd->then))
	perror_msg("Unable to get the time.");
      Rd->L		= L;
      Rd->configs	= configs;
//      Rd->queries	= qhashtbl(0, 0);	// Inited in toknize below.
//      Rd->body	= qhashtbl(0, 0);	// Inited in toknize below.
//      Rd->cookies	= qhashtbl(0, 0);	// Inited in toknize below.
      Rd->headers	= qhashtbl(0, 0);
      Rd->valid		= qhashtbl(0, 0);
      Rd->stuff		= qhashtbl(0, 0);
      Rd->database	= qhashtbl(0, 0);
      Rd->Rcookies	= qhashtbl(0, 0);
      Rd->Rheaders	= qhashtbl(0, 0);
      Rd->db		= database;
      Rd->stats		= stats;
      Rd->errors	= qlist(0);
      Rd->messages	= qlist(0);
      Rd->reply		= qgrow(QGROW_THREADSAFE);
      Rd->outQuery	= xstrdup("");
      qhashtbl_obj_t	hobj;
      qlist_obj_t	lobj;

      // So far I'm seeing these as all caps, but I don't think they are defined that way.  Case insensitive per the spec.
      // So convert them now, also "-"  ->  "_".
t("HEADERS");
      char **envp = environ;
      for ( ; *envp != NULL; envp++)
      {
        char *k = xstrdup(*envp);
        char *v = strchr(k, '=');

        if (NULL != v)
        {
          *v = '\0';
          char *ky = qstrreplace("tr", qstrupper(k), "-", "_");
          Rd->headers->putstr(Rd->headers, ky, v + 1);
if ((strcmp("HTTP_COOKIE", ky) == 0) || (strcmp("CONTENT_LENGTH", ky) == 0) || (strcmp("QUERY_STRING", ky) == 0))
  d("  %s = %s", ky, v + 1);
        }
        free(k);
      }

      // The FCGI paramaters sent from the server, are converted to environment variablse for the fcgi2 SDK.
      // The FCGI spec doesn't mention what these are. except FCGI_WEB_SERVER_ADDRS.
	char *Role	= Rd->headers->getstr(Rd->headers, "FCGI_ROLE", false);
	char *Path	= Rd->headers->getstr(Rd->headers, "PATH_INFO", false);
//	if (NULL == Path)	{msleep(1000); continue;}
	char *Length	= Rd->headers->getstr(Rd->headers, "CONTENT_LENGTH", false);
//char *Type	= Rd->headers->getstr(Rd->headers, "CONTENT_TYPE", false);
	Rd->Method	= Rd->headers->getstr(Rd->headers, "REQUEST_METHOD", false);
	Rd->Script	= Rd->headers->getstr(Rd->headers, "SCRIPT_NAME", false);
	Rd->Scheme	= Rd->headers->getstr(Rd->headers, "REQUEST_SCHEME", false);
	Rd->Host	= Rd->headers->getstr(Rd->headers, "HTTP_HOST", false);
//char *SUri	= Rd->headers->getstr(Rd->headers, "SCRIPT_URI", false);
	Rd->RUri	= Rd->headers->getstr(Rd->headers, "REQUEST_URI", true);
//char *Cookies	= Rd->headers->getstr(Rd->headers, "HTTP_COOKIE", false);
//char *Referer	= Rd->headers->getstr(Rd->headers, "HTTP_REFERER", false);
//char *RAddr	= Rd->headers->getstr(Rd->headers, "REMOTE_ADDR", false);
//char *Cache	= Rd->headers->getstr(Rd->headers, "HTTP_CACHE_CONTROL", false);
//char *FAddrs	= Rd->headers->getstr(Rd->headers, "FCGI_WEB_SERVER_ADDRS", false);
//char *Since	= Rd->headers->getstr(Rd->headers, "IF_MODIFIED_SINCE", false);
	/* Per the spec CGI https://www.ietf.org/rfc/rfc3875
   meta-variable-name = "AUTH_TYPE" | "CONTENT_LENGTH" |
                           "CONTENT_TYPE" | "GATEWAY_INTERFACE" |
                           "PATH_INFO" | "PATH_TRANSLATED" |
                           "QUERY_STRING" | "REMOTE_ADDR" |
                           "REMOTE_HOST" | "REMOTE_IDENT" |
                           "REMOTE_USER" | "REQUEST_METHOD" |
                           "SCRIPT_NAME" | "SERVER_NAME" |
                           "SERVER_PORT" | "SERVER_PROTOCOL" |
                           "SERVER_SOFTWARE"
    Also protocol / scheme specific ones - 
	HTTP_*  comes from some of the request header.  The rest are likely part of the other env variables.
		Also covers HTTPS headers, with the HTTP_* names.

	*/

t("COOKIES");
	Rd->cookies = toknize(Rd->headers->getstr(Rd->headers, "HTTP_COOKIE", false), "=;");
	santize(Rd->cookies, TRUE);
	if (strcmp("GET", Rd->Method) == 0)
	{  // In theory a POST has body fields INSTEAD of query fields.  Especially for ignoring the linky-hashish after the validation page.
t("QUERY");
	  Rd->queries = toknize(Rd->headers->getstr(Rd->headers, "QUERY_STRING", false),   "=&");
	  santize(Rd->queries, TRUE);
	}
	else
	{
T("ignoring QUERY");
	  Rd->queries = qhashtbl(0, 0);
	  free(Rd->RUri);
	  Rd->RUri = xmprintf("%s%s", Rd->Script, Path);
	}
t("BODY");
	char *Body	= NULL;
	if (Length != NULL)
	{
	  size_t len = strtol(Length, NULL, 10);
	  Body = xmalloc(len + 1);
	  int c = FCGI_fread(Body, 1, len, FCGI_stdin);
	  if (c != len)
	  {
	    E("Tried to read %d of the body, only got %d!", len, c);
	  }
	  Body[len] = '\0';
	}
	else
	Length = "0";
	Rd->body = toknize(Body,   "=&");
	free(Body);
	santize(Rd->body, TRUE);

	I("%s %s://%s%s -> %s%s", Rd->Method, Rd->Scheme, Rd->Host, Rd->RUri, webRoot, Path);
	D("Started FCGI web request ROLE = %s, body is %s bytes, pid %d.", Role, Length, getpid());

/* TODO - other headers may include -
	    different Content-type
	    Status: 304 Not Modified
	    Last-Modified: timedatemumble
    https://en.wikipedia.org/wiki/List_of_HTTP_header_fields
*/
	Rd->Rheaders->putstr(Rd->Rheaders, "Status", "200 OK");
	Rd->Rheaders->putstr(Rd->Rheaders, "Content-type", "text/html");
// TODO - check these.
	// This is all dynamic web pages, and likeley secure to.
	// Most of these are from https://www.smashingmagazine.com/2017/04/secure-web-app-http-headers/
	// https://www.twilio.com/blog/a-http-headers-for-the-responsible-developer is good to, and includes useful compression and image stuff.
	// On the other hand, .css files are referenced, which might be better off being cached, so should tweak some of thees.
	Rd->Rheaders->putstr(Rd->Rheaders, "Cache-Control", "no-cache, no-store, must-revalidate");
	Rd->Rheaders->putstr(Rd->Rheaders, "Pragma", "no-cache");
	Rd->Rheaders->putstr(Rd->Rheaders, "Expires", "-1");
//	Rd->Rheaders->putstr(Rd->Rheaders, "Content-Security-Policy", "script-src 'self'");	// This can get complex.
	Rd->Rheaders->putstr(Rd->Rheaders, "X-XSS-Protection", "1;mode=block");
	Rd->Rheaders->putstr(Rd->Rheaders, "X-Frame-Options", "SAMEORIGIN");
	Rd->Rheaders->putstr(Rd->Rheaders, "X-Content-Type-Options", "nosniff");
// Failed experiment, looks like JavaScript is the only way to change headers for the session ID.
//	Rd->Rheaders->putstr(Rd->Rheaders, "X-Toke-N-Munchie", "foo, bar");

	if ((strcmp("GET", Rd->Method) != 0) && (strcmp("HEAD", Rd->Method) != 0) && (strcmp("POST", Rd->Method) != 0))
	{
	  E("Unsupported HTTP method %s", Rd->Method);
	  Rd->Rheaders->putstr(Rd->Rheaders, "Status", "405 Method Not Allowed");
	  goto sendReply;
	}

	memset(toybuf, 0, sizeof(toybuf));
	snprintf(toybuf, sizeof(toybuf), "%s%s", webRoot, Path);
	HTMLfile *thisFile = checkHTMLcache(toybuf);
	if (NULL == thisFile)
	{
	  dynPage *dp = dynPages->get(dynPages, &Path[1], NULL, false);
	  if (NULL == dp)
	  {
	    E("Can't access file %s", toybuf);
	    Rd->Rheaders->putstr(Rd->Rheaders, "Status", "404 Not Found");
	    E("Failed to open %s, it's not a virtual file either", toybuf);
	    goto sendReply;
	  }
//	  I("Dynamic page %s found.", dp->name);
	  dp->func(toybuf, Rd, thisFile);
	  char *finl = Rd->reply->tostring(Rd->reply);	// This mallocs new storage and returns it to us.
// TODO - maybe cache this?
	  qlist_t *fragments = fragize(finl, Rd->reply->datasize(Rd->reply));
	  Rd->reply->free(Rd->reply);
	  Rd->reply = qgrow(QGROW_THREADSAFE);
	  unfragize(fragments, Rd, TRUE);
	  free(finl);
goto sendReply;
	}

	tmp0 = qfile_get_ext(toybuf);
	tmp1 = mimeTypes->getstr(mimeTypes, tmp0, false);
	free(tmp0);
	if (NULL != tmp1)
	{
	  if (strncmp("text/", tmp1, 5) != 0)
	  {
	    E("Only text formats are supported - %s", toybuf);
	    Rd->Rheaders->putstr(Rd->Rheaders, "Status", "415 Unsupported Media Type");
	    goto sendReply;
	  }
	}
	else
	{
	  E("Not actually a teapot, er I mean file has no extension, can't determine media type the easy way - %s", toybuf);
	  Rd->Rheaders->putstr(Rd->Rheaders, "Status", "418 I'm a teapot");
	  goto sendReply;
	}

//	Rd->Rheaders->putstr(Rd->Rheaders, "Last-Modified", thisFile->last.tv_sec);
//	This is dynamic content, it's always gonna be modified.  I think.
//	if (NULL != Since)
//	{
//	  time_t snc = qtime_parse_gmtstr(Since);
// TODO - should validate the time, log and ignore it if not valid.
//	  if (thisFile->last.tv_sec < snc)
//	  {
//	    D("Status: 304 Not Modified - %s", toybuf);
//	    setHeader("Status", "304 Not Modified");
//	    goto sendReply;
//	  }
//	}

	if (strcmp("HEAD", Rd->Method) == 0)
	    goto sendReply;

	getStats(database, stats);
	unfragize(thisFile->fragments, Rd, FALSE);
	free(thisFile);

sendReply:
	/* Send headers.
	   BTW, the Status header should be sent first I think.
	      https://www.ietf.org/rfc/rfc3875 6.2 says order isn't important.
		It even says Status is optional, 200 is assumed.  Content-Type is mandatory.
		8.2 "Recommendations for Scripts" is worth complying with.
		9  "Security Considerations"
	      https://tools.ietf.org/html/rfc7230 3.1.2 says status line must be first.  lol
	*/
	FCGI_printf("Status: %s\r\n", getStrH(Rd->Rheaders, "Status"));
	memset((void *) &hobj, 0, sizeof(hobj));
	Rd->Rheaders->lock(Rd->Rheaders);
	while (Rd->Rheaders->getnext(Rd->Rheaders, &hobj, false) == true)
	{
	  if (strcmp("Status", (char *) hobj.name) != 0)
	    FCGI_printf("%s: %s\r\n", (char *) hobj.name, (char *) hobj.data);
	}
	Rd->Rheaders->unlock(Rd->Rheaders);
	// Send cookies.
	memset((void *) &hobj, 0, sizeof(hobj));
	Rd->Rcookies->lock(Rd->Rcookies);
	while (Rd->Rcookies->getnext(Rd->Rcookies, &hobj, false) == true)
	{
	  cookie *ck = (cookie *) hobj.data;
	  FCGI_printf("Set-Cookie: %s=%s", hobj.name, ck->value);
//	  if (NULL	!= ck->expires)		FCGI_printf("; Expires=%s", ck->expires);
	  if (NULL	!= ck->domain)		FCGI_printf("; Domain=%s", ck->domain);
	  if (NULL	!= ck->path)		FCGI_printf("; Path=%s", ck->path);
	  if (0		!= ck->maxAge)		FCGI_printf("; Max-Age=%d", ck->maxAge);
	  if (		   ck->secure)		FCGI_printf("; Secure");
	  if (		   ck->httpOnly)	FCGI_printf("; HttpOnly");
	  if (CS_STRICT	== ck->site)		FCGI_printf("; SameSite=Strict");
	  if (CS_LAX 	== ck->site)		FCGI_printf("; SameSite=Lax");
	  if (CS_NONE	== ck->site)		FCGI_printf("; SameSite=None");
	  FCGI_printf("\r\n");
	  free(ck->value);
	}
	FCGI_printf("\r\n");
	Rd->cookies->unlock(Rd->cookies);
	// Send body.
	char *final = Rd->reply->tostring(Rd->reply);
	if (NULL == final)
	{
	  tmp0 = Rd->Rheaders->getstr(Rd->Rheaders, "Status", false);
	  if (NULL == tmp0)
	  {
	    E("Some sort of error happpened!  Status: UNKNOWN!!");
	    FCGI_printf("Some sort of error happpened!  Status: UNKNOWN!!");
	  }
	  else
	  {
	    E("Some sort of error happpened!  Status: %s", tmp0);
	    FCGI_printf("Some sort of error happpened!  Status: %s", tmp0);
	  }
	}
	else
	{
	  FCGI_printf("%s", final);
	  free(final);
	}

fcgiDone:
	FCGI_Finish();
	if (NULL != Rd->outQuery)	free(Rd->outQuery);
	if (NULL != Rd->shs.name)	free(Rd->shs.name);
	Rd->shs.name = NULL;
//	if (NULL != Rd->shs.UUID)	free(Rd->shs.UUID);	// LEAKY!  But crashy!
	Rd->shs.UUID = NULL;
	qgrow_free(Rd->reply);
	qlist_free(Rd->messages);
	qlist_free(Rd->errors);
	qhashtbl_free(Rd->Rheaders);
	qhashtbl_free(Rd->Rcookies);
	qhashtbl_free(Rd->database);
	qhashtbl_free(Rd->stuff);
	qhashtbl_free(Rd->valid);
	qhashtbl_free(Rd->headers);
	qhashtbl_free(Rd->cookies);
	qhashtbl_free(Rd->body);
	qhashtbl_free(Rd->queries);
	if (Rd->lnk)	free(Rd->lnk);
	free(Rd->RUri);

	struct timespec now;
	if (-1 == clock_gettime(CLOCK_REALTIME, &now))
	  perror_msg("Unable to get the time.");
	double n = (now.tv_sec * 1000000000.0) + now.tv_nsec;
	double t = (Rd->then.tv_sec * 1000000000.0) + Rd->then.tv_nsec;
	I("Finished web request, took %lf seconds", (n - t) / 1000000000.0);
	free(Rd);
    }

    FCGI_fprintf(FCGI_stderr, "Stopped SledjChisl web server.\n");
    D("Stopped SledjChisl web server.");

    goto finished;
  }


  if (!isTmux)
  {	// Let's see if the proper tmux server is even running.
    memset(toybuf, 0, sizeof(toybuf));
    snprintf(toybuf, sizeof(toybuf), "%s %s/%s -q list-sessions 2>/dev/null | grep -q %s:", Tcmd, scRun, Tsocket, Tconsole);
    i = system(toybuf);
    if (WIFEXITED(i))
    {
      if (0 != WEXITSTATUS(i))	// No such sesion, create it.
      {
	memset(toybuf, 0, sizeof(toybuf));
	// The sudo is only so that the session is owned by opensim, otherwise it's owned by whoever ran this script, which is a likely security hole.
	// After the session is created, we rely on the scRun directory to be group sticky, so that anyone in the opensim group can attach to the tmux socket.
	snprintf(toybuf, sizeof(toybuf), 
	  "sudo -Hu %s %s %s/%s new-session -d -s %s  -n '%s' \\; split-window -bhp 50 -t '%s:' bash -c './sledjchisl; cd %s; bash'",
	  scUser, Tcmd, scRun, Tsocket, Tconsole, Ttab, Tconsole, scRoot);
	i = system(toybuf);
	if (!WIFEXITED(i))
	  E("tmux new-session command failed!  %s", toybuf);
      }
      // Join the session.
      memset(toybuf, 0, sizeof(toybuf));
      snprintf(toybuf, sizeof(toybuf), "%s %s/%s select-window -t '%s' \\; attach-session -t '%s'", Tcmd, scRun, Tsocket, Tconsole, Tconsole);
      i = system(toybuf);
      if (!WIFEXITED(i))
	E("tmux attach-session command failed!  %s", toybuf);
      goto finished;
    }
    else
      E("tmux list-sessions command failed!  %s", toybuf);
  }



  simList *sims = getSims();
  if (1)
  {
    struct sysinfo info;
    float  la;

    sysinfo(&info);
    la = info.loads[0]/65536.0;

    if (!checkSimIsRunning("ROBUST"))
    {
      char *d = xmprintf("%s.{right}", Ttab);
      char *c = xmprintf("cd %s/current/bin", scRoot);

      I("ROBUST is starting up.");
      sendTmuxCmd(d, c);
      free(c);
      c = xmprintf("mono Robust.exe -inidirectory=%s/config/ROBUST", scRoot);
      sendTmuxCmd(d, c);
      free(c);
      waitTmuxText(d, "INITIALIZATION COMPLETE FOR ROBUST");
      I("ROBUST is done starting up.");
      la = waitLoadAverage(la, loadAverageInc / 3.0, simTimeOut / 3);
      free(d);
    }

//    for (i = 0; i < sims->num; i++)
    for (i = 0; i < 2; i++)
    {
      char *sim = sims->sims[i], *name = getSimName(sims->sims[i]);

      if (!checkSimIsRunning(sim))
      {
	I("%s is starting up.", name);
	memset(toybuf, 0, sizeof(toybuf));
	snprintf(toybuf, sizeof(toybuf), "%s %s/%s new-window -dn '%s' -t '%s:%d' 'cd %s/current/bin; mono OpenSim.exe -inidirectory=%s/config/%s'",
	  Tcmd, scRun, Tsocket, name, Tconsole, i + 1, scRoot, scRoot, sim);
	int r = system(toybuf);
	if (!WIFEXITED(r))
	  E("tmux new-window command failed!");
	else
	{
	  memset(toybuf, 0, sizeof(toybuf));
	  snprintf(toybuf, sizeof(toybuf), "INITIALIZATION COMPLETE FOR %s", name);
	  waitTmuxText(name, toybuf);
	  I("%s is done starting up.", name);
	  la = waitLoadAverage(la, loadAverageInc, simTimeOut);
	}
      }
    }

  }
  else if (!strcmp(cmd, "create"))	// "create name x,y size"
  {
  }
  else if (!strcmp(cmd, "start"))	// "start sim01"  "start Welcome"  "start" start everything
  {
  }
  else if (!strcmp(cmd, "backup"))	// "backup onefang rejected"  "backup sim01"  "backup Welcome"  "backup" backup everything
  {					// If it's not a sim code, and not a sim name, it's an account inventory.
  }
  else if (!strcmp(cmd, "gitAR"))	// "gitAR i name"
  {
  }
  else if (!strcmp(cmd, "stop"))	// "stop sim01"  "stop Welcome"  "stop" stop everything
  {
  }


  double sum;

  // Load the file containing the script we are going to run
  status = luaL_loadfile(L, "script.lua");
  if (status)
  {
    // If something went wrong, error message is at the top of the stack
    E("Couldn't load file: %s", lua_tostring(L, -1));
    goto finished;
  }

  /*
   * Ok, now here we go: We pass data to the lua script on the stack.
   * That is, we first have to prepare Lua's virtual stack the way we
   * want the script to receive it, then ask Lua to run it.
   */
  lua_newtable(L);    /* We will pass a table */

  /*
   * To put values into the table, we first push the index, then the
   * value, and then call lua_rawset() with the index of the table in the
   * stack. Let's see why it's -3: In Lua, the value -1 always refers to
   * the top of the stack. When you create the table with lua_newtable(),
   * the table gets pushed into the top of the stack. When you push the
   * index and then the cell value, the stack looks like:
   *
   * <- [stack bottom] -- table, index, value [top]
   *
   * So the -1 will refer to the cell value, thus -3 is used to refer to
   * the table itself. Note that lua_rawset() pops the two last elements
   * of the stack, so that after it has been called, the table is at the
   * top of the stack.
   */
  for (i = 1; i <= 5; i++)
  {
    lua_pushnumber(L, i);   // Push the table index
    lua_pushnumber(L, i*2); // Push the cell value
    lua_rawset(L, -3);      // Stores the pair in the table
  }

  // By what name is the script going to reference our table?
  lua_setglobal(L, "foo");

  // Ask Lua to run our little script
  result = lua_pcall(L, 0, LUA_MULTRET, 0);
  if (result)
  {
    E("Failed to run script: %s", lua_tostring(L, -1));
    goto finished;
  }

  // Get the returned value at the top of the stack (index -1)
  sum = lua_tonumber(L, -1);

  I("Script returned: %.0f", sum);

  lua_pop(L, 1);  // Take the returned value out of the stack


finished:

  // An example of calling a toy directly.
  printf("\n\n");
  char *argv[] = {"ls", "-l", "-a", NULL};
  printf("%d\n", runToy(argv));


  puts("");
  fflush(stdout);

  cleanup();
}