| 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
 | -- MySQL dump 10.13  Distrib 5.1.59, for pc-linux-gnu (i686)
--
-- Host: localhost    Database: mythconverg
-- ------------------------------------------------------
-- Server version	5.1.59
/*!40101 SET @OLD_CHARACTER_SET_CLIENT=@@CHARACTER_SET_CLIENT */;
/*!40101 SET @OLD_CHARACTER_SET_RESULTS=@@CHARACTER_SET_RESULTS */;
/*!40101 SET @OLD_COLLATION_CONNECTION=@@COLLATION_CONNECTION */;
/*!40101 SET NAMES utf8 */;
/*!40103 SET @OLD_TIME_ZONE=@@TIME_ZONE */;
/*!40103 SET TIME_ZONE='+00:00' */;
/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
--
-- Table structure for table `archiveitems`
--
DROP TABLE IF EXISTS `archiveitems`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `archiveitems` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `type` set('Recording','Video','File') CHARACTER SET latin1 DEFAULT NULL,
  `title` varchar(128) DEFAULT NULL,
  `subtitle` varchar(128) DEFAULT NULL,
  `description` text,
  `startdate` varchar(30) DEFAULT NULL,
  `starttime` varchar(30) DEFAULT NULL,
  `size` bigint(20) unsigned NOT NULL,
  `filename` text NOT NULL,
  `hascutlist` tinyint(1) NOT NULL DEFAULT '0',
  `cutlist` text,
  `duration` int(10) unsigned NOT NULL DEFAULT '0',
  `cutduration` int(10) unsigned NOT NULL DEFAULT '0',
  `videowidth` int(10) unsigned NOT NULL DEFAULT '0',
  `videoheight` int(10) unsigned NOT NULL DEFAULT '0',
  `filecodec` varchar(50) NOT NULL DEFAULT '',
  `videocodec` varchar(50) NOT NULL DEFAULT '',
  `encoderprofile` varchar(50) NOT NULL DEFAULT 'NONE',
  PRIMARY KEY (`intid`),
  KEY `title` (`title`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `archiveitems`
--
LOCK TABLES `archiveitems` WRITE;
/*!40000 ALTER TABLE `archiveitems` DISABLE KEYS */;
/*!40000 ALTER TABLE `archiveitems` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `callsignnetworkmap`
--
DROP TABLE IF EXISTS `callsignnetworkmap`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `callsignnetworkmap` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `callsign` varchar(20) NOT NULL DEFAULT '',
  `network` varchar(20) NOT NULL DEFAULT '',
  PRIMARY KEY (`id`),
  UNIQUE KEY `callsign` (`callsign`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `callsignnetworkmap`
--
LOCK TABLES `callsignnetworkmap` WRITE;
/*!40000 ALTER TABLE `callsignnetworkmap` DISABLE KEYS */;
/*!40000 ALTER TABLE `callsignnetworkmap` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `capturecard`
--
DROP TABLE IF EXISTS `capturecard`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `capturecard` (
  `cardid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `videodevice` varchar(128) DEFAULT NULL,
  `audiodevice` varchar(128) DEFAULT NULL,
  `vbidevice` varchar(128) DEFAULT NULL,
  `cardtype` varchar(32) DEFAULT 'V4L',
  `defaultinput` varchar(32) DEFAULT 'Television',
  `audioratelimit` int(11) DEFAULT NULL,
  `hostname` varchar(64) DEFAULT NULL,
  `dvb_swfilter` int(11) DEFAULT '0',
  `dvb_sat_type` int(11) NOT NULL DEFAULT '0',
  `dvb_wait_for_seqstart` int(11) NOT NULL DEFAULT '1',
  `skipbtaudio` tinyint(1) DEFAULT '0',
  `dvb_on_demand` tinyint(4) NOT NULL DEFAULT '0',
  `dvb_diseqc_type` smallint(6) DEFAULT NULL,
  `firewire_speed` int(10) unsigned NOT NULL DEFAULT '0',
  `firewire_model` varchar(32) DEFAULT NULL,
  `firewire_connection` int(10) unsigned NOT NULL DEFAULT '0',
  `signal_timeout` int(11) NOT NULL DEFAULT '1000',
  `channel_timeout` int(11) NOT NULL DEFAULT '3000',
  `dvb_tuning_delay` int(10) unsigned NOT NULL DEFAULT '0',
  `contrast` int(11) NOT NULL DEFAULT '0',
  `brightness` int(11) NOT NULL DEFAULT '0',
  `colour` int(11) NOT NULL DEFAULT '0',
  `hue` int(11) NOT NULL DEFAULT '0',
  `diseqcid` int(10) unsigned DEFAULT NULL,
  `dvb_eitscan` tinyint(1) NOT NULL DEFAULT '1',
  PRIMARY KEY (`cardid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `capturecard`
--
LOCK TABLES `capturecard` WRITE;
/*!40000 ALTER TABLE `capturecard` DISABLE KEYS */;
/*!40000 ALTER TABLE `capturecard` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `cardinput`
--
DROP TABLE IF EXISTS `cardinput`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `cardinput` (
  `cardinputid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `cardid` int(10) unsigned NOT NULL DEFAULT '0',
  `sourceid` int(10) unsigned NOT NULL DEFAULT '0',
  `inputname` varchar(32) NOT NULL DEFAULT '',
  `externalcommand` varchar(128) DEFAULT NULL,
  `changer_device` varchar(128) DEFAULT NULL,
  `changer_model` varchar(128) DEFAULT NULL,
  `tunechan` varchar(10) DEFAULT NULL,
  `startchan` varchar(10) DEFAULT NULL,
  `displayname` varchar(64) NOT NULL DEFAULT '',
  `dishnet_eit` tinyint(1) NOT NULL DEFAULT '0',
  `recpriority` int(11) NOT NULL DEFAULT '0',
  `quicktune` tinyint(4) NOT NULL DEFAULT '0',
  `schedorder` int(10) unsigned NOT NULL DEFAULT '0',
  `livetvorder` int(10) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`cardinputid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `cardinput`
--
LOCK TABLES `cardinput` WRITE;
/*!40000 ALTER TABLE `cardinput` DISABLE KEYS */;
/*!40000 ALTER TABLE `cardinput` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channel`
--
DROP TABLE IF EXISTS `channel`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channel` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `channum` varchar(10) NOT NULL DEFAULT '',
  `freqid` varchar(10) DEFAULT NULL,
  `sourceid` int(10) unsigned DEFAULT NULL,
  `callsign` varchar(20) NOT NULL DEFAULT '',
  `name` varchar(64) NOT NULL DEFAULT '',
  `icon` varchar(255) NOT NULL DEFAULT 'none',
  `finetune` int(11) DEFAULT NULL,
  `videofilters` varchar(255) NOT NULL DEFAULT '',
  `xmltvid` varchar(255) NOT NULL DEFAULT '',
  `recpriority` int(10) NOT NULL DEFAULT '0',
  `contrast` int(11) DEFAULT '32768',
  `brightness` int(11) DEFAULT '32768',
  `colour` int(11) DEFAULT '32768',
  `hue` int(11) DEFAULT '32768',
  `tvformat` varchar(10) NOT NULL DEFAULT 'Default',
  `visible` tinyint(1) NOT NULL DEFAULT '1',
  `outputfilters` varchar(255) NOT NULL DEFAULT '',
  `useonairguide` tinyint(1) DEFAULT '0',
  `mplexid` smallint(6) DEFAULT NULL,
  `serviceid` mediumint(8) unsigned DEFAULT NULL,
  `tmoffset` int(11) NOT NULL DEFAULT '0',
  `atsc_major_chan` int(10) unsigned NOT NULL DEFAULT '0',
  `atsc_minor_chan` int(10) unsigned NOT NULL DEFAULT '0',
  `last_record` datetime NOT NULL,
  `default_authority` varchar(32) NOT NULL DEFAULT '',
  `commmethod` int(11) NOT NULL DEFAULT '-1',
  PRIMARY KEY (`chanid`),
  KEY `channel_src` (`channum`,`sourceid`),
  KEY `sourceid` (`sourceid`,`xmltvid`,`chanid`),
  KEY `visible` (`visible`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channel`
--
LOCK TABLES `channel` WRITE;
/*!40000 ALTER TABLE `channel` DISABLE KEYS */;
/*!40000 ALTER TABLE `channel` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channelgroup`
--
DROP TABLE IF EXISTS `channelgroup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channelgroup` (
  `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `chanid` int(11) unsigned NOT NULL DEFAULT '0',
  `grpid` int(11) NOT NULL DEFAULT '1',
  PRIMARY KEY (`id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channelgroup`
--
LOCK TABLES `channelgroup` WRITE;
/*!40000 ALTER TABLE `channelgroup` DISABLE KEYS */;
/*!40000 ALTER TABLE `channelgroup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channelgroupnames`
--
DROP TABLE IF EXISTS `channelgroupnames`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channelgroupnames` (
  `grpid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(64) NOT NULL DEFAULT '0',
  PRIMARY KEY (`grpid`)
) ENGINE=MyISAM AUTO_INCREMENT=2 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channelgroupnames`
--
LOCK TABLES `channelgroupnames` WRITE;
/*!40000 ALTER TABLE `channelgroupnames` DISABLE KEYS */;
INSERT INTO `channelgroupnames` VALUES (1,'Favorites');
/*!40000 ALTER TABLE `channelgroupnames` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channelscan`
--
DROP TABLE IF EXISTS `channelscan`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channelscan` (
  `scanid` int(3) unsigned NOT NULL AUTO_INCREMENT,
  `cardid` int(3) unsigned NOT NULL,
  `sourceid` int(3) unsigned NOT NULL,
  `processed` tinyint(1) unsigned NOT NULL,
  `scandate` datetime NOT NULL,
  PRIMARY KEY (`scanid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channelscan`
--
LOCK TABLES `channelscan` WRITE;
/*!40000 ALTER TABLE `channelscan` DISABLE KEYS */;
/*!40000 ALTER TABLE `channelscan` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channelscan_channel`
--
DROP TABLE IF EXISTS `channelscan_channel`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channelscan_channel` (
  `transportid` int(6) unsigned NOT NULL,
  `scanid` int(3) unsigned NOT NULL,
  `mplex_id` smallint(6) NOT NULL,
  `source_id` int(3) unsigned NOT NULL,
  `channel_id` int(3) unsigned NOT NULL DEFAULT '0',
  `callsign` varchar(20) NOT NULL DEFAULT '',
  `service_name` varchar(64) NOT NULL DEFAULT '',
  `chan_num` varchar(10) NOT NULL DEFAULT '',
  `service_id` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `atsc_major_channel` int(4) unsigned NOT NULL DEFAULT '0',
  `atsc_minor_channel` int(4) unsigned NOT NULL DEFAULT '0',
  `use_on_air_guide` tinyint(1) NOT NULL DEFAULT '0',
  `hidden` tinyint(1) NOT NULL DEFAULT '0',
  `hidden_in_guide` tinyint(1) NOT NULL DEFAULT '0',
  `freqid` varchar(10) NOT NULL DEFAULT '',
  `icon` varchar(255) NOT NULL DEFAULT '',
  `tvformat` varchar(10) NOT NULL DEFAULT 'Default',
  `xmltvid` varchar(64) NOT NULL DEFAULT '',
  `pat_tsid` int(5) unsigned NOT NULL DEFAULT '0',
  `vct_tsid` int(5) unsigned NOT NULL DEFAULT '0',
  `vct_chan_tsid` int(5) unsigned NOT NULL DEFAULT '0',
  `sdt_tsid` int(5) unsigned NOT NULL DEFAULT '0',
  `orig_netid` int(5) unsigned NOT NULL DEFAULT '0',
  `netid` int(5) unsigned NOT NULL DEFAULT '0',
  `si_standard` varchar(10) NOT NULL,
  `in_channels_conf` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `in_pat` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `in_pmt` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `in_vct` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `in_nit` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `in_sdt` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `is_encrypted` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `is_data_service` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `is_audio_service` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `is_opencable` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `could_be_opencable` tinyint(1) unsigned NOT NULL DEFAULT '0',
  `decryption_status` smallint(2) unsigned NOT NULL DEFAULT '0',
  `default_authority` varchar(32) NOT NULL DEFAULT ''
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channelscan_channel`
--
LOCK TABLES `channelscan_channel` WRITE;
/*!40000 ALTER TABLE `channelscan_channel` DISABLE KEYS */;
/*!40000 ALTER TABLE `channelscan_channel` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `channelscan_dtv_multiplex`
--
DROP TABLE IF EXISTS `channelscan_dtv_multiplex`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `channelscan_dtv_multiplex` (
  `transportid` int(6) unsigned NOT NULL AUTO_INCREMENT,
  `scanid` int(3) unsigned NOT NULL,
  `mplexid` smallint(6) unsigned NOT NULL,
  `frequency` bigint(12) unsigned NOT NULL,
  `inversion` char(1) NOT NULL DEFAULT 'a',
  `symbolrate` bigint(12) unsigned NOT NULL DEFAULT '0',
  `fec` varchar(10) NOT NULL DEFAULT 'auto',
  `polarity` char(1) NOT NULL DEFAULT '',
  `hp_code_rate` varchar(10) NOT NULL DEFAULT 'auto',
  `mod_sys` varchar(10) DEFAULT NULL,
  `rolloff` varchar(4) DEFAULT NULL,
  `lp_code_rate` varchar(10) NOT NULL DEFAULT 'auto',
  `modulation` varchar(10) NOT NULL DEFAULT 'auto',
  `transmission_mode` char(1) NOT NULL DEFAULT 'a',
  `guard_interval` varchar(10) NOT NULL DEFAULT 'auto',
  `hierarchy` varchar(10) NOT NULL DEFAULT 'auto',
  `bandwidth` char(1) NOT NULL DEFAULT 'a',
  `sistandard` varchar(10) NOT NULL,
  `tuner_type` smallint(2) unsigned NOT NULL,
  `default_authority` varchar(32) NOT NULL DEFAULT '',
  PRIMARY KEY (`transportid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `channelscan_dtv_multiplex`
--
LOCK TABLES `channelscan_dtv_multiplex` WRITE;
/*!40000 ALTER TABLE `channelscan_dtv_multiplex` DISABLE KEYS */;
/*!40000 ALTER TABLE `channelscan_dtv_multiplex` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `codecparams`
--
DROP TABLE IF EXISTS `codecparams`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `codecparams` (
  `profile` int(10) unsigned NOT NULL DEFAULT '0',
  `name` varchar(128) NOT NULL DEFAULT '',
  `value` varchar(128) DEFAULT NULL,
  PRIMARY KEY (`profile`,`name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `codecparams`
--
LOCK TABLES `codecparams` WRITE;
/*!40000 ALTER TABLE `codecparams` DISABLE KEYS */;
/*!40000 ALTER TABLE `codecparams` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `credits`
--
DROP TABLE IF EXISTS `credits`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `credits` (
  `person` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `role` set('actor','director','producer','executive_producer','writer','guest_star','host','adapter','presenter','commentator','guest') CHARACTER SET latin1 NOT NULL DEFAULT '',
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`person`,`role`),
  KEY `person` (`person`,`role`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `credits`
--
LOCK TABLES `credits` WRITE;
/*!40000 ALTER TABLE `credits` DISABLE KEYS */;
/*!40000 ALTER TABLE `credits` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `customexample`
--
DROP TABLE IF EXISTS `customexample`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `customexample` (
  `rulename` varchar(64) NOT NULL,
  `fromclause` varchar(10000) NOT NULL DEFAULT '',
  `whereclause` varchar(10000) NOT NULL DEFAULT '',
  `search` tinyint(4) NOT NULL DEFAULT '0',
  PRIMARY KEY (`rulename`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `customexample`
--
LOCK TABLES `customexample` WRITE;
/*!40000 ALTER TABLE `customexample` DISABLE KEYS */;
INSERT INTO `customexample` VALUES ('New Flix','','program.category_type = \'movie\' AND program.airdate >= \n     YEAR(DATE_SUB(NOW(), INTERVAL 1 YEAR)) \nAND program.stars > 0.5 ',1);
/*!40000 ALTER TABLE `customexample` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `diseqc_config`
--
DROP TABLE IF EXISTS `diseqc_config`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `diseqc_config` (
  `cardinputid` int(10) unsigned NOT NULL,
  `diseqcid` int(10) unsigned NOT NULL,
  `value` varchar(16) NOT NULL DEFAULT '',
  KEY `id` (`cardinputid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `diseqc_config`
--
LOCK TABLES `diseqc_config` WRITE;
/*!40000 ALTER TABLE `diseqc_config` DISABLE KEYS */;
/*!40000 ALTER TABLE `diseqc_config` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `diseqc_tree`
--
DROP TABLE IF EXISTS `diseqc_tree`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `diseqc_tree` (
  `diseqcid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `parentid` int(10) unsigned DEFAULT NULL,
  `ordinal` tinyint(3) unsigned NOT NULL,
  `type` varchar(16) NOT NULL DEFAULT '',
  `subtype` varchar(16) NOT NULL DEFAULT '',
  `description` varchar(32) NOT NULL DEFAULT '',
  `switch_ports` tinyint(3) unsigned NOT NULL DEFAULT '0',
  `rotor_hi_speed` float NOT NULL DEFAULT '0',
  `rotor_lo_speed` float NOT NULL DEFAULT '0',
  `rotor_positions` varchar(255) NOT NULL DEFAULT '',
  `lnb_lof_switch` int(10) NOT NULL DEFAULT '0',
  `lnb_lof_hi` int(10) NOT NULL DEFAULT '0',
  `lnb_lof_lo` int(10) NOT NULL DEFAULT '0',
  `cmd_repeat` int(11) NOT NULL DEFAULT '1',
  `lnb_pol_inv` tinyint(4) NOT NULL DEFAULT '0',
  `address` tinyint(3) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`diseqcid`),
  KEY `parentid` (`parentid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `diseqc_tree`
--
LOCK TABLES `diseqc_tree` WRITE;
/*!40000 ALTER TABLE `diseqc_tree` DISABLE KEYS */;
/*!40000 ALTER TABLE `diseqc_tree` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `displayprofilegroups`
--
DROP TABLE IF EXISTS `displayprofilegroups`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `displayprofilegroups` (
  `name` varchar(128) NOT NULL,
  `hostname` varchar(64) NOT NULL,
  `profilegroupid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  PRIMARY KEY (`name`,`hostname`),
  UNIQUE KEY `profilegroupid` (`profilegroupid`)
) ENGINE=MyISAM AUTO_INCREMENT=19 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `displayprofilegroups`
--
LOCK TABLES `displayprofilegroups` WRITE;
/*!40000 ALTER TABLE `displayprofilegroups` DISABLE KEYS */;
INSERT INTO `displayprofilegroups` VALUES ('Normal','apheleia',11),('High Quality','apheleia',10),('High Quality','apheleia',4),('Normal','apheleia',5),('Slim','apheleia',6),('VDPAU High Quality','apheleia',7),('VDPAU Normal','apheleia',8),('VDPAU Slim','apheleia',9),('Slim','apheleia',12),('VDPAU High Quality','apheleia',13),('VDPAU Normal','apheleia',14),('VDPAU Slim','apheleia',15),('OpenGL High Quality','apheleia',16),('OpenGL Normal','apheleia',17),('OpenGL Slim','apheleia',18);
/*!40000 ALTER TABLE `displayprofilegroups` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `displayprofiles`
--
DROP TABLE IF EXISTS `displayprofiles`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `displayprofiles` (
  `profilegroupid` int(10) unsigned NOT NULL,
  `profileid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `value` varchar(128) NOT NULL,
  `data` varchar(255) NOT NULL DEFAULT '',
  KEY `profilegroupid` (`profilegroupid`),
  KEY `profileid` (`profileid`,`value`),
  KEY `profileid_2` (`profileid`)
) ENGINE=MyISAM AUTO_INCREMENT=48 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `displayprofiles`
--
LOCK TABLES `displayprofiles` WRITE;
/*!40000 ALTER TABLE `displayprofiles` DISABLE KEYS */;
INSERT INTO `displayprofiles` VALUES (12,37,'pref_skiploop','1'),(12,37,'pref_max_cpus','1'),(12,37,'pref_decoder','ffmpeg'),(12,37,'pref_cmp0','>= 1280 720'),(12,37,'pref_priority','1'),(11,36,'pref_filters',''),(11,36,'pref_deint1','kerneldeint'),(11,36,'pref_deint0','greedyhdoubleprocessdeint'),(11,36,'pref_osdfade','1'),(11,36,'pref_osdrenderer','softblend'),(11,36,'pref_videorenderer','quartz-blit'),(11,36,'pref_skiploop','1'),(11,36,'pref_max_cpus','1'),(11,36,'pref_decoder','ffmpeg'),(11,36,'pref_cmp0','> 0 0'),(11,36,'pref_priority','4'),(11,35,'pref_filters',''),(11,35,'pref_deint1','linearblend'),(11,35,'pref_deint0','linearblend'),(11,35,'pref_osdfade','0'),(11,35,'pref_osdrenderer','softblend'),(11,35,'pref_videorenderer','quartz-blit'),(11,35,'pref_skiploop','1'),(11,35,'pref_max_cpus','1'),(11,35,'pref_decoder','ffmpeg'),(11,35,'pref_cmp0','>= 1280 720'),(11,35,'pref_priority','3'),(11,34,'pref_filters',''),(11,34,'pref_deint1','kerneldeint'),(11,34,'pref_deint0','greedyhdoubleprocessdeint'),(11,34,'pref_osdfade','1'),(11,34,'pref_osdrenderer','softblend'),(11,34,'pref_videorenderer','xv-blit'),(11,34,'pref_skiploop','1'),(11,34,'pref_max_cpus','1'),(11,34,'pref_decoder','ffmpeg'),(11,34,'pref_cmp0','> 0 0'),(11,34,'pref_priority','2'),(11,33,'pref_filters',''),(11,33,'pref_deint1','linearblend'),(11,33,'pref_deint0','linearblend'),(11,33,'pref_osdfade','0'),(11,33,'pref_osdrenderer','softblend'),(11,33,'pref_videorenderer','xv-blit'),(11,33,'pref_skiploop','1'),(11,33,'pref_max_cpus','1'),(11,33,'pref_decoder','ffmpeg'),(11,33,'pref_cmp0','>= 1280 720'),(11,33,'pref_priority','1'),(10,32,'pref_filters',''),(10,32,'pref_deint1','yadifdeint'),(10,32,'pref_deint0','yadifdoubleprocessdeint'),(10,32,'pref_osdfade','1'),(10,32,'pref_osdrenderer','softblend'),(10,32,'pref_videorenderer','quartz-blit'),(10,32,'pref_skiploop','1'),(10,32,'pref_max_cpus','1'),(10,32,'pref_decoder','ffmpeg'),(10,32,'pref_cmp0','> 0 0'),(10,32,'pref_priority','4'),(10,31,'pref_filters',''),(10,31,'pref_deint1','linearblend'),(10,31,'pref_deint0','linearblend'),(10,31,'pref_osdfade','1'),(10,31,'pref_osdrenderer','softblend'),(10,31,'pref_videorenderer','quartz-blit'),(10,31,'pref_skiploop','1'),(10,31,'pref_max_cpus','2'),(10,31,'pref_decoder','ffmpeg'),(10,31,'pref_cmp0','>= 1920 1080'),(10,31,'pref_priority','3'),(10,30,'pref_filters',''),(10,30,'pref_deint1','yadifdeint'),(10,30,'pref_deint0','yadifdoubleprocessdeint'),(10,30,'pref_osdfade','1'),(10,30,'pref_osdrenderer','softblend'),(10,30,'pref_videorenderer','xv-blit'),(10,30,'pref_skiploop','1'),(10,30,'pref_max_cpus','1'),(10,30,'pref_decoder','ffmpeg'),(10,30,'pref_cmp0','> 0 0'),(10,30,'pref_priority','2'),(10,29,'pref_filters',''),(10,29,'pref_deint1','linearblend'),(10,29,'pref_deint0','linearblend'),(10,29,'pref_osdfade','1'),(10,29,'pref_osdrenderer','softblend'),(10,29,'pref_videorenderer','xv-blit'),(10,29,'pref_skiploop','1'),(10,29,'pref_max_cpus','2'),(10,29,'pref_decoder','ffmpeg'),(10,29,'pref_cmp0','>= 1920 1080'),(10,29,'pref_priority','1'),(4,13,'pref_priority','1'),(4,13,'pref_cmp0','>= 1920 1080'),(4,13,'pref_decoder','ffmpeg'),(4,13,'pref_max_cpus','2'),(4,13,'pref_videorenderer','xv-blit'),(4,13,'pref_osdrenderer','softblend'),(4,13,'pref_osdfade','1'),(4,13,'pref_deint0','linearblend'),(4,13,'pref_deint1','linearblend'),(4,13,'pref_filters',''),(4,14,'pref_priority','2'),(4,14,'pref_cmp0','> 0 0'),(4,14,'pref_decoder','ffmpeg'),(4,14,'pref_max_cpus','1'),(4,14,'pref_videorenderer','xv-blit'),(4,14,'pref_osdrenderer','softblend'),(4,14,'pref_osdfade','1'),(4,14,'pref_deint0','yadifdoubleprocessdeint'),(4,14,'pref_deint1','yadifdeint'),(4,14,'pref_filters',''),(4,15,'pref_priority','3'),(4,15,'pref_cmp0','>= 1920 1080'),(4,15,'pref_decoder','ffmpeg'),(4,15,'pref_max_cpus','2'),(4,15,'pref_videorenderer','quartz-blit'),(4,15,'pref_osdrenderer','softblend'),(4,15,'pref_osdfade','1'),(4,15,'pref_deint0','linearblend'),(4,15,'pref_deint1','linearblend'),(4,15,'pref_filters',''),(4,16,'pref_priority','4'),(4,16,'pref_cmp0','> 0 0'),(4,16,'pref_decoder','ffmpeg'),(4,16,'pref_max_cpus','1'),(4,16,'pref_videorenderer','quartz-blit'),(4,16,'pref_osdrenderer','softblend'),(4,16,'pref_osdfade','1'),(4,16,'pref_deint0','yadifdoubleprocessdeint'),(4,16,'pref_deint1','yadifdeint'),(4,16,'pref_filters',''),(5,17,'pref_priority','1'),(5,17,'pref_cmp0','>= 1280 720'),(5,17,'pref_decoder','ffmpeg'),(5,17,'pref_max_cpus','1'),(5,17,'pref_videorenderer','xv-blit'),(5,17,'pref_osdrenderer','softblend'),(5,17,'pref_osdfade','0'),(5,17,'pref_deint0','linearblend'),(5,17,'pref_deint1','linearblend'),(5,17,'pref_filters',''),(5,18,'pref_priority','2'),(5,18,'pref_cmp0','> 0 0'),(5,18,'pref_decoder','ffmpeg'),(5,18,'pref_max_cpus','1'),(5,18,'pref_videorenderer','xv-blit'),(5,18,'pref_osdrenderer','softblend'),(5,18,'pref_osdfade','1'),(5,18,'pref_deint0','greedyhdoubleprocessdeint'),(5,18,'pref_deint1','kerneldeint'),(5,18,'pref_filters',''),(5,19,'pref_priority','3'),(5,19,'pref_cmp0','>= 1280 720'),(5,19,'pref_decoder','ffmpeg'),(5,19,'pref_max_cpus','1'),(5,19,'pref_videorenderer','quartz-blit'),(5,19,'pref_osdrenderer','softblend'),(5,19,'pref_osdfade','0'),(5,19,'pref_deint0','linearblend'),(5,19,'pref_deint1','linearblend'),(5,19,'pref_filters',''),(5,20,'pref_priority','4'),(5,20,'pref_cmp0','> 0 0'),(5,20,'pref_decoder','ffmpeg'),(5,20,'pref_max_cpus','1'),(5,20,'pref_videorenderer','quartz-blit'),(5,20,'pref_osdrenderer','softblend'),(5,20,'pref_osdfade','1'),(5,20,'pref_deint0','greedyhdoubleprocessdeint'),(5,20,'pref_deint1','kerneldeint'),(5,20,'pref_filters',''),(6,21,'pref_priority','1'),(6,21,'pref_cmp0','>= 1280 720'),(6,21,'pref_decoder','ffmpeg'),(6,21,'pref_max_cpus','1'),(6,21,'pref_videorenderer','xv-blit'),(6,21,'pref_osdrenderer','softblend'),(6,21,'pref_osdfade','0'),(6,21,'pref_deint0','onefield'),(6,21,'pref_deint1','onefield'),(6,21,'pref_filters',''),(6,22,'pref_priority','2'),(6,22,'pref_cmp0','> 0 0'),(6,22,'pref_decoder','ffmpeg'),(6,22,'pref_max_cpus','1'),(6,22,'pref_videorenderer','xv-blit'),(6,22,'pref_osdrenderer','softblend'),(6,22,'pref_osdfade','1'),(6,22,'pref_deint0','linearblend'),(6,22,'pref_deint1','linearblend'),(6,22,'pref_filters',''),(6,23,'pref_priority','3'),(6,23,'pref_cmp0','>= 1280 720'),(6,23,'pref_decoder','ffmpeg'),(6,23,'pref_max_cpus','1'),(6,23,'pref_videorenderer','quartz-blit'),(6,23,'pref_osdrenderer','softblend'),(6,23,'pref_osdfade','0'),(6,23,'pref_deint0','onefield'),(6,23,'pref_deint1','onefield'),(6,23,'pref_filters',''),(6,24,'pref_priority','4'),(6,24,'pref_cmp0','> 0 0'),(6,24,'pref_decoder','ffmpeg'),(6,24,'pref_max_cpus','1'),(6,24,'pref_videorenderer','quartz-blit'),(6,24,'pref_osdrenderer','softblend'),(6,24,'pref_osdfade','1'),(6,24,'pref_deint0','linearblend'),(6,24,'pref_deint1','linearblend'),(6,24,'pref_filters',''),(7,25,'pref_priority','1'),(7,25,'pref_cmp0','> 0 0'),(7,25,'pref_decoder','vdpau'),(7,25,'pref_max_cpus','1'),(7,25,'pref_videorenderer','vdpau'),(7,25,'pref_osdrenderer','vdpau'),(7,25,'pref_osdfade','1'),(7,25,'pref_deint0','vdpauadvanceddoublerate'),(7,25,'pref_deint1','vdpauadvanced'),(7,25,'pref_filters',''),(8,26,'pref_priority','1'),(8,26,'pref_cmp0','>= 0 720'),(8,26,'pref_decoder','vdpau'),(8,26,'pref_max_cpus','1'),(8,26,'pref_videorenderer','vdpau'),(8,26,'pref_osdrenderer','vdpau'),(8,26,'pref_osdfade','1'),(8,26,'pref_deint0','vdpaubasicdoublerate'),(8,26,'pref_deint1','vdpaubasic'),(8,26,'pref_filters',''),(8,27,'pref_priority','2'),(8,27,'pref_cmp0','> 0 0'),(8,27,'pref_decoder','vdpau'),(8,27,'pref_max_cpus','1'),(8,27,'pref_videorenderer','vdpau'),(8,27,'pref_osdrenderer','vdpau'),(8,27,'pref_osdfade','1'),(8,27,'pref_deint0','vdpauadvanceddoublerate'),(8,27,'pref_deint1','vdpauadvanced'),(8,27,'pref_filters',''),(9,28,'pref_priority','1'),(9,28,'pref_cmp0','> 0 0'),(9,28,'pref_decoder','vdpau'),(9,28,'pref_max_cpus','1'),(9,28,'pref_videorenderer','vdpau'),(9,28,'pref_osdrenderer','vdpau'),(9,28,'pref_osdfade','0'),(9,28,'pref_deint0','vdpaubobdeint'),(9,28,'pref_deint1','vdpauonefield'),(9,28,'pref_filters','vdpauskipchroma'),(12,37,'pref_videorenderer','xv-blit'),(12,37,'pref_osdrenderer','softblend'),(12,37,'pref_osdfade','0'),(12,37,'pref_deint0','onefield'),(12,37,'pref_deint1','onefield'),(12,37,'pref_filters',''),(12,38,'pref_priority','2'),(12,38,'pref_cmp0','> 0 0'),(12,38,'pref_decoder','ffmpeg'),(12,38,'pref_max_cpus','1'),(12,38,'pref_skiploop','1'),(12,38,'pref_videorenderer','xv-blit'),(12,38,'pref_osdrenderer','softblend'),(12,38,'pref_osdfade','0'),(12,38,'pref_deint0','linearblend'),(12,38,'pref_deint1','linearblend'),(12,38,'pref_filters',''),(12,39,'pref_priority','3'),(12,39,'pref_cmp0','>= 1280 720'),(12,39,'pref_decoder','ffmpeg'),(12,39,'pref_max_cpus','1'),(12,39,'pref_skiploop','1'),(12,39,'pref_videorenderer','quartz-blit'),(12,39,'pref_osdrenderer','softblend'),(12,39,'pref_osdfade','0'),(12,39,'pref_deint0','onefield'),(12,39,'pref_deint1','onefield'),(12,39,'pref_filters',''),(12,40,'pref_priority','4'),(12,40,'pref_cmp0','> 0 0'),(12,40,'pref_decoder','ffmpeg'),(12,40,'pref_max_cpus','1'),(12,40,'pref_skiploop','1'),(12,40,'pref_videorenderer','quartz-blit'),(12,40,'pref_osdrenderer','softblend'),(12,40,'pref_osdfade','0'),(12,40,'pref_deint0','linearblend'),(12,40,'pref_deint1','linearblend'),(12,40,'pref_filters',''),(13,41,'pref_priority','1'),(13,41,'pref_cmp0','> 0 0'),(13,41,'pref_decoder','vdpau'),(13,41,'pref_max_cpus','1'),(13,41,'pref_skiploop','1'),(13,41,'pref_videorenderer','vdpau'),(13,41,'pref_osdrenderer','vdpau'),(13,41,'pref_osdfade','1'),(13,41,'pref_deint0','vdpauadvanceddoublerate'),(13,41,'pref_deint1','vdpauadvanced'),(13,41,'pref_filters','vdpaucolorspace=auto'),(14,42,'pref_priority','1'),(14,42,'pref_cmp0','>= 0 720'),(14,42,'pref_decoder','vdpau'),(14,42,'pref_max_cpus','1'),(14,42,'pref_skiploop','1'),(14,42,'pref_videorenderer','vdpau'),(14,42,'pref_osdrenderer','vdpau'),(14,42,'pref_osdfade','1'),(14,42,'pref_deint0','vdpaubasicdoublerate'),(14,42,'pref_deint1','vdpaubasic'),(14,42,'pref_filters','vdpaucolorspace=auto'),(14,43,'pref_priority','2'),(14,43,'pref_cmp0','> 0 0'),(14,43,'pref_decoder','vdpau'),(14,43,'pref_max_cpus','1'),(14,43,'pref_skiploop','1'),(14,43,'pref_videorenderer','vdpau'),(14,43,'pref_osdrenderer','vdpau'),(14,43,'pref_osdfade','1'),(14,43,'pref_deint0','vdpauadvanceddoublerate'),(14,43,'pref_deint1','vdpauadvanced'),(14,43,'pref_filters','vdpaucolorspace=auto'),(15,44,'pref_priority','1'),(15,44,'pref_cmp0','> 0 0'),(15,44,'pref_decoder','vdpau'),(15,44,'pref_max_cpus','1'),(15,44,'pref_skiploop','1'),(15,44,'pref_videorenderer','vdpau'),(15,44,'pref_osdrenderer','vdpau'),(15,44,'pref_osdfade','1'),(15,44,'pref_deint0','vdpaubobdeint'),(15,44,'pref_deint1','vdpauonefield'),(15,44,'pref_filters','vdpauskipchroma,vdpaucolorspace=auto'),(16,45,'pref_priority','1'),(16,45,'pref_cmp0','> 0 0'),(16,45,'pref_decoder','ffmpeg'),(16,45,'pref_max_cpus','2'),(16,45,'pref_skiploop','1'),(16,45,'pref_videorenderer','opengl'),(16,45,'pref_osdrenderer','opengl2'),(16,45,'pref_osdfade','1'),(16,45,'pref_deint0','greedyhdoubleprocessdeint'),(16,45,'pref_deint1','greedyhdeint'),(16,45,'pref_filters',''),(17,46,'pref_priority','1'),(17,46,'pref_cmp0','> 0 0'),(17,46,'pref_decoder','ffmpeg'),(17,46,'pref_max_cpus','2'),(17,46,'pref_skiploop','1'),(17,46,'pref_videorenderer','opengl'),(17,46,'pref_osdrenderer','opengl2'),(17,46,'pref_osdfade','1'),(17,46,'pref_deint0','opengldoubleratekerneldeint'),(17,46,'pref_deint1','openglkerneldeint'),(17,46,'pref_filters',''),(18,47,'pref_priority','1'),(18,47,'pref_cmp0','> 0 0'),(18,47,'pref_decoder','ffmpeg'),(18,47,'pref_max_cpus','1'),(18,47,'pref_skiploop','1'),(18,47,'pref_videorenderer','opengl'),(18,47,'pref_osdrenderer','opengl2'),(18,47,'pref_osdfade','1'),(18,47,'pref_deint0','opengldoubleratelinearblend'),(18,47,'pref_deint1','opengllinearblend'),(18,47,'pref_filters','');
/*!40000 ALTER TABLE `displayprofiles` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `dtv_multiplex`
--
DROP TABLE IF EXISTS `dtv_multiplex`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `dtv_multiplex` (
  `mplexid` smallint(6) NOT NULL AUTO_INCREMENT,
  `sourceid` smallint(6) DEFAULT NULL,
  `transportid` int(11) DEFAULT NULL,
  `networkid` int(11) DEFAULT NULL,
  `frequency` int(11) DEFAULT NULL,
  `inversion` char(1) DEFAULT 'a',
  `symbolrate` int(11) DEFAULT NULL,
  `fec` varchar(10) DEFAULT 'auto',
  `polarity` char(1) DEFAULT NULL,
  `modulation` varchar(10) DEFAULT 'auto',
  `bandwidth` char(1) DEFAULT 'a',
  `lp_code_rate` varchar(10) DEFAULT 'auto',
  `transmission_mode` char(1) DEFAULT 'a',
  `guard_interval` varchar(10) DEFAULT 'auto',
  `visible` smallint(1) NOT NULL DEFAULT '0',
  `constellation` varchar(10) DEFAULT 'auto',
  `hierarchy` varchar(10) DEFAULT 'auto',
  `hp_code_rate` varchar(10) DEFAULT 'auto',
  `mod_sys` varchar(10) DEFAULT NULL,
  `rolloff` varchar(4) DEFAULT NULL,
  `sistandard` varchar(10) DEFAULT 'dvb',
  `serviceversion` smallint(6) DEFAULT '33',
  `updatetimestamp` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  `default_authority` varchar(32) NOT NULL DEFAULT '',
  PRIMARY KEY (`mplexid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `dtv_multiplex`
--
LOCK TABLES `dtv_multiplex` WRITE;
/*!40000 ALTER TABLE `dtv_multiplex` DISABLE KEYS */;
/*!40000 ALTER TABLE `dtv_multiplex` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `dtv_privatetypes`
--
DROP TABLE IF EXISTS `dtv_privatetypes`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `dtv_privatetypes` (
  `sitype` varchar(4) NOT NULL DEFAULT '',
  `networkid` int(11) NOT NULL DEFAULT '0',
  `private_type` varchar(20) NOT NULL DEFAULT '',
  `private_value` varchar(100) NOT NULL DEFAULT ''
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `dtv_privatetypes`
--
LOCK TABLES `dtv_privatetypes` WRITE;
/*!40000 ALTER TABLE `dtv_privatetypes` DISABLE KEYS */;
INSERT INTO `dtv_privatetypes` VALUES ('dvb',9018,'channel_numbers','131'),('dvb',9018,'guide_fixup','2'),('dvb',256,'guide_fixup','1'),('dvb',257,'guide_fixup','1'),('dvb',256,'tv_types','1,150,134,133'),('dvb',257,'tv_types','1,150,134,133'),('dvb',4100,'sdt_mapping','1'),('dvb',4101,'sdt_mapping','1'),('dvb',4102,'sdt_mapping','1'),('dvb',4103,'sdt_mapping','1'),('dvb',4104,'sdt_mapping','1'),('dvb',4105,'sdt_mapping','1'),('dvb',4106,'sdt_mapping','1'),('dvb',4107,'sdt_mapping','1'),('dvb',4097,'sdt_mapping','1'),('dvb',4098,'sdt_mapping','1'),('dvb',4100,'tv_types','1,145,154'),('dvb',4101,'tv_types','1,145,154'),('dvb',4102,'tv_types','1,145,154'),('dvb',4103,'tv_types','1,145,154'),('dvb',4104,'tv_types','1,145,154'),('dvb',4105,'tv_types','1,145,154'),('dvb',4106,'tv_types','1,145,154'),('dvb',4107,'tv_types','1,145,154'),('dvb',4097,'tv_types','1,145,154'),('dvb',4098,'tv_types','1,145,154'),('dvb',4100,'guide_fixup','1'),('dvb',4101,'guide_fixup','1'),('dvb',4102,'guide_fixup','1'),('dvb',4103,'guide_fixup','1'),('dvb',4104,'guide_fixup','1'),('dvb',4105,'guide_fixup','1'),('dvb',4106,'guide_fixup','1'),('dvb',4107,'guide_fixup','1'),('dvb',4096,'guide_fixup','5'),('dvb',4097,'guide_fixup','1'),('dvb',4098,'guide_fixup','1'),('dvb',94,'tv_types','1,128'),('atsc',1793,'guide_fixup','3'),('dvb',40999,'guide_fixup','4'),('dvb',70,'force_guide_present','yes'),('dvb',70,'guide_ranges','80,80,96,96'),('dvb',4112,'channel_numbers','131'),('dvb',4115,'channel_numbers','131'),('dvb',4116,'channel_numbers','131'),('dvb',12802,'channel_numbers','131'),('dvb',12803,'channel_numbers','131'),('dvb',12829,'channel_numbers','131'),('dvb',40999,'parse_subtitle_list','1070,1308,1041,1306,1307,1030,1016,1131,1068,1069'),('dvb',4096,'guide_fixup','5');
/*!40000 ALTER TABLE `dtv_privatetypes` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `dvdbookmark`
--
DROP TABLE IF EXISTS `dvdbookmark`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `dvdbookmark` (
  `serialid` varchar(16) NOT NULL DEFAULT '',
  `name` varchar(32) DEFAULT NULL,
  `title` smallint(6) NOT NULL DEFAULT '0',
  `audionum` tinyint(4) NOT NULL DEFAULT '-1',
  `subtitlenum` tinyint(4) NOT NULL DEFAULT '-1',
  `framenum` bigint(20) NOT NULL DEFAULT '0',
  `timestamp` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  PRIMARY KEY (`serialid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `dvdbookmark`
--
LOCK TABLES `dvdbookmark` WRITE;
/*!40000 ALTER TABLE `dvdbookmark` DISABLE KEYS */;
/*!40000 ALTER TABLE `dvdbookmark` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `dvdinput`
--
DROP TABLE IF EXISTS `dvdinput`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `dvdinput` (
  `intid` int(10) unsigned NOT NULL,
  `hsize` int(10) unsigned DEFAULT NULL,
  `vsize` int(10) unsigned DEFAULT NULL,
  `ar_num` int(10) unsigned DEFAULT NULL,
  `ar_denom` int(10) unsigned DEFAULT NULL,
  `fr_code` int(10) unsigned DEFAULT NULL,
  `letterbox` tinyint(1) DEFAULT NULL,
  `v_format` varchar(16) DEFAULT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `dvdinput`
--
LOCK TABLES `dvdinput` WRITE;
/*!40000 ALTER TABLE `dvdinput` DISABLE KEYS */;
INSERT INTO `dvdinput` VALUES (1,720,480,16,9,1,1,'ntsc'),(2,720,480,16,9,1,0,'ntsc'),(3,720,480,4,3,1,1,'ntsc'),(4,720,480,4,3,1,0,'ntsc'),(5,720,576,16,9,3,1,'pal'),(6,720,576,16,9,3,0,'pal'),(7,720,576,4,3,3,1,'pal'),(8,720,576,4,3,3,0,'pal');
/*!40000 ALTER TABLE `dvdinput` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `dvdtranscode`
--
DROP TABLE IF EXISTS `dvdtranscode`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `dvdtranscode` (
  `intid` int(11) NOT NULL AUTO_INCREMENT,
  `input` int(10) unsigned DEFAULT NULL,
  `name` varchar(128) NOT NULL,
  `sync_mode` int(10) unsigned DEFAULT NULL,
  `use_yv12` tinyint(1) DEFAULT NULL,
  `cliptop` int(11) DEFAULT NULL,
  `clipbottom` int(11) DEFAULT NULL,
  `clipleft` int(11) DEFAULT NULL,
  `clipright` int(11) DEFAULT NULL,
  `f_resize_h` int(11) DEFAULT NULL,
  `f_resize_w` int(11) DEFAULT NULL,
  `hq_resize_h` int(11) DEFAULT NULL,
  `hq_resize_w` int(11) DEFAULT NULL,
  `grow_h` int(11) DEFAULT NULL,
  `grow_w` int(11) DEFAULT NULL,
  `clip2top` int(11) DEFAULT NULL,
  `clip2bottom` int(11) DEFAULT NULL,
  `clip2left` int(11) DEFAULT NULL,
  `clip2right` int(11) DEFAULT NULL,
  `codec` varchar(128) NOT NULL,
  `codec_param` varchar(128) DEFAULT NULL,
  `bitrate` int(11) DEFAULT NULL,
  `a_sample_r` int(11) DEFAULT NULL,
  `a_bitrate` int(11) DEFAULT NULL,
  `two_pass` tinyint(1) DEFAULT NULL,
  `tc_param` varchar(128) DEFAULT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM AUTO_INCREMENT=12 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `dvdtranscode`
--
LOCK TABLES `dvdtranscode` WRITE;
/*!40000 ALTER TABLE `dvdtranscode` DISABLE KEYS */;
INSERT INTO `dvdtranscode` VALUES (1,1,'Good',2,1,16,16,0,0,2,0,0,0,0,0,32,32,8,8,'divx5',NULL,1618,NULL,NULL,0,NULL),(2,2,'Excellent',2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,'divx5',NULL,0,NULL,NULL,1,NULL),(3,2,'Good',2,1,0,0,8,8,0,0,0,0,0,0,0,0,0,0,'divx5',NULL,1618,NULL,NULL,0,NULL),(4,2,'Medium',2,1,0,0,8,8,5,5,0,0,0,0,0,0,0,0,'divx5',NULL,1200,NULL,NULL,0,NULL),(5,3,'Good',2,1,0,0,0,0,0,0,0,0,2,0,80,80,8,8,'divx5',NULL,0,NULL,NULL,0,NULL),(6,4,'Excellent',2,1,0,0,0,0,0,0,0,0,2,0,0,0,0,0,'divx5',NULL,0,NULL,NULL,1,NULL),(7,4,'Good',2,1,0,0,8,8,0,2,0,0,0,0,0,0,0,0,'divx5',NULL,1618,NULL,NULL,0,NULL),(8,5,'Good',1,1,16,16,0,0,5,0,0,0,0,0,40,40,8,8,'divx5',NULL,1618,NULL,NULL,0,NULL),(9,6,'Good',1,1,0,0,16,16,5,0,0,0,0,0,0,0,0,0,'divx5',NULL,1618,NULL,NULL,0,NULL),(10,7,'Good',1,1,0,0,0,0,1,0,0,0,0,0,76,76,8,8,'divx5',NULL,1618,NULL,NULL,0,NULL),(11,8,'Good',1,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,'divx5',NULL,1618,NULL,NULL,0,NULL);
/*!40000 ALTER TABLE `dvdtranscode` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `eit_cache`
--
DROP TABLE IF EXISTS `eit_cache`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `eit_cache` (
  `chanid` int(10) NOT NULL,
  `eventid` int(10) unsigned NOT NULL DEFAULT '0',
  `tableid` tinyint(3) unsigned NOT NULL,
  `version` tinyint(3) unsigned NOT NULL,
  `endtime` int(10) unsigned NOT NULL,
  `status` tinyint(4) NOT NULL DEFAULT '0',
  PRIMARY KEY (`chanid`,`eventid`,`status`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `eit_cache`
--
LOCK TABLES `eit_cache` WRITE;
/*!40000 ALTER TABLE `eit_cache` DISABLE KEYS */;
/*!40000 ALTER TABLE `eit_cache` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `filemarkup`
--
DROP TABLE IF EXISTS `filemarkup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `filemarkup` (
  `filename` text NOT NULL,
  `mark` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `offset` bigint(20) unsigned DEFAULT NULL,
  `type` tinyint(4) NOT NULL DEFAULT '0',
  KEY `filename` (`filename`(255))
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `filemarkup`
--
LOCK TABLES `filemarkup` WRITE;
/*!40000 ALTER TABLE `filemarkup` DISABLE KEYS */;
/*!40000 ALTER TABLE `filemarkup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `gallerymetadata`
--
DROP TABLE IF EXISTS `gallerymetadata`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `gallerymetadata` (
  `image` varchar(255) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL,
  `angle` int(11) NOT NULL,
  PRIMARY KEY (`image`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `gallerymetadata`
--
LOCK TABLES `gallerymetadata` WRITE;
/*!40000 ALTER TABLE `gallerymetadata` DISABLE KEYS */;
/*!40000 ALTER TABLE `gallerymetadata` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `gamemetadata`
--
DROP TABLE IF EXISTS `gamemetadata`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `gamemetadata` (
  `intid` int(11) NOT NULL AUTO_INCREMENT,
  `system` varchar(128) NOT NULL DEFAULT '',
  `romname` varchar(128) NOT NULL DEFAULT '',
  `gamename` varchar(128) NOT NULL DEFAULT '',
  `genre` varchar(128) NOT NULL DEFAULT '',
  `year` varchar(10) NOT NULL DEFAULT '',
  `publisher` varchar(128) NOT NULL DEFAULT '',
  `favorite` tinyint(1) DEFAULT NULL,
  `rompath` varchar(255) NOT NULL DEFAULT '',
  `screenshot` varchar(255) NOT NULL,
  `fanart` varchar(255) NOT NULL,
  `plot` text NOT NULL,
  `boxart` varchar(255) NOT NULL,
  `gametype` varchar(64) NOT NULL DEFAULT '',
  `diskcount` tinyint(1) NOT NULL DEFAULT '1',
  `country` varchar(128) NOT NULL DEFAULT '',
  `crc_value` varchar(64) NOT NULL DEFAULT '',
  `inetref` text,
  `display` tinyint(1) NOT NULL DEFAULT '1',
  `version` varchar(64) NOT NULL DEFAULT '',
  PRIMARY KEY (`intid`),
  KEY `system` (`system`),
  KEY `year` (`year`),
  KEY `romname` (`romname`),
  KEY `gamename` (`gamename`),
  KEY `genre` (`genre`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `gamemetadata`
--
LOCK TABLES `gamemetadata` WRITE;
/*!40000 ALTER TABLE `gamemetadata` DISABLE KEYS */;
/*!40000 ALTER TABLE `gamemetadata` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `gameplayers`
--
DROP TABLE IF EXISTS `gameplayers`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `gameplayers` (
  `gameplayerid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `playername` varchar(64) NOT NULL DEFAULT '',
  `workingpath` varchar(255) NOT NULL DEFAULT '',
  `rompath` varchar(255) NOT NULL DEFAULT '',
  `screenshots` varchar(255) NOT NULL DEFAULT '',
  `commandline` text NOT NULL,
  `gametype` varchar(64) NOT NULL DEFAULT '',
  `extensions` varchar(128) NOT NULL DEFAULT '',
  `spandisks` tinyint(1) NOT NULL DEFAULT '0',
  PRIMARY KEY (`gameplayerid`),
  UNIQUE KEY `playername` (`playername`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `gameplayers`
--
LOCK TABLES `gameplayers` WRITE;
/*!40000 ALTER TABLE `gameplayers` DISABLE KEYS */;
/*!40000 ALTER TABLE `gameplayers` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `housekeeping`
--
DROP TABLE IF EXISTS `housekeeping`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `housekeeping` (
  `tag` varchar(64) NOT NULL DEFAULT '',
  `lastrun` datetime DEFAULT NULL,
  PRIMARY KEY (`tag`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `housekeeping`
--
LOCK TABLES `housekeeping` WRITE;
/*!40000 ALTER TABLE `housekeeping` DISABLE KEYS */;
INSERT INTO `housekeeping` VALUES ('BackupDB','2012-04-22 14:27:05'),('MythFillDB','2010-05-23 00:32:23'),('DailyCleanup','2010-05-23 00:32:23'),('JobQueueRecover-apheleia','2010-05-23 00:32:23'),('DBCleanup','2010-05-23 00:32:23');
/*!40000 ALTER TABLE `housekeeping` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `inputgroup`
--
DROP TABLE IF EXISTS `inputgroup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `inputgroup` (
  `cardinputid` int(10) unsigned NOT NULL,
  `inputgroupid` int(10) unsigned NOT NULL,
  `inputgroupname` varchar(32) NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `inputgroup`
--
LOCK TABLES `inputgroup` WRITE;
/*!40000 ALTER TABLE `inputgroup` DISABLE KEYS */;
/*!40000 ALTER TABLE `inputgroup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `internetcontent`
--
DROP TABLE IF EXISTS `internetcontent`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `internetcontent` (
  `name` varchar(255) NOT NULL,
  `thumbnail` varchar(255) DEFAULT NULL,
  `type` smallint(3) NOT NULL,
  `author` varchar(128) NOT NULL,
  `description` text NOT NULL,
  `commandline` text NOT NULL,
  `version` double NOT NULL,
  `updated` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `search` tinyint(1) NOT NULL,
  `tree` tinyint(1) NOT NULL,
  `podcast` tinyint(1) NOT NULL,
  `download` tinyint(1) NOT NULL,
  `host` varchar(128) DEFAULT NULL
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `internetcontent`
--
LOCK TABLES `internetcontent` WRITE;
/*!40000 ALTER TABLE `internetcontent` DISABLE KEYS */;
/*!40000 ALTER TABLE `internetcontent` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `internetcontentarticles`
--
DROP TABLE IF EXISTS `internetcontentarticles`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `internetcontentarticles` (
  `feedtitle` varchar(255) NOT NULL,
  `path` text NOT NULL,
  `paththumb` text NOT NULL,
  `title` varchar(255) NOT NULL,
  `subtitle` varchar(255) NOT NULL,
  `season` smallint(5) NOT NULL DEFAULT '0',
  `episode` smallint(5) NOT NULL DEFAULT '0',
  `description` text NOT NULL,
  `url` text NOT NULL,
  `type` smallint(3) NOT NULL,
  `thumbnail` text NOT NULL,
  `mediaURL` text NOT NULL,
  `author` varchar(255) NOT NULL,
  `date` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `time` int(11) NOT NULL,
  `rating` varchar(255) NOT NULL,
  `filesize` bigint(20) NOT NULL,
  `player` varchar(255) NOT NULL,
  `playerargs` text NOT NULL,
  `download` varchar(255) NOT NULL,
  `downloadargs` text NOT NULL,
  `width` smallint(6) NOT NULL,
  `height` smallint(6) NOT NULL,
  `language` varchar(128) NOT NULL,
  `podcast` tinyint(1) NOT NULL,
  `downloadable` tinyint(1) NOT NULL,
  `customhtml` tinyint(1) NOT NULL,
  `countries` varchar(255) NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `internetcontentarticles`
--
LOCK TABLES `internetcontentarticles` WRITE;
/*!40000 ALTER TABLE `internetcontentarticles` DISABLE KEYS */;
/*!40000 ALTER TABLE `internetcontentarticles` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `inuseprograms`
--
DROP TABLE IF EXISTS `inuseprograms`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `inuseprograms` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `recusage` varchar(128) NOT NULL DEFAULT '',
  `lastupdatetime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `hostname` varchar(64) NOT NULL DEFAULT '',
  `rechost` varchar(64) NOT NULL,
  `recdir` varchar(255) NOT NULL DEFAULT '',
  KEY `chanid` (`chanid`,`starttime`),
  KEY `recusage` (`recusage`,`lastupdatetime`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `inuseprograms`
--
LOCK TABLES `inuseprograms` WRITE;
/*!40000 ALTER TABLE `inuseprograms` DISABLE KEYS */;
/*!40000 ALTER TABLE `inuseprograms` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `jobqueue`
--
DROP TABLE IF EXISTS `jobqueue`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `jobqueue` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `chanid` int(10) NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `inserttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `type` int(11) NOT NULL DEFAULT '0',
  `cmds` int(11) NOT NULL DEFAULT '0',
  `flags` int(11) NOT NULL DEFAULT '0',
  `status` int(11) NOT NULL DEFAULT '0',
  `statustime` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  `hostname` varchar(64) NOT NULL DEFAULT '',
  `args` blob NOT NULL,
  `comment` varchar(128) NOT NULL DEFAULT '',
  `schedruntime` datetime NOT NULL DEFAULT '2007-01-01 00:00:00',
  PRIMARY KEY (`id`),
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`type`,`inserttime`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `jobqueue`
--
LOCK TABLES `jobqueue` WRITE;
/*!40000 ALTER TABLE `jobqueue` DISABLE KEYS */;
/*!40000 ALTER TABLE `jobqueue` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `jumppoints`
--
DROP TABLE IF EXISTS `jumppoints`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `jumppoints` (
  `destination` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(255) DEFAULT NULL,
  `keylist` varchar(128) DEFAULT NULL,
  `hostname` varchar(64) NOT NULL DEFAULT '',
  PRIMARY KEY (`destination`,`hostname`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `jumppoints`
--
LOCK TABLES `jumppoints` WRITE;
/*!40000 ALTER TABLE `jumppoints` DISABLE KEYS */;
INSERT INTO `jumppoints` VALUES ('Reload Theme','','','apheleia'),('Main Menu','','','apheleia'),('Program Guide','','','apheleia'),('Program Finder','','','apheleia'),('Manage Recordings / Fix Conflicts','','','apheleia'),('Program Recording Priorities','','','apheleia'),('Channel Recording Priorities','','','apheleia'),('TV Recording Playback','','','apheleia'),('TV Recording Deletion','','','apheleia'),('Live TV','','','apheleia'),('Live TV In Guide','','','apheleia'),('Manual Record Scheduling','','','apheleia'),('Status Screen','','','apheleia'),('Previously Recorded','','','apheleia'),('Netflix Browser','Browse Netflix titles','','apheleia'),('Netflix Queue','Administer Netflix Queue','','apheleia'),('Netflix History','View Netflix History','','apheleia'),('MythGallery','Image viewer / slideshow','','apheleia'),('MythGame','Game frontend','','apheleia'),('Play music','','','apheleia'),('Select music playlists','','','apheleia'),('Rip CD','','','apheleia'),('Scan music','','','apheleia'),('Show Music Miniplayer','','','apheleia'),('MythNews','RSS News feed reader','','apheleia'),('MythVideo','The MythVideo default view','','apheleia'),('Video Manager','The MythVideo video manager','','apheleia'),('Video Browser','The MythVideo video browser','','apheleia'),('Video Listings','The MythVideo video listings','','apheleia'),('Video Gallery','The MythVideo video gallery','','apheleia'),('Play DVD','Play a DVD','','apheleia'),('Play VCD','Play a VCD','','apheleia'),('Rip DVD','Import a DVD into your MythVideo database','','apheleia'),('MythWeather','Weather forecasts','','apheleia'),('Manage Recording Rules','','','apheleia'),('ScreenShot','','','apheleia'),('Create DVD','','','apheleia'),('Create Archive','','','apheleia'),('Import Archive','','','apheleia'),('View Archive Log','','','apheleia'),('Play Created DVD','','','apheleia'),('Burn DVD','','','apheleia'),('MythSmolt','Hardware profiler','Ctrl+Alt+p','apheleia'),('Reload Theme','','','apheleia'),('Main Menu','','','apheleia'),('Program Guide','','','apheleia'),('Program Finder','','','apheleia'),('Manage Recordings / Fix Conflicts','','','apheleia'),('Program Recording Priorities','','','apheleia'),('Manage Recording Rules','','','apheleia'),('Channel Recording Priorities','','','apheleia'),('TV Recording Playback','','','apheleia'),('TV Recording Deletion','','','apheleia'),('Live TV','','','apheleia'),('Live TV In Guide','','','apheleia'),('Status Screen','','','apheleia'),('Previously Recorded','','','apheleia'),('Standby Mode','','','apheleia'),('Video Default','The Video Default View','','apheleia'),('Video Manager','The Video Manager','','apheleia'),('Video Browser','The Video Browser','','apheleia'),('Video Listings','The Video Listings','','apheleia'),('Video Gallery','The Video Gallery','','apheleia'),('Play Disc','Play an Optical Disc','','apheleia'),('Toggle Show Widget Borders','','','apheleia'),('Toggle Show Widget Names','','','apheleia'),('Reset All Keys','Reset all keys to defaults','','apheleia'),('Create DVD','','','apheleia'),('Create Archive','','','apheleia'),('Import Archive','','','apheleia'),('View Archive Log','','','apheleia'),('Play Created DVD','','','apheleia'),('Burn DVD','','','apheleia'),('MythGallery','Image viewer / slideshow','','apheleia'),('Random Slideshow','Start Random Slideshow in thumbnail view','','apheleia'),('MythGame','Game frontend','','apheleia'),('Play music','','','apheleia'),('Select music playlists','','','apheleia'),('Rip CD','','','apheleia'),('Scan music','','','apheleia'),('Show Music Miniplayer','','','apheleia'),('MythNews','RSS News feed reader','','apheleia'),('MythWeather','Weather forecasts','','apheleia');
/*!40000 ALTER TABLE `jumppoints` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `keybindings`
--
DROP TABLE IF EXISTS `keybindings`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `keybindings` (
  `context` varchar(32) NOT NULL DEFAULT '',
  `action` varchar(32) NOT NULL DEFAULT '',
  `description` varchar(255) DEFAULT NULL,
  `keylist` varchar(128) DEFAULT NULL,
  `hostname` varchar(64) NOT NULL DEFAULT '',
  PRIMARY KEY (`context`,`action`,`hostname`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `keybindings`
--
LOCK TABLES `keybindings` WRITE;
/*!40000 ALTER TABLE `keybindings` DISABLE KEYS */;
INSERT INTO `keybindings` VALUES ('Global','UP','Up Arrow','Up','apheleia'),('Global','DOWN','Down Arrow','Down','apheleia'),('Global','LEFT','Left Arrow','Left','apheleia'),('Global','RIGHT','Right Arrow','Right','apheleia'),('Global','SELECT','Select','Return,Enter,Space','apheleia'),('Global','ESCAPE','Escape','Esc','apheleia'),('Global','MENU','Pop-up menu','M','apheleia'),('Global','INFO','More information','I','apheleia'),('Global','PAGEUP','Page Up','PgUp','apheleia'),('Global','PAGEDOWN','Page Down','PgDown','apheleia'),('Global','PREVVIEW','Previous View','Home','apheleia'),('Global','NEXTVIEW','Next View','End','apheleia'),('Global','HELP','Help','F1','apheleia'),('Global','EJECT','Eject Removable Media','','apheleia'),('Global','0','0','0','apheleia'),('Global','1','1','1','apheleia'),('Global','2','2','2','apheleia'),('Global','3','3','3','apheleia'),('Global','4','4','4','apheleia'),('Global','5','5','5','apheleia'),('Global','6','6','6','apheleia'),('Global','7','7','7','apheleia'),('Global','8','8','8','apheleia'),('Global','9','9','9','apheleia'),('TV Playback','CREATEPBPVIEW','Create Picture-by-Picture view','','apheleia'),('TV Playback','CREATEPIPVIEW','Create Picture-in-Picture view','','apheleia'),('TV Playback','NEXTPIPWINDOW','Toggle active PIP/PBP window','B','apheleia'),('TV Frontend','PLAYBACK','Play Program','P','apheleia'),('TV Frontend','TOGGLERECORD','Toggle recording status of current program','R','apheleia'),('TV Frontend','DAYLEFT','Page the program guide back one day','Home,7','apheleia'),('TV Frontend','DAYRIGHT','Page the program guide forward one day','End,1','apheleia'),('TV Frontend','PAGELEFT','Page the program guide left',',,<','apheleia'),('TV Frontend','PAGERIGHT','Page the program guide right','>,.','apheleia'),('TV Frontend','TOGGLEFAV','Toggle the current channel as a favorite','?','apheleia'),('TV Frontend','TOGGLEEPGORDER','Reverse the channel order in the program guide','0','apheleia'),('TV Frontend','GUIDE','Show the Program Guide','S','apheleia'),('TV Frontend','FINDER','Show the Program Finder','#','apheleia'),('TV Frontend','NEXTFAV','Cycle through channel groups and all channels in the program guide.','/','apheleia'),('TV Frontend','CHANUPDATE','Switch channels without exiting guide in Live TV mode.','X','apheleia'),('TV Frontend','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('TV Frontend','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('TV Frontend','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('TV Frontend','RANKINC','Increase program or channel rank','Right','apheleia'),('TV Frontend','RANKDEC','Decrease program or channel rank','Left','apheleia'),('TV Frontend','UPCOMING','List upcoming episodes','O','apheleia'),('TV Frontend','DETAILS','Show program details','U','apheleia'),('TV Frontend','VIEWCARD','Switch Capture Card view','Y','apheleia'),('TV Frontend','VIEWINPUT','Switch Capture Card view','C','apheleia'),('TV Frontend','CHANGERECGROUP','Change Recording Group','','apheleia'),('TV Frontend','CHANGEGROUPVIEW','Change Group View','','apheleia'),('TV Playback','CLEAROSD','Clear OSD','Backspace','apheleia'),('TV Playback','PAUSE','Pause','P','apheleia'),('TV Playback','SEEKFFWD','Fast Forward','Right','apheleia'),('TV Playback','SEEKRWND','Rewind','Left','apheleia'),('TV Playback','ARBSEEK','Arbitrary Seek','*','apheleia'),('TV Playback','CHANNELUP','Channel up','Up','apheleia'),('TV Playback','CHANNELDOWN','Channel down','Down','apheleia'),('TV Playback','NEXTFAV','Switch to the next favorite channel','/','apheleia'),('TV Playback','PREVCHAN','Switch to the previous channel','H','apheleia'),('TV Playback','JUMPFFWD','Jump ahead','PgDown','apheleia'),('TV Playback','JUMPRWND','Jump back','PgUp','apheleia'),('TV Playback','JUMPBKMRK','Jump to bookmark','K','apheleia'),('TV Playback','FFWDSTICKY','Fast Forward (Sticky) or Forward one frame while paused','>,.','apheleia'),('TV Playback','RWNDSTICKY','Rewind (Sticky) or Rewind one frame while paused',',,<','apheleia'),('TV Playback','NEXTSOURCE','Next Video Source','Y','apheleia'),('Video','PLAYALT','Play selected item in alternate player','ALT+P','apheleia'),('TV Playback','NEXTINPUT','Next Input','C','apheleia'),('TV Playback','NEXTCARD','Next Card','','apheleia'),('TV Playback','SKIPCOMMERCIAL','Skip Commercial','Z,End','apheleia'),('TV Playback','SKIPCOMMBACK','Skip Commercial (Reverse)','Q,Home','apheleia'),('TV Playback','JUMPSTART','Jump to the start of the recording.','Ctrl+B','apheleia'),('TV Playback','TOGGLEBROWSE','Toggle channel browse mode','O','apheleia'),('TV Playback','TOGGLERECORD','Toggle recording status of current program','R','apheleia'),('TV Playback','TOGGLEFAV','Toggle the current channel as a favorite','?','apheleia'),('TV Playback','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('TV Playback','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('TV Playback','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('TV Playback','TOGGLEPIPMODE','Toggle Picture-in-Picture view','V','apheleia'),('TV Playback','TOGGLEPIPWINDOW','Toggle active PiP window','B','apheleia'),('TV Playback','SWAPPIP','Swap PBP/PIP Windows','N','apheleia'),('TV Playback','TOGGLEASPECT','Toggle the video aspect ratio','Ctrl+W','apheleia'),('TV Playback','TOGGLEFILL','Next Preconfigured Zoom mode','W','apheleia'),('TV Playback','TOGGLECC','Toggle any captions','T','apheleia'),('TV Playback','TOGGLETTC','Toggle Teletext Captions','','apheleia'),('TV Playback','TOGGLESUBTITLE','Toggle Subtitles','','apheleia'),('TV Playback','TOGGLECC608','Toggle VBI CC','','apheleia'),('TV Playback','TOGGLECC708','Toggle ATSC CC','','apheleia'),('TV Playback','TOGGLETTM','Toggle Teletext Menu','','apheleia'),('TV Playback','SELECTAUDIO_0','Play audio track 1','','apheleia'),('TV Playback','SELECTAUDIO_1','Play audio track 2','','apheleia'),('TV Playback','SELECTSUBTITLE_0','Display subtitle 1','','apheleia'),('TV Playback','SELECTSUBTITLE_1','Display subtitle 2','','apheleia'),('TV Playback','SELECTCC608_0','Display VBI CC1','','apheleia'),('TV Playback','SELECTCC608_1','Display VBI CC2','','apheleia'),('TV Playback','SELECTCC608_2','Display VBI CC3','','apheleia'),('TV Playback','SELECTCC608_3','Display VBI CC4','','apheleia'),('TV Playback','SELECTCC708_0','Display ATSC CC1','','apheleia'),('TV Playback','SELECTCC708_1','Display ATSC CC2','','apheleia'),('TV Playback','SELECTCC708_2','Display ATSC CC3','','apheleia'),('TV Playback','SELECTCC708_3','Display ATSC CC4','','apheleia'),('TV Playback','NEXTAUDIO','Next audio track','+','apheleia'),('TV Playback','PREVAUDIO','Previous audio track','-','apheleia'),('TV Playback','NEXTSUBTITLE','Next subtitle track','','apheleia'),('TV Playback','PREVSUBTITLE','Previous subtitle track','','apheleia'),('TV Playback','NEXTCC608','Next VBI CC track','','apheleia'),('TV Playback','PREVCC608','Previous VBI CC track','','apheleia'),('TV Playback','NEXTCC708','Next ATSC CC track','','apheleia'),('TV Playback','PREVCC708','Previous ATSC CC track','','apheleia'),('TV Playback','NEXTCC','Next of any captions','','apheleia'),('TV Playback','NEXTSCAN','Next video scan overidemode','','apheleia'),('TV Playback','QUEUETRANSCODE','Queue the current recording for transcoding','X','apheleia'),('TV Playback','SPEEDINC','Increase the playback speed','U','apheleia'),('TV Playback','SPEEDDEC','Decrease the playback speed','J','apheleia'),('TV Playback','ADJUSTSTRETCH','Turn on time stretch control','A','apheleia'),('TV Playback','STRETCHINC','Increase time stretch speed','','apheleia'),('TV Playback','STRETCHDEC','Decrease time stretch speed','','apheleia'),('TV Playback','TOGGLESTRETCH','Toggle time stretch speed','','apheleia'),('TV Playback','TOGGLEAUDIOSYNC','Turn on audio sync adjustment controls','','apheleia'),('TV Playback','TOGGLEPICCONTROLS','Playback picture adjustments','F','apheleia'),('TV Playback','TOGGLECHANCONTROLS','Recording picture adjustments for this channel','Ctrl+G','apheleia'),('TV Playback','TOGGLERECCONTROLS','Recording picture adjustments for this recorder','G','apheleia'),('TV Playback','TOGGLEPBPMODE','Toggle Picture-by-Picture view','Ctrl+V','apheleia'),('TV Playback','CYCLECOMMSKIPMODE','Cycle Commercial Skip mode','','apheleia'),('TV Playback','GUIDE','Show the Program Guide','S','apheleia'),('TV Playback','FINDER','Show the Program Finder','#','apheleia'),('TV Playback','TOGGLESLEEP','Toggle the Sleep Timer','F8','apheleia'),('TV Playback','PLAY','Play','Ctrl+P','apheleia'),('TV Playback','JUMPPREV','Jump to previously played recording','','apheleia'),('TV Playback','JUMPREC','Display menu of recorded programs to jump to','','apheleia'),('TV Playback','VIEWSCHEDULED','Display scheduled recording list','','apheleia'),('TV Playback','SIGNALMON','Monitor Signal Quality','Alt+F7','apheleia'),('TV Playback','JUMPTODVDROOTMENU','Jump to the DVD Root Menu','','apheleia'),('TV Playback','EXITSHOWNOPROMPTS','Exit Show without any prompts','','apheleia'),('TV Playback','SCREENSHOT','Save screenshot of current video frame','','apheleia'),('TV Playback','MENURED','Menu Red','F2','apheleia'),('TV Playback','MENUGREEN','Menu Green','F3','apheleia'),('TV Playback','MENUYELLOW','Menu Yellow','F4','apheleia'),('TV Playback','MENUBLUE','Menu Blue','F5','apheleia'),('TV Playback','TEXTEXIT','Menu Exit','F6','apheleia'),('TV Playback','MENUTEXT','Menu Text','F7','apheleia'),('TV Playback','MENUEPG','Menu EPG','F12','apheleia'),('TV Editing','CLEARMAP','Clear editing cut points','C,Q,Home','apheleia'),('TV Editing','INVERTMAP','Invert Begin/End cut points','I','apheleia'),('TV Editing','LOADCOMMSKIP','Load cut list from commercial skips','Z,End','apheleia'),('TV Editing','NEXTCUT','Jump to the next cut point','PgDown','apheleia'),('TV Editing','PREVCUT','Jump to the previous cut point','PgUp','apheleia'),('TV Editing','BIGJUMPREW','Jump back 10x the normal amount',',,<','apheleia'),('TV Editing','BIGJUMPFWD','Jump forward 10x the normal amount','>,.','apheleia'),('Teletext Menu','NEXTPAGE','Next Page','Down','apheleia'),('Teletext Menu','PREVPAGE','Previous Page','Up','apheleia'),('Teletext Menu','NEXTSUBPAGE','Next Subpage','Right','apheleia'),('Teletext Menu','PREVSUBPAGE','Previous Subpage','Left','apheleia'),('Teletext Menu','TOGGLETT','Toggle Teletext','T','apheleia'),('Teletext Menu','MENURED','Menu Red','F2','apheleia'),('Teletext Menu','MENUGREEN','Menu Green','F3','apheleia'),('Teletext Menu','MENUYELLOW','Menu Yellow','F4','apheleia'),('Teletext Menu','MENUBLUE','Menu Blue','F5','apheleia'),('Teletext Menu','MENUWHITE','Menu White','F6','apheleia'),('Teletext Menu','TOGGLEBACKGROUND','Toggle Background','F7','apheleia'),('Teletext Menu','REVEAL','Reveal hidden Text','F8','apheleia'),('Archive','TOGGLECUT','Toggle use cut list state for selected program','C','apheleia'),('NetFlix','MOVETOTOP','Moves movie to top of queue','1','apheleia'),('Video','DOWNLOADDATA','Download metadata for current item','W','apheleia'),('Gallery','PLAY','Start/Stop Slideshow','P','apheleia'),('Gallery','HOME','Go to the first image in thumbnail view','Home','apheleia'),('Gallery','END','Go to the last image in thumbnail view','End','apheleia'),('Gallery','MENU','Toggle activating menu in thumbnail view','M','apheleia'),('Gallery','SLIDESHOW','Start Slideshow in thumbnail view','S','apheleia'),('Gallery','RANDOMSHOW','Start Random Slideshow in thumbnail view','R','apheleia'),('Gallery','ROTRIGHT','Rotate image right 90 degrees','],3','apheleia'),('Gallery','ROTLEFT','Rotate image left 90 degrees','[,1','apheleia'),('Gallery','ZOOMOUT','Zoom image out','7','apheleia'),('Gallery','ZOOMIN','Zoom image in','9','apheleia'),('Gallery','SCROLLUP','Scroll image up','2','apheleia'),('Gallery','SCROLLLEFT','Scroll image left','4','apheleia'),('Gallery','SCROLLRIGHT','Scroll image right','6','apheleia'),('Gallery','SCROLLDOWN','Scroll image down','8','apheleia'),('Gallery','RECENTER','Recenter image','5','apheleia'),('Gallery','FULLSIZE','Full-size (un-zoom) image','0','apheleia'),('Gallery','UPLEFT','Go to the upper-left corner of the image','PgUp','apheleia'),('Gallery','LOWRIGHT','Go to the lower-right corner of the image','PgDown','apheleia'),('Gallery','INFO','Toggle Showing Information about Image','I','apheleia'),('Video','INCSEARCH','Show Incremental Search Dialog','Ctrl+S','apheleia'),('Gallery','MARK','Mark image','T','apheleia'),('Gallery','FULLSCREEN','Toggle scale to fullscreen/scale to fit','W','apheleia'),('Game','TOGGLEFAV','Toggle the current game as a favorite','?,/','apheleia'),('Game','INCSEARCH','Show incremental search dialog','Ctrl+S','apheleia'),('Game','INCSEARCHNEXT','Incremental search find next match','Ctrl+N','apheleia'),('Music','NEXTTRACK','Move to the next track','>,.,Z,End','apheleia'),('Music','PREVTRACK','Move to the previous track',',,<,Q,Home','apheleia'),('Music','FFWD','Fast forward','PgDown','apheleia'),('Music','RWND','Rewind','PgUp','apheleia'),('Music','PAUSE','Pause/Start playback','P','apheleia'),('Music','PLAY','Start playback','','apheleia'),('Music','STOP','Stop playback','O','apheleia'),('Music','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('Music','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('Music','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('Music','CYCLEVIS','Cycle visualizer mode','6','apheleia'),('Music','BLANKSCR','Blank screen','5','apheleia'),('Music','THMBUP','Increase rating','9','apheleia'),('Music','THMBDOWN','Decrease rating','7','apheleia'),('Music','REFRESH','Refresh music tree','8','apheleia'),('Music','FILTER','Filter All My Music','F','apheleia'),('Music','INCSEARCH','Show incremental search dialog','Ctrl+S','apheleia'),('Music','INCSEARCHNEXT','Incremental search find next match','Ctrl+N','apheleia'),('Music','SPEEDUP','Increase Play Speed','W','apheleia'),('Music','SPEEDDOWN','Decrease Play Speed','X','apheleia'),('News','RETRIEVENEWS','Update news items','I','apheleia'),('News','FORCERETRIEVE','Force update news items','M','apheleia'),('News','CANCEL','Cancel news item updating','C','apheleia'),('Phone','0','0','0','apheleia'),('Phone','1','1','1','apheleia'),('Phone','2','2','2','apheleia'),('Phone','3','3','3','apheleia'),('Phone','4','4','4','apheleia'),('Phone','5','5','5','apheleia'),('Phone','6','6','6','apheleia'),('Phone','7','7','7','apheleia'),('Phone','8','8','8','apheleia'),('Phone','9','9','9','apheleia'),('Phone','HASH','HASH','#','apheleia'),('Phone','STAR','STAR','*','apheleia'),('Phone','Up','Up','Up','apheleia'),('Phone','Down','Down','Down','apheleia'),('Phone','Left','Left','Left','apheleia'),('Phone','Right','Right','Right','apheleia'),('Phone','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('Phone','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('Phone','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('Phone','ZOOMIN','Zoom the video window in','>,.,Z,End','apheleia'),('Phone','ZOOMOUT','Zoom the video window out',',,<,Q,Home','apheleia'),('Phone','FULLSCRN','Show received video full-screen','P','apheleia'),('Phone','HANGUP','Hangup an active call','O','apheleia'),('Phone','LOOPBACK','Loopback Video','L','apheleia'),('Video','FILTER','Open video filter dialog','F','apheleia'),('Video','PLAYALT','Play selected item in alternate player','ALT+P','apheleia'),('Video','BROWSE','Change browsable in video manager','B','apheleia'),('Video','INCPARENT','Increase Parental Level','],},F11','apheleia'),('Video','DECPARENT','Decrease Parental Level','[,{,F10','apheleia'),('Video','HOME','Go to the first video','Home','apheleia'),('Video','END','Go to the last video','End','apheleia'),('Weather','PAUSE','Pause current page','P','apheleia'),('Weather','SEARCH','Search List','/','apheleia'),('Weather','NEXTSEARCH','Search List','n','apheleia'),('Weather','UPDATE','Search List','u','apheleia'),('Global','NEXT','Move to next widget','Tab','apheleia'),('Global','PREVIOUS','Move to preview widget','Backtab','apheleia'),('Global','BACKSPACE','Backspace','Backspace','apheleia'),('Global','DELETE','Delete','D','apheleia'),('Global','EDIT','Edit','E','apheleia'),('Global','PAGETOP','Page to top of list','','apheleia'),('Global','PAGEMIDDLE','Page to middle of list','','apheleia'),('Global','PAGEBOTTOM','Page to bottom of list','','apheleia'),('Browser','ZOOMIN','Zoom in on browser window','.,>','apheleia'),('Browser','ZOOMOUT','Zoom out on browser window',',,<','apheleia'),('Browser','TOGGLEINPUT','Toggle where keyboard input goes to','F1','apheleia'),('Browser','MOUSEUP','Move mouse pointer up','2','apheleia'),('Browser','MOUSEDOWN','Move mouse pointer down','8','apheleia'),('Browser','MOUSELEFT','Move mouse pointer left','4','apheleia'),('Browser','MOUSERIGHT','Move mouse pointer right','6','apheleia'),('Browser','MOUSELEFTBUTTON','Mouse Left button click','5','apheleia'),('Browser','PAGEDOWN','Scroll down half a page','9','apheleia'),('Browser','PAGEUP','Scroll up half a page','3','apheleia'),('Browser','PAGELEFT','Scroll left half a page','7','apheleia'),('Browser','PAGERIGHT','Scroll right half a page','1','apheleia'),('Browser','NEXTLINK','Move selection to next link','Z','apheleia'),('Browser','PREVIOUSLINK','Move selection to previous link','Q','apheleia'),('Browser','FOLLOWLINK','Follow selected link','Return,Space,Enter','apheleia'),('Browser','HISTORYBACK','Go back to previous page','R,Backspace','apheleia'),('Browser','HISTORYFORWARD','Go forward to previous page','F','apheleia'),('Welcome','STARTXTERM','Open an Xterm window','F12','apheleia'),('Welcome','SHOWSETTINGS','Show Mythshutdown settings','F11','apheleia'),('TV Playback','TOGGLEPIPSTATE','Change PxP view','','apheleia'),('Browser','NEXTTAB','Move to next browser tab','P','apheleia'),('Browser','PREVTAB','Move to previous browser tab','','apheleia'),('Video','ITEMDETAIL','Display Item Detail Popup','','apheleia'),('Global','CUT','Cut text from textedit','Ctrl+X','apheleia'),('Global','COPY','Copy text from textedit','Ctrl+C','apheleia'),('Global','PASTE','Paste text into textedit','Ctrl+V','apheleia'),('Global','SYSEVENT01','Trigger System Key Event #1','','apheleia'),('Global','SYSEVENT02','Trigger System Key Event #2','','apheleia'),('Global','SYSEVENT03','Trigger System Key Event #3','','apheleia'),('Global','SYSEVENT04','Trigger System Key Event #4','','apheleia'),('Global','SYSEVENT05','Trigger System Key Event #5','','apheleia'),('Global','SYSEVENT06','Trigger System Key Event #6','','apheleia'),('Global','SYSEVENT07','Trigger System Key Event #7','','apheleia'),('Global','SYSEVENT08','Trigger System Key Event #8','','apheleia'),('Global','SYSEVENT09','Trigger System Key Event #9','','apheleia'),('Global','SYSEVENT10','Trigger System Key Event #10','','apheleia'),('TV Frontend','CUSTOMEDIT','Edit Custom Record Rule','','apheleia'),('TV Playback','TOGGLEUPMIX','Toggle audio upmixer','Ctrl+U','apheleia'),('Music','TOGGLEUPMIX','Toggle audio upmixer','Ctrl+U','apheleia'),('Main Menu','EXITPROMPT','System Exit','Esc','apheleia'),('TV Frontend','CYCLEAUDIOCHAN','Cycle audio channels','','apheleia'),('TV Playback','BACK','Exit or return to DVD menu','','apheleia'),('TV Playback','CYCLEAUDIOCHAN','Cycle audio channels','','apheleia'),('TV Playback','TOGGLETEXT','Toggle External Subtitles','','apheleia'),('TV Playback','TOGGLERAWTEXT','Toggle Text Subtitles','','apheleia'),('TV Playback','SELECTRAWTEXT_0','Display Text Subtitle 1','','apheleia'),('TV Playback','NEXTRAWTEXT','Next Text track','','apheleia'),('TV Playback','PREVRAWTEXT','Previous Text track','','apheleia'),('TV Editing','SAVEMAP','Save cut list','','apheleia'),('Game','DOWNLOADDATA','Download metadata for current item','W','apheleia'),('Global','UP','Up Arrow','Up','apheleia'),('Global','DOWN','Down Arrow','Down','apheleia'),('Global','LEFT','Left Arrow','Left','apheleia'),('Global','RIGHT','Right Arrow','Right','apheleia'),('Global','NEXT','Move to next widget','Tab','apheleia'),('Global','PREVIOUS','Move to preview widget','Backtab','apheleia'),('Global','SELECT','Select','Return,Enter,Space','apheleia'),('Global','BACKSPACE','Backspace','Backspace','apheleia'),('Global','ESCAPE','Escape','Esc','apheleia'),('Global','MENU','Pop-up menu','M','apheleia'),('Global','INFO','More information','I','apheleia'),('Global','DELETE','Delete','D','apheleia'),('Global','EDIT','Edit','E','apheleia'),('Global','SCREENSHOT','Save screenshot','','apheleia'),('Global','HANDLEMEDIA','Play a media resource','','apheleia'),('Global','PAGEUP','Page Up','PgUp','apheleia'),('Global','PAGEDOWN','Page Down','PgDown','apheleia'),('Global','PAGETOP','Page to top of list','','apheleia'),('Global','PAGEMIDDLE','Page to middle of list','','apheleia'),('Global','PAGEBOTTOM','Page to bottom of list','','apheleia'),('Global','PREVVIEW','Previous View','Home','apheleia'),('Global','NEXTVIEW','Next View','End','apheleia'),('Global','HELP','Help','F1','apheleia'),('Global','EJECT','Eject Removable Media','','apheleia'),('Global','CUT','Cut text from textedit','Ctrl+X','apheleia'),('Global','COPY','Copy text from textedit','Ctrl+C','apheleia'),('Global','PASTE','Paste text into textedit','Ctrl+V','apheleia'),('Global','UNDO','Undo','Ctrl+Z','apheleia'),('Global','REDO','Redo','Ctrl+Y','apheleia'),('Global','SEARCH','Show incremental search dialog','Ctrl+S','apheleia'),('Global','0','0','0','apheleia'),('Global','1','1','1','apheleia'),('Global','2','2','2','apheleia'),('Global','3','3','3','apheleia'),('Global','4','4','4','apheleia'),('Global','5','5','5','apheleia'),('Global','6','6','6','apheleia'),('Global','7','7','7','apheleia'),('Global','8','8','8','apheleia'),('Global','9','9','9','apheleia'),('Global','TVPOWERON','Turn the display on','','apheleia'),('Global','TVPOWEROFF','Turn the display off','','apheleia'),('Global','SYSEVENT01','Trigger System Key Event #1','','apheleia'),('Global','SYSEVENT02','Trigger System Key Event #2','','apheleia'),('Global','SYSEVENT03','Trigger System Key Event #3','','apheleia'),('Global','SYSEVENT04','Trigger System Key Event #4','','apheleia'),('Global','SYSEVENT05','Trigger System Key Event #5','','apheleia'),('Global','SYSEVENT06','Trigger System Key Event #6','','apheleia'),('Global','SYSEVENT07','Trigger System Key Event #7','','apheleia'),('Global','SYSEVENT08','Trigger System Key Event #8','','apheleia'),('Global','SYSEVENT09','Trigger System Key Event #9','','apheleia'),('Global','SYSEVENT10','Trigger System Key Event #10','','apheleia'),('Browser','ZOOMIN','Zoom in on browser window','.,>','apheleia'),('Browser','ZOOMOUT','Zoom out on browser window',',,<','apheleia'),('Browser','TOGGLEINPUT','Toggle where keyboard input goes to','F1','apheleia'),('Browser','MOUSEUP','Move mouse pointer up','2','apheleia'),('Browser','MOUSEDOWN','Move mouse pointer down','8','apheleia'),('Browser','MOUSELEFT','Move mouse pointer left','4','apheleia'),('Browser','MOUSERIGHT','Move mouse pointer right','6','apheleia'),('Browser','MOUSELEFTBUTTON','Mouse Left button click','5','apheleia'),('Browser','PAGEDOWN','Scroll down half a page','9','apheleia'),('Browser','PAGEUP','Scroll up half a page','3','apheleia'),('Browser','PAGELEFT','Scroll left half a page','7','apheleia'),('Browser','PAGERIGHT','Scroll right half a page','1','apheleia'),('Browser','NEXTLINK','Move selection to next link','Z','apheleia'),('Browser','PREVIOUSLINK','Move selection to previous link','Q','apheleia'),('Browser','FOLLOWLINK','Follow selected link','Return,Space,Enter','apheleia'),('Browser','HISTORYBACK','Go back to previous page','R,Backspace','apheleia'),('Browser','HISTORYFORWARD','Go forward to previous page','F','apheleia'),('Main Menu','EXITPROMPT','Display System Exit Prompt','Esc','apheleia'),('Main Menu','EXIT','System Exit','','apheleia'),('Video','FILTER','Open video filter dialog','F','apheleia'),('Video','BROWSE','Change browsable in video manager','B','apheleia'),('Video','INCPARENT','Increase Parental Level','],},F11','apheleia'),('Video','DECPARENT','Decrease Parental Level','[,{,F10','apheleia'),('Video','INCSEARCH','Show Incremental Search Dialog','Ctrl+S','apheleia'),('Video','DOWNLOADDATA','Download metadata for current item','W','apheleia'),('Video','ITEMDETAIL','Display Item Detail Popup','','apheleia'),('Video','HOME','Go to the first video','Home','apheleia'),('Video','END','Go to the last video','End','apheleia'),('TV Frontend','PLAYBACK','Play Program','P','apheleia'),('TV Frontend','STOPPLAYBACK','Stop Program','','apheleia'),('TV Frontend','TOGGLERECORD','Toggle recording status of current program','R','apheleia'),('TV Frontend','DAYLEFT','Page the program guide back one day','Home','apheleia'),('TV Frontend','DAYRIGHT','Page the program guide forward one day','End','apheleia'),('TV Frontend','PAGELEFT','Page the program guide left',',,<','apheleia'),('TV Frontend','PAGERIGHT','Page the program guide right','>,.','apheleia'),('TV Frontend','TOGGLEFAV','Toggle the current channel as a favorite','?','apheleia'),('TV Frontend','TOGGLEEPGORDER','Reverse the channel order in the program guide','','apheleia'),('TV Frontend','GUIDE','Show the Program Guide','S','apheleia'),('TV Frontend','FINDER','Show the Program Finder','#','apheleia'),('TV Frontend','NEXTFAV','Cycle through channel groups and all channels in the program guide.','/','apheleia'),('TV Frontend','CHANUPDATE','Switch channels without exiting guide in Live TV mode.','X','apheleia'),('TV Frontend','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('TV Frontend','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('TV Frontend','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('TV Frontend','CYCLEAUDIOCHAN','Cycle audio channels','','apheleia'),('TV Frontend','RANKINC','Increase program or channel rank','Right','apheleia'),('TV Frontend','RANKDEC','Decrease program or channel rank','Left','apheleia'),('TV Frontend','UPCOMING','List upcoming episodes','O','apheleia'),('TV Frontend','VIEWSCHEDULED','List scheduled upcoming episodes','','apheleia'),('TV Frontend','DETAILS','Show details','U','apheleia'),('TV Frontend','VIEWCARD','Switch Capture Card view','Y','apheleia'),('TV Frontend','VIEWINPUT','Switch Capture Card view','C','apheleia'),('TV Frontend','CUSTOMEDIT','Edit Custom Record Rule','','apheleia'),('TV Frontend','CHANGERECGROUP','Change Recording Group','','apheleia'),('TV Frontend','CHANGEGROUPVIEW','Change Group View','','apheleia'),('TV Playback','BACK','Exit or return to DVD menu','','apheleia'),('TV Playback','CLEAROSD','Clear OSD','Backspace','apheleia'),('TV Playback','PAUSE','Pause','P','apheleia'),('TV Playback','SEEKFFWD','Fast Forward','Right','apheleia'),('TV Playback','SEEKRWND','Rewind','Left','apheleia'),('TV Playback','ARBSEEK','Arbitrary Seek','*','apheleia'),('TV Playback','SEEKABSOLUTE','Seek to a position in seconds','','apheleia'),('TV Playback','CHANNELUP','Channel up','Up','apheleia'),('TV Playback','CHANNELDOWN','Channel down','Down','apheleia'),('TV Playback','NEXTFAV','Switch to the next favorite channel','/','apheleia'),('TV Playback','PREVCHAN','Switch to the previous channel','H','apheleia'),('TV Playback','JUMPFFWD','Jump ahead','PgDown','apheleia'),('TV Playback','JUMPRWND','Jump back','PgUp','apheleia'),('TV Playback','JUMPBKMRK','Jump to bookmark','K','apheleia'),('TV Playback','FFWDSTICKY','Fast Forward (Sticky) or Forward one frame while paused','>,.','apheleia'),('TV Playback','RWNDSTICKY','Rewind (Sticky) or Rewind one frame while paused',',,<','apheleia'),('TV Playback','NEXTSOURCE','Next Video Source','Y','apheleia'),('TV Playback','PREVSOURCE','Previous Video Source','','apheleia'),('TV Playback','NEXTINPUT','Next Input','C','apheleia'),('TV Playback','NEXTCARD','Next Card','','apheleia'),('TV Playback','SKIPCOMMERCIAL','Skip Commercial','Z,End','apheleia'),('TV Playback','SKIPCOMMBACK','Skip Commercial (Reverse)','Q,Home','apheleia'),('TV Playback','JUMPSTART','Jump to the start of the recording.','Ctrl+B','apheleia'),('TV Playback','TOGGLEBROWSE','Toggle channel browse mode','O','apheleia'),('TV Playback','TOGGLERECORD','Toggle recording status of current program','R','apheleia'),('TV Playback','TOGGLEFAV','Toggle the current channel as a favorite','?','apheleia'),('TV Playback','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('TV Playback','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('TV Playback','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('TV Playback','SETVOLUME','Set the volume','','apheleia'),('TV Playback','CYCLEAUDIOCHAN','Cycle audio channels','','apheleia'),('TV Playback','TOGGLEUPMIX','Toggle audio upmixer','Ctrl+U','apheleia'),('TV Playback','TOGGLEPIPMODE','Toggle Picture-in-Picture view','V','apheleia'),('TV Playback','TOGGLEPBPMODE','Toggle Picture-by-Picture view','Ctrl+V','apheleia'),('TV Playback','CREATEPIPVIEW','Create Picture-in-Picture view','','apheleia'),('TV Playback','CREATEPBPVIEW','Create Picture-by-Picture view','','apheleia'),('TV Playback','NEXTPIPWINDOW','Toggle active PIP/PBP window','B','apheleia'),('TV Playback','SWAPPIP','Swap PBP/PIP Windows','N','apheleia'),('TV Playback','TOGGLEPIPSTATE','Change PxP view','','apheleia'),('TV Playback','TOGGLEASPECT','Toggle the video aspect ratio','Ctrl+W','apheleia'),('TV Playback','TOGGLEFILL','Next Preconfigured Zoom mode','W','apheleia'),('TV Playback','TOGGLECC','Toggle any captions','T','apheleia'),('TV Playback','ENABLESUBS','Enable any captions','','apheleia'),('TV Playback','DISABLESUBS','Disable any captions','','apheleia'),('TV Playback','TOGGLETTC','Toggle Teletext Captions','','apheleia'),('TV Playback','TOGGLESUBTITLE','Toggle Subtitles','','apheleia'),('TV Playback','TOGGLECC608','Toggle VBI CC','','apheleia'),('TV Playback','TOGGLECC708','Toggle ATSC CC','','apheleia'),('TV Playback','TOGGLETTM','Toggle Teletext Menu','','apheleia'),('TV Playback','TOGGLETEXT','Toggle External Subtitles','','apheleia'),('TV Playback','ENABLEEXTTEXT','Enable External Subtitles','','apheleia'),('TV Playback','DISABLEEXTTEXT','Disable External Subtitles','','apheleia'),('TV Playback','TOGGLERAWTEXT','Toggle Text Subtitles','','apheleia'),('TV Playback','SELECTAUDIO_0','Play audio track 1','','apheleia'),('TV Playback','SELECTAUDIO_1','Play audio track 2','','apheleia'),('TV Playback','SELECTSUBTITLE_0','Display subtitle 1','','apheleia'),('TV Playback','SELECTSUBTITLE_1','Display subtitle 2','','apheleia'),('TV Playback','SELECTRAWTEXT_0','Display Text Subtitle 1','','apheleia'),('TV Playback','SELECTCC608_0','Display VBI CC1','','apheleia'),('TV Playback','SELECTCC608_1','Display VBI CC2','','apheleia'),('TV Playback','SELECTCC608_2','Display VBI CC3','','apheleia'),('TV Playback','SELECTCC608_3','Display VBI CC4','','apheleia'),('TV Playback','SELECTCC708_0','Display ATSC CC1','','apheleia'),('TV Playback','SELECTCC708_1','Display ATSC CC2','','apheleia'),('TV Playback','SELECTCC708_2','Display ATSC CC3','','apheleia'),('TV Playback','SELECTCC708_3','Display ATSC CC4','','apheleia'),('TV Playback','ENABLEFORCEDSUBS','Enable Forced Subtitles','','apheleia'),('TV Playback','DISABLEFORCEDSUBS','Disable Forced Subtitles','','apheleia'),('TV Playback','NEXTAUDIO','Next audio track','+','apheleia'),('TV Playback','PREVAUDIO','Previous audio track','-','apheleia'),('TV Playback','NEXTSUBTITLE','Next subtitle track','','apheleia'),('TV Playback','PREVSUBTITLE','Previous subtitle track','','apheleia'),('TV Playback','NEXTRAWTEXT','Next Text track','','apheleia'),('TV Playback','PREVRAWTEXT','Previous Text track','','apheleia'),('TV Playback','NEXTCC608','Next VBI CC track','','apheleia'),('TV Playback','PREVCC608','Previous VBI CC track','','apheleia'),('TV Playback','NEXTCC708','Next ATSC CC track','','apheleia'),('TV Playback','PREVCC708','Previous ATSC CC track','','apheleia'),('TV Playback','NEXTCC','Next of any captions','','apheleia'),('TV Playback','NEXTSCAN','Next video scan overidemode','','apheleia'),('TV Playback','QUEUETRANSCODE','Queue the current recording for transcoding','X','apheleia'),('TV Playback','SPEEDINC','Increase the playback speed','U','apheleia'),('TV Playback','SPEEDDEC','Decrease the playback speed','J','apheleia'),('TV Playback','ADJUSTSTRETCH','Turn on time stretch control','A','apheleia'),('TV Playback','STRETCHINC','Increase time stretch speed','','apheleia'),('TV Playback','STRETCHDEC','Decrease time stretch speed','','apheleia'),('TV Playback','TOGGLESTRETCH','Toggle time stretch speed','','apheleia'),('TV Playback','TOGGLEAUDIOSYNC','Turn on audio sync adjustment controls','','apheleia'),('TV Playback','SETAUDIOSYNC','Set the audio sync adjustment','','apheleia'),('TV Playback','TOGGLEPICCONTROLS','Playback picture adjustments','F','apheleia'),('TV Playback','TOGGLENIGHTMODE','Toggle night mode','Ctrl+F','apheleia'),('TV Playback','SETBRIGHTNESS','Set the picture brightness','','apheleia'),('TV Playback','SETCONTRAST','Set the picture contrast','','apheleia'),('TV Playback','SETCOLOUR','Set the picture color','','apheleia'),('TV Playback','SETHUE','Set the picture hue','','apheleia'),('TV Playback','TOGGLESTUDIOLEVELS','Playback picture adjustments','','apheleia'),('TV Playback','TOGGLECHANCONTROLS','Recording picture adjustments for this channel','Ctrl+G','apheleia'),('TV Playback','TOGGLERECCONTROLS','Recording picture adjustments for this recorder','G','apheleia'),('TV Playback','CYCLECOMMSKIPMODE','Cycle Commercial Skip mode','','apheleia'),('TV Playback','GUIDE','Show the Program Guide','S','apheleia'),('TV Playback','FINDER','Show the Program Finder','#','apheleia'),('TV Playback','TOGGLESLEEP','Toggle the Sleep Timer','F8','apheleia'),('TV Playback','PLAY','Play','Ctrl+P','apheleia'),('TV Playback','JUMPPREV','Jump to previously played recording','','apheleia'),('TV Playback','JUMPREC','Display menu of recorded programs to jump to','','apheleia'),('TV Playback','VIEWSCHEDULED','Display scheduled recording list','','apheleia'),('TV Playback','SIGNALMON','Monitor Signal Quality','Alt+F7','apheleia'),('TV Playback','JUMPTODVDROOTMENU','Jump to the DVD Root Menu','','apheleia'),('TV Playback','JUMPTOPOPUPMENU','Jump to the Popup Menu','','apheleia'),('TV Playback','JUMPTODVDCHAPTERMENU','Jump to the DVD Chapter Menu','','apheleia'),('TV Playback','JUMPTODVDTITLEMENU','Jump to the DVD Title Menu','','apheleia'),('TV Playback','EXITSHOWNOPROMPTS','Exit Show without any prompts','','apheleia'),('TV Playback','JUMPTOCHAPTER','Jump to a chapter','','apheleia'),('TV Playback','JUMPTOTITLE','Switch title','','apheleia'),('TV Playback','SWITCHTOANGLE','Switch angle','','apheleia'),('TV Playback','MENURED','Menu Red','F2','apheleia'),('TV Playback','MENUGREEN','Menu Green','F3','apheleia'),('TV Playback','MENUYELLOW','Menu Yellow','F4','apheleia'),('TV Playback','MENUBLUE','Menu Blue','F5','apheleia'),('TV Playback','TEXTEXIT','Menu Exit','F6','apheleia'),('TV Playback','MENUTEXT','Menu Text','F7','apheleia'),('TV Playback','MENUEPG','Menu EPG','F12','apheleia'),('TV Editing','CLEARMAP','Clear editing cut points','C,Q,Home','apheleia'),('TV Editing','INVERTMAP','Invert Begin/End cut points','I','apheleia'),('TV Editing','SAVEMAP','Save cuts','','apheleia'),('TV Editing','LOADCOMMSKIP','Load cuts from detected commercials','Z,End','apheleia'),('TV Editing','NEXTCUT','Jump to the next cut point','PgDown','apheleia'),('TV Editing','PREVCUT','Jump to the previous cut point','PgUp','apheleia'),('TV Editing','BIGJUMPREW','Jump back 10x the normal amount',',,<','apheleia'),('TV Editing','BIGJUMPFWD','Jump forward 10x the normal amount','>,.','apheleia'),('Teletext Menu','NEXTPAGE','Next Page','Down','apheleia'),('Teletext Menu','PREVPAGE','Previous Page','Up','apheleia'),('Teletext Menu','NEXTSUBPAGE','Next Subpage','Right','apheleia'),('Teletext Menu','PREVSUBPAGE','Previous Subpage','Left','apheleia'),('Teletext Menu','TOGGLETT','Toggle Teletext','T','apheleia'),('Teletext Menu','MENURED','Menu Red','F2','apheleia'),('Teletext Menu','MENUGREEN','Menu Green','F3','apheleia'),('Teletext Menu','MENUYELLOW','Menu Yellow','F4','apheleia'),('Teletext Menu','MENUBLUE','Menu Blue','F5','apheleia'),('Teletext Menu','MENUWHITE','Menu White','F6','apheleia'),('Teletext Menu','TOGGLEBACKGROUND','Toggle Background','F7','apheleia'),('Teletext Menu','REVEAL','Reveal hidden Text','F8','apheleia'),('TV Playback','TOGGLEVISUALISATION','Toggle audio visualisation','','apheleia'),('TV Playback','DEBUGOSD','Toggle OSD playback information','','apheleia'),('TV Playback','3DNONE','No 3D','','apheleia'),('TV Playback','3DSIDEBYSIDE','3D Side by Side','','apheleia'),('TV Playback','3DSIDEBYSIDEDISCARD','Discard 3D Side by Side','','apheleia'),('TV Playback','3DTOPANDBOTTOM','3D Top and Bottom','','apheleia'),('TV Playback','3DTOPANDBOTTOMDISCARD','Discard 3D Top and Bottom','','apheleia'),('Archive','TOGGLECUT','Toggle use cut list state for selected program','C','apheleia'),('Browser','NEXTTAB','Move to next browser tab','P','apheleia'),('Browser','PREVTAB','Move to previous browser tab','','apheleia'),('Gallery','PLAY','Start/Stop Slideshow','P','apheleia'),('Gallery','HOME','Go to the first image in thumbnail view','Home','apheleia'),('Gallery','END','Go to the last image in thumbnail view','End','apheleia'),('Gallery','SLIDESHOW','Start Slideshow in thumbnail view','S','apheleia'),('Gallery','RANDOMSHOW','Start Random Slideshow in thumbnail view','R','apheleia'),('Gallery','ROTRIGHT','Rotate image right 90 degrees','],3','apheleia'),('Gallery','ROTLEFT','Rotate image left 90 degrees','[,1','apheleia'),('Gallery','ZOOMOUT','Zoom image out','7','apheleia'),('Gallery','ZOOMIN','Zoom image in','9','apheleia'),('Gallery','SCROLLUP','Scroll image up','2','apheleia'),('Gallery','SCROLLLEFT','Scroll image left','4','apheleia'),('Gallery','SCROLLRIGHT','Scroll image right','6','apheleia'),('Gallery','SCROLLDOWN','Scroll image down','8','apheleia'),('Gallery','RECENTER','Recenter image','5','apheleia'),('Gallery','FULLSIZE','Full-size (un-zoom) image','0','apheleia'),('Gallery','UPLEFT','Go to the upper-left corner of the image','PgUp','apheleia'),('Gallery','LOWRIGHT','Go to the lower-right corner of the image','PgDown','apheleia'),('Gallery','MARK','Mark image','T','apheleia'),('Gallery','FULLSCREEN','Toggle scale to fullscreen/scale to fit','W','apheleia'),('Game','TOGGLEFAV','Toggle the current game as a favorite','?,/','apheleia'),('Game','INCSEARCH','Show incremental search dialog','Ctrl+S','apheleia'),('Game','INCSEARCHNEXT','Incremental search find next match','Ctrl+N','apheleia'),('Game','DOWNLOADDATA','Download metadata for current item','W','apheleia'),('Music','NEXTTRACK','Move to the next track','>,.,Z,End','apheleia'),('Music','PREVTRACK','Move to the previous track',',,<,Q,Home','apheleia'),('Music','FFWD','Fast forward','PgDown','apheleia'),('Music','RWND','Rewind','PgUp','apheleia'),('Music','PAUSE','Pause/Start playback','P','apheleia'),('Music','PLAY','Start playback','','apheleia'),('Music','STOP','Stop playback','O','apheleia'),('Music','VOLUMEDOWN','Volume down','[,{,F10,Volume Down','apheleia'),('Music','VOLUMEUP','Volume up','],},F11,Volume Up','apheleia'),('Music','MUTE','Mute','|,\\,F9,Volume Mute','apheleia'),('Music','TOGGLEUPMIX','Toggle audio upmixer','Ctrl+U','apheleia'),('Music','CYCLEVIS','Cycle visualizer mode','6','apheleia'),('Music','BLANKSCR','Blank screen','5','apheleia'),('Music','THMBUP','Increase rating','9','apheleia'),('Music','THMBDOWN','Decrease rating','7','apheleia'),('Music','REFRESH','Refresh music tree','8','apheleia'),('Music','FILTER','Filter All My Music','F','apheleia'),('Music','INCSEARCH','Show incremental search dialog','Ctrl+S','apheleia'),('Music','INCSEARCHNEXT','Incremental search find next match','Ctrl+N','apheleia'),('Music','SPEEDUP','Increase Play Speed','W','apheleia'),('Music','SPEEDDOWN','Decrease Play Speed','X','apheleia'),('Music','MARK','Toggle track selection','T','apheleia'),('News','RETRIEVENEWS','Update news items','I','apheleia'),('News','FORCERETRIEVE','Force update news items','M','apheleia'),('News','CANCEL','Cancel news item updating','C','apheleia'),('Weather','PAUSE','Pause current page','P','apheleia'),('Weather','SEARCH','Search List','/','apheleia'),('Weather','NEXTSEARCH','Search List','n','apheleia'),('Weather','UPDATE','Search List','u','apheleia');
/*!40000 ALTER TABLE `keybindings` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `keyword`
--
DROP TABLE IF EXISTS `keyword`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `keyword` (
  `phrase` varchar(128) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL DEFAULT '',
  `searchtype` int(10) unsigned NOT NULL DEFAULT '3',
  UNIQUE KEY `phrase` (`phrase`,`searchtype`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `keyword`
--
LOCK TABLES `keyword` WRITE;
/*!40000 ALTER TABLE `keyword` DISABLE KEYS */;
/*!40000 ALTER TABLE `keyword` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `livestream`
--
DROP TABLE IF EXISTS `livestream`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `livestream` (
  `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `width` int(10) unsigned NOT NULL,
  `height` int(10) unsigned NOT NULL,
  `bitrate` int(10) unsigned NOT NULL,
  `audiobitrate` int(10) unsigned NOT NULL,
  `samplerate` int(10) unsigned NOT NULL,
  `audioonlybitrate` int(10) unsigned NOT NULL,
  `segmentsize` int(10) unsigned NOT NULL DEFAULT '10',
  `maxsegments` int(10) unsigned NOT NULL DEFAULT '0',
  `startsegment` int(10) unsigned NOT NULL DEFAULT '0',
  `currentsegment` int(10) unsigned NOT NULL DEFAULT '0',
  `segmentcount` int(10) unsigned NOT NULL DEFAULT '0',
  `percentcomplete` int(10) unsigned NOT NULL DEFAULT '0',
  `created` datetime NOT NULL,
  `lastmodified` datetime NOT NULL,
  `relativeurl` varchar(512) NOT NULL,
  `fullurl` varchar(1024) NOT NULL,
  `status` int(10) unsigned NOT NULL DEFAULT '0',
  `statusmessage` varchar(256) NOT NULL,
  `sourcefile` varchar(512) NOT NULL,
  `sourcehost` varchar(64) NOT NULL,
  `sourcewidth` int(10) unsigned NOT NULL DEFAULT '0',
  `sourceheight` int(10) unsigned NOT NULL DEFAULT '0',
  `outdir` varchar(256) NOT NULL,
  `outbase` varchar(128) NOT NULL,
  PRIMARY KEY (`id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `livestream`
--
LOCK TABLES `livestream` WRITE;
/*!40000 ALTER TABLE `livestream` DISABLE KEYS */;
/*!40000 ALTER TABLE `livestream` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `logging`
--
DROP TABLE IF EXISTS `logging`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `logging` (
  `id` bigint(20) unsigned NOT NULL AUTO_INCREMENT,
  `host` varchar(64) NOT NULL DEFAULT '',
  `application` varchar(64) NOT NULL DEFAULT '',
  `pid` int(11) NOT NULL DEFAULT '0',
  `tid` int(11) NOT NULL DEFAULT '0',
  `thread` varchar(64) NOT NULL DEFAULT '',
  `filename` varchar(255) NOT NULL DEFAULT '',
  `line` int(11) NOT NULL DEFAULT '0',
  `function` varchar(255) NOT NULL DEFAULT '',
  `msgtime` datetime NOT NULL,
  `level` int(11) NOT NULL DEFAULT '0',
  `message` varchar(2048) NOT NULL,
  PRIMARY KEY (`id`),
  KEY `host` (`host`,`application`,`pid`,`msgtime`),
  KEY `msgtime` (`msgtime`),
  KEY `level` (`level`)
) ENGINE=MyISAM AUTO_INCREMENT=208 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `logging`
--
LOCK TABLES `logging` WRITE;
/*!40000 ALTER TABLE `logging` DISABLE KEYS */;
INSERT INTO `logging` VALUES (1,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcommandlineparser.cpp',2534,'ConfigureLogging','2012-04-22 14:26:44',2,'mythtv-setup version: fixes/0.25 [v0.25-52-g9ac4b79] www.mythtv.org'),(2,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcommandlineparser.cpp',2536,'ConfigureLogging','2012-04-22 14:26:44',5,'Enabled verbose msgs:  general'),(3,'apheleia','mythtv-setup',2576,2576,'CoreContext','logging.cpp',1176,'logStart','2012-04-22 14:26:44',5,'Setting Log Level to LOG_INFO'),(4,'apheleia','mythtv-setup',2576,2576,'CoreContext','logging.cpp',229,'FileLogger','2012-04-22 14:26:44',6,'Added logging to the console'),(5,'apheleia','mythtv-setup',2576,2576,'CoreContext','logging.cpp',425,'DatabaseLogger','2012-04-22 14:26:44',6,'Added database logging to table logging'),(6,'apheleia','mythtv-setup',2576,2576,'CoreContext','logging.cpp',1215,'logStart','2012-04-22 14:26:44',5,'Setting up SIGHUP handler'),(7,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythdirs.cpp',51,'InitializeMythDirs','2012-04-22 14:26:44',5,'Using runtime prefix = /usr'),(8,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythdirs.cpp',64,'InitializeMythDirs','2012-04-22 14:26:44',5,'Using configuration directory = /home/mythtv/.mythtv'),(9,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcorecontext.cpp',227,'Init','2012-04-22 14:26:44',6,'Assumed character encoding: en_US.utf-8'),(10,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcontext.cpp',477,'LoadDatabaseSettings','2012-04-22 14:26:44',5,'Empty LocalHostName.'),(11,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcontext.cpp',481,'LoadDatabaseSettings','2012-04-22 14:26:44',6,'Using localhost value of apheleia'),(12,'apheleia','mythtv-setup',2576,2576,'CoreContext','configuration.cpp',112,'Save','2012-04-22 14:26:44',3,'Could not open settings file /home/mythtv/.mythtv/config.xml for writing'),(13,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcorecontext.cpp',1354,'InitLocale','2012-04-22 14:26:44',5,'Setting QT default locale to en_US'),(14,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythcorecontext.cpp',1387,'SaveLocaleDefaults','2012-04-22 14:26:44',6,'Current locale en_US'),(15,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythlocale.cpp',121,'LoadDefaultsFromXML','2012-04-22 14:26:44',5,'Reading locale defaults from /usr/share/mythtv//locales/en_us.xml'),(16,'apheleia','mythtv-setup',2576,2583,'SystemIOHandlerW','system-unix.cpp',90,'run','2012-04-22 14:26:44',6,'Starting IO manager (write)'),(17,'apheleia','mythtv-setup',2576,2582,'SystemIOHandlerR','system-unix.cpp',90,'run','2012-04-22 14:26:44',6,'Starting IO manager (read)'),(18,'apheleia','mythtv-setup',2576,2581,'SystemSignalManager','system-unix.cpp',485,'run','2012-04-22 14:26:44',6,'Starting process signal handler'),(19,'apheleia','mythtv-setup',2576,2580,'SystemManager','system-unix.cpp',263,'run','2012-04-22 14:26:44',6,'Starting process manager'),(20,'apheleia','mythtv-setup',2576,2576,'CoreContext','screensaver-x11.cpp',82,'ScreenSaverX11Private','2012-04-22 14:26:44',6,'ScreenSaverX11Private: DPMS is disabled.'),(21,'apheleia','mythtv-setup',2576,2576,'CoreContext','DisplayRes.cpp',64,'Initialize','2012-04-22 14:26:44',5,'Desktop video mode: 800x600 60.317 Hz'),(22,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:26:44',6,'Loading en_us translation for module mythfrontend'),(23,'apheleia','mythtv-setup',2576,2576,'CoreContext','lirc.cpp',298,'Init','2012-04-22 14:26:44',3,'LIRC: Failed to read config file \'/home/mythtv/.lircrc\''),(24,'apheleia','mythtv-setup',2576,2576,'CoreContext','jsmenu.cpp',91,'Init','2012-04-22 14:26:44',3,'JoystickMenuThread: Joystick disabled - Failed to read /home/mythtv/.mythtv/joystickmenurc'),(25,'apheleia','mythtv-setup',2576,2576,'CoreContext','cecadapter.cpp',146,'Open','2012-04-22 14:26:44',3,'CECAdapter: Failed to find any CEC devices.'),(26,'apheleia','mythtv-setup',2576,2576,'CoreContext','cecadapter.cpp',216,'Close','2012-04-22 14:26:44',6,'CECAdapter: Closing down CEC.'),(27,'apheleia','mythtv-setup',2576,2576,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:26:44',6,'Binding to UDP 127.0.0.1:0'),(28,'apheleia','mythtv-setup',2576,2576,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:26:44',6,'Binding to UDP 192.168.1.240:0'),(29,'apheleia','mythtv-setup',2576,2576,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:26:44',6,'Binding to UDP [0:0:0:0:0:0:0:1]:0'),(30,'apheleia','mythtv-setup',2576,2576,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:26:44',6,'Binding to UDP 192.168.1.255:0'),(31,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythmainwindow.cpp',947,'Init','2012-04-22 14:26:44',6,'Using Frameless Window'),(32,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythmainwindow.cpp',960,'Init','2012-04-22 14:26:44',6,'Using Full Screen Window'),(33,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythmainwindow.cpp',1050,'Init','2012-04-22 14:26:44',6,'Using the Qt painter'),(34,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 6\n			Name: \'basesmall\'	Type: \'fontdef\''),(35,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 11\n			Name: \'basemedium\'	Type: \'fontdef\''),(36,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 15\n			Name: \'baselarge\'	Type: \'fontdef\''),(37,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 19\n			Name: \'baseextralarge\'	Type: \'fontdef\''),(38,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 28\n			Name: \'basesmallbrown\'	Type: \'fontdef\''),(39,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 32\n			Name: \'basesmallgrey\'	Type: \'fontdef\''),(40,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 36\n			Name: \'basesmallpurple\'	Type: \'fontdef\''),(41,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 40\n			Name: \'basesmallblack\'	Type: \'fontdef\''),(42,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 44\n			Name: \'basesmallyellow\'	Type: \'fontdef\''),(43,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 48\n			Name: \'basesmallgreen\'	Type: \'fontdef\''),(44,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 52\n			Name: \'basesmallblue\'	Type: \'fontdef\''),(45,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 56\n			Name: \'basesmallred\'	Type: \'fontdef\''),(46,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 60\n			Name: \'basemediumgrey\'	Type: \'fontdef\''),(47,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 64\n			Name: \'basemediumgreen\'	Type: \'fontdef\''),(48,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 68\n			Name: \'basemediumred\'	Type: \'fontdef\''),(49,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 72\n			Name: \'basemediumpurple\'	Type: \'fontdef\''),(50,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 76\n			Name: \'basemediumbrown\'	Type: \'fontdef\''),(51,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 80\n			Name: \'baselargebrown\'	Type: \'fontdef\''),(52,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 666\n			Name: \'datefont\'	Type: \'fontdef\''),(53,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 670\n			Name: \'timefont\'	Type: \'fontdef\''),(54,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 11\n			Name: \'basetiny\'	Type: \'fontdef\''),(55,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 36\n			Name: \'basetinyred\'	Type: \'fontdef\''),(56,'apheleia','mythtv-setup',2576,2576,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:26:44',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 80\n			Name: \'basemediumyellow\'	Type: \'fontdef\''),(57,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:44',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(58,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',135,'CompareAndWait','2012-04-22 14:26:44',2,'MythTV database schema is old. Waiting to see if DB is being upgraded.'),(59,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:45',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(60,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:46',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(61,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:47',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(62,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:48',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(63,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:26:49',6,'Current MythTV Schema Version (DBSchemaVer): 1264'),(64,'apheleia','mythtv-setup',2576,2576,'CoreContext','schemawizard.cpp',179,'CompareAndWait','2012-04-22 14:26:49',2,'Timed out waiting.'),(65,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbutil.cpp',603,'DoBackup','2012-04-22 14:26:49',3,'Backing up database with script: \'/usr/share/mythtv/mythconverg_backup.pl\''),(66,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbutil.cpp',624,'DoBackup','2012-04-22 14:26:49',2,'Database Backup complete.'),(67,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbutil.cpp',655,'DoBackup','2012-04-22 14:26:49',2,'Backed up database to file: \'/myth/tv/mythconverg-1264-20120422142649.sql.gz\''),(68,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',495,'UpgradeTVDatabaseSchema','2012-04-22 14:26:55',2,'Newest MythTV Schema Version : 1299'),(69,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1265'),(70,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1266'),(71,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1267'),(72,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1268'),(73,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1269'),(74,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1270'),(75,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1271'),(76,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1272'),(77,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1273'),(78,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1274'),(79,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1275'),(80,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1276'),(81,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1277'),(82,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1278'),(83,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1279'),(84,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',1458,'doUpgradeTVDatabaseSchema','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1280'),(85,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1281'),(86,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1282'),(87,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1283'),(88,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1284'),(89,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1285'),(90,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1286'),(91,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',1608,'doUpgradeTVDatabaseSchema','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1287'),(92,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1288'),(93,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1289'),(94,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1290'),(95,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1291'),(96,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1292'),(97,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1293'),(98,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1294'),(99,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1295'),(100,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',1835,'doUpgradeTVDatabaseSchema','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1296'),(101,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1297'),(102,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',399,'performActualUpdate','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1298'),(103,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',1926,'doUpgradeTVDatabaseSchema','2012-04-22 14:26:55',2,'Upgrading to MythTV schema version 1299'),(104,'apheleia','mythtv-setup',2576,2576,'CoreContext','dbcheck.cpp',507,'UpgradeTVDatabaseSchema','2012-04-22 14:26:55',5,'Database Schema upgrade complete, unlocking.'),(105,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcommandlineparser.cpp',2534,'ConfigureLogging','2012-04-22 14:27:01',2,'mythfrontend version: fixes/0.25 [v0.25-52-g9ac4b79] www.mythtv.org'),(106,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcommandlineparser.cpp',2536,'ConfigureLogging','2012-04-22 14:27:01',5,'Enabled verbose msgs:  general'),(107,'apheleia','mythfrontend',2617,2617,'CoreContext','logging.cpp',1176,'logStart','2012-04-22 14:27:01',5,'Setting Log Level to LOG_INFO'),(108,'apheleia','mythfrontend',2617,2617,'CoreContext','logging.cpp',229,'FileLogger','2012-04-22 14:27:01',6,'Added logging to the console'),(109,'apheleia','mythfrontend',2617,2617,'CoreContext','logging.cpp',425,'DatabaseLogger','2012-04-22 14:27:01',6,'Added database logging to table logging'),(110,'apheleia','mythfrontend',2617,2617,'CoreContext','logging.cpp',1215,'logStart','2012-04-22 14:27:01',5,'Setting up SIGHUP handler'),(111,'apheleia','mythfrontend',2617,2617,'CoreContext','mythdirs.cpp',51,'InitializeMythDirs','2012-04-22 14:27:01',5,'Using runtime prefix = /usr'),(112,'apheleia','mythfrontend',2617,2617,'CoreContext','mythdirs.cpp',64,'InitializeMythDirs','2012-04-22 14:27:01',5,'Using configuration directory = /home/mythtv/.mythtv'),(113,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',227,'Init','2012-04-22 14:27:01',6,'Assumed character encoding: en_US.utf-8'),(114,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcontext.cpp',477,'LoadDatabaseSettings','2012-04-22 14:27:01',5,'Empty LocalHostName.'),(115,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcontext.cpp',481,'LoadDatabaseSettings','2012-04-22 14:27:01',6,'Using localhost value of apheleia'),(116,'apheleia','mythfrontend',2617,2617,'CoreContext','configuration.cpp',112,'Save','2012-04-22 14:27:01',3,'Could not open settings file /home/mythtv/.mythtv/config.xml for writing'),(117,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',1354,'InitLocale','2012-04-22 14:27:01',5,'Setting QT default locale to en_US'),(118,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',1387,'SaveLocaleDefaults','2012-04-22 14:27:01',6,'Current locale en_US'),(119,'apheleia','mythfrontend',2617,2617,'CoreContext','mythlocale.cpp',121,'LoadDefaultsFromXML','2012-04-22 14:27:01',5,'Reading locale defaults from /usr/share/mythtv//locales/en_us.xml'),(120,'apheleia','mythfrontend',2617,2624,'SystemIOHandlerW','system-unix.cpp',90,'run','2012-04-22 14:27:01',6,'Starting IO manager (write)'),(121,'apheleia','mythfrontend',2617,2623,'SystemIOHandlerR','system-unix.cpp',90,'run','2012-04-22 14:27:01',6,'Starting IO manager (read)'),(122,'apheleia','mythfrontend',2617,2622,'SystemSignalManager','system-unix.cpp',485,'run','2012-04-22 14:27:01',6,'Starting process signal handler'),(123,'apheleia','mythfrontend',2617,2621,'SystemManager','system-unix.cpp',263,'run','2012-04-22 14:27:01',6,'Starting process manager'),(124,'apheleia','mythfrontend',2617,2617,'CoreContext','screensaver-x11.cpp',82,'ScreenSaverX11Private','2012-04-22 14:27:01',6,'ScreenSaverX11Private: DPMS is disabled.'),(125,'apheleia','mythfrontend',2617,2617,'CoreContext','DisplayRes.cpp',64,'Initialize','2012-04-22 14:27:01',5,'Desktop video mode: 800x600 60.317 Hz'),(126,'apheleia','mythfrontend',2617,2617,'CoreContext','serverpool.cpp',318,'listen','2012-04-22 14:27:01',3,'Failed listening on TCP 127.0.0.1:6547 - Error 8: The bound address is already in use'),(127,'apheleia','mythfrontend',2617,2617,'CoreContext','mediarenderer.cpp',227,'MediaRenderer','2012-04-22 14:27:01',3,'MediaRenderer::HttpServer Create Error'),(128,'apheleia','mythfrontend',2617,2617,'CoreContext','mythraopconnection.cpp',730,'LoadKey','2012-04-22 14:27:01',3,'RAOP Conn: Failed to read key from: /home/mythtv/.mythtv/RAOPKey.rsa'),(129,'apheleia','mythfrontend',2617,2617,'CoreContext','mythraopdevice.cpp',27,'Create','2012-04-22 14:27:01',3,'RAOP Device: Aborting startup - no key found.'),(130,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:01',6,'Loading en_us translation for module mythfrontend'),(131,'apheleia','mythfrontend',2617,2617,'CoreContext','lirc.cpp',298,'Init','2012-04-22 14:27:01',3,'LIRC: Failed to read config file \'/home/mythtv/.lircrc\''),(132,'apheleia','mythfrontend',2617,2617,'CoreContext','jsmenu.cpp',91,'Init','2012-04-22 14:27:01',3,'JoystickMenuThread: Joystick disabled - Failed to read /home/mythtv/.mythtv/joystickmenurc'),(133,'apheleia','mythfrontend',2617,2617,'CoreContext','cecadapter.cpp',146,'Open','2012-04-22 14:27:01',3,'CECAdapter: Failed to find any CEC devices.'),(134,'apheleia','mythfrontend',2617,2617,'CoreContext','cecadapter.cpp',216,'Close','2012-04-22 14:27:01',6,'CECAdapter: Closing down CEC.'),(135,'apheleia','mythfrontend',2617,2617,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:27:01',6,'Binding to UDP 127.0.0.1:0'),(136,'apheleia','mythfrontend',2617,2617,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:27:01',6,'Binding to UDP 192.168.1.240:0'),(137,'apheleia','mythfrontend',2617,2617,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:27:01',6,'Binding to UDP [0:0:0:0:0:0:0:1]:0'),(138,'apheleia','mythfrontend',2617,2617,'CoreContext','serverpool.cpp',366,'bind','2012-04-22 14:27:01',6,'Binding to UDP 192.168.1.255:0'),(139,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',947,'Init','2012-04-22 14:27:01',6,'Using Frameless Window'),(140,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',960,'Init','2012-04-22 14:27:01',6,'Using Full Screen Window'),(141,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',1050,'Init','2012-04-22 14:27:01',6,'Using the Qt painter'),(142,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 6\n			Name: \'basesmall\'	Type: \'fontdef\''),(143,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 11\n			Name: \'basemedium\'	Type: \'fontdef\''),(144,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 15\n			Name: \'baselarge\'	Type: \'fontdef\''),(145,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 19\n			Name: \'baseextralarge\'	Type: \'fontdef\''),(146,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 28\n			Name: \'basesmallbrown\'	Type: \'fontdef\''),(147,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 32\n			Name: \'basesmallgrey\'	Type: \'fontdef\''),(148,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 36\n			Name: \'basesmallpurple\'	Type: \'fontdef\''),(149,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 40\n			Name: \'basesmallblack\'	Type: \'fontdef\''),(150,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 44\n			Name: \'basesmallyellow\'	Type: \'fontdef\''),(151,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 48\n			Name: \'basesmallgreen\'	Type: \'fontdef\''),(152,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 52\n			Name: \'basesmallblue\'	Type: \'fontdef\''),(153,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 56\n			Name: \'basesmallred\'	Type: \'fontdef\''),(154,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 60\n			Name: \'basemediumgrey\'	Type: \'fontdef\''),(155,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 64\n			Name: \'basemediumgreen\'	Type: \'fontdef\''),(156,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 68\n			Name: \'basemediumred\'	Type: \'fontdef\''),(157,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 72\n			Name: \'basemediumpurple\'	Type: \'fontdef\''),(158,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 76\n			Name: \'basemediumbrown\'	Type: \'fontdef\''),(159,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 80\n			Name: \'baselargebrown\'	Type: \'fontdef\''),(160,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 666\n			Name: \'datefont\'	Type: \'fontdef\''),(161,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/Terra/base.xml @ 670\n			Name: \'timefont\'	Type: \'fontdef\''),(162,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 11\n			Name: \'basetiny\'	Type: \'fontdef\''),(163,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 36\n			Name: \'basetinyred\'	Type: \'fontdef\''),(164,'apheleia','mythfrontend',2617,2617,'CoreContext','mythfontproperties.cpp',439,'ParseFromXml','2012-04-22 14:27:01',3,'MythFontProperties: Failed to load \'Liberation Sans\', got \'DejaVu Sans\' instead\n			Location: /usr/share/mythtv/themes/default/base.xml @ 80\n			Name: \'basemediumyellow\'	Type: \'fontdef\''),(165,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:27:01',6,'Current MythTV Schema Version (DBSchemaVer): 1299'),(166,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',1861,'RegisterMediaPlugin','2012-04-22 14:27:02',5,'Registering Internal as a media playback plugin.'),(167,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:02',6,'Loading en_us translation for module mytharchive'),(168,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',1861,'RegisterMediaPlugin','2012-04-22 14:27:02',5,'Registering WebBrowser as a media playback plugin.'),(169,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:02',6,'Loading en_us translation for module mythbrowser'),(170,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:02',6,'Loading en_us translation for module mythgallery'),(171,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',36,'performActualUpdate','2012-04-22 14:27:02',5,'Upgrading to MythGame schema version 1018'),(172,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:02',6,'Loading en_us translation for module mythgame'),(173,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:27:02',6,'Current MythMusic Schema Version (MusicDBSchemaVer): 1017'),(174,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',135,'CompareAndWait','2012-04-22 14:27:02',2,'MythMusic database schema is old. Waiting to see if DB is being upgraded.'),(175,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:27:03',6,'Current MythMusic Schema Version (MusicDBSchemaVer): 1017'),(176,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:27:04',6,'Current MythMusic Schema Version (MusicDBSchemaVer): 1017'),(177,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',117,'Compare','2012-04-22 14:27:05',6,'Current MythMusic Schema Version (MusicDBSchemaVer): 1017'),(178,'apheleia','mythfrontend',2617,2617,'CoreContext','schemawizard.cpp',179,'CompareAndWait','2012-04-22 14:27:05',2,'Timed out waiting.'),(179,'apheleia','mythfrontend',2617,2617,'CoreContext','dbutil.cpp',603,'DoBackup','2012-04-22 14:27:05',3,'Backing up database with script: \'/usr/share/mythtv/mythconverg_backup.pl\''),(180,'apheleia','mythfrontend',2617,2617,'CoreContext','dbutil.cpp',624,'DoBackup','2012-04-22 14:27:05',2,'Database Backup complete.'),(181,'apheleia','mythfrontend',2617,2617,'CoreContext','dbutil.cpp',655,'DoBackup','2012-04-22 14:27:05',2,'Backed up database to file: \'/myth/tv/mythconverg-1299-20120422142705.sql.gz\''),(182,'apheleia','mythfrontend',2617,2617,'CoreContext','bonjourregister.cpp',100,'BonjourCallback','2012-04-22 14:27:05',6,'Bonjour: Service registration complete: name \'Mythfrontend on apheleia\' type \'_mythfrontend._tcp.\' domain: \'local.\''),(183,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',39,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythMusic schema version 1018'),(184,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',39,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythMusic schema version 1019'),(185,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:08',6,'Loading en_us translation for module mythmusic'),(186,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',78,'UpgradeNewsDatabaseSchema','2012-04-22 14:27:08',5,'Inserting MythNews initial database information.'),(187,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',38,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythNews schema version 1000'),(188,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',38,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythNews schema version 1001'),(189,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:08',6,'Loading en_us translation for module mythnews'),(190,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcontext.cpp',1144,'TestPopupVersion','2012-04-22 14:27:08',0,'Plugin mythstream (0.24.20110505-1) binary version does not match libraries (0.25.20120408-1)'),(191,'apheleia','mythfrontend',2617,2617,'CoreContext','mythplugin.cpp',191,'init_plugin','2012-04-22 14:27:08',3,'Unable to initialize plugin \'mythstream\'.'),(192,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',31,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythWeather schema version 1005'),(193,'apheleia','mythfrontend',2617,2617,'CoreContext','dbcheck.cpp',31,'performActualUpdate','2012-04-22 14:27:08',5,'Upgrading to MythWeather schema version 1006'),(194,'apheleia','mythfrontend',2617,2617,'CoreContext','mythtranslation.cpp',66,'load','2012-04-22 14:27:08',6,'Loading en_us translation for module mythweather'),(195,'apheleia','mythfrontend',2617,2617,'CoreContext','main.cpp',1074,'RunMenu','2012-04-22 14:27:08',5,'Found mainmenu.xml for theme \'Terra\''),(196,'apheleia','mythfrontend',2617,0,'PT1','mythcorecontext.cpp',371,'ConnectCommandSocket','2012-04-22 14:27:08',6,'MythCoreContext: Connecting to backend server: 127.0.0.1:6543 (try 1 of 1)'),(197,'apheleia','mythfrontend',2617,0,'PT1','mythcorecontext.cpp',441,'ConnectCommandSocket','2012-04-22 14:27:08',3,'Connection to master server timed out.\n			Either the server is down or the master server settings\n			in mythtv-settings does not contain the proper IP address\n'),(198,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',371,'ConnectCommandSocket','2012-04-22 14:27:09',6,'MythCoreContext: Connecting to backend server: 127.0.0.1:6543 (try 1 of 1)'),(199,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',441,'ConnectCommandSocket','2012-04-22 14:27:09',3,'Connection to master server timed out.\n			Either the server is down or the master server settings\n			in mythtv-settings does not contain the proper IP address\n'),(200,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',371,'ConnectCommandSocket','2012-04-22 14:27:11',6,'MythCoreContext: Connecting to backend server: 127.0.0.1:6543 (try 1 of 1)'),(201,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcorecontext.cpp',441,'ConnectCommandSocket','2012-04-22 14:27:11',3,'Connection to master server timed out.\n			Either the server is down or the master server settings\n			in mythtv-settings does not contain the proper IP address\n'),(202,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',2590,'PauseIdleTimer','2012-04-22 14:27:12',5,'Resuming idle timer'),(203,'apheleia','mythfrontend',2617,2617,'CoreContext','mythmainwindow.cpp',2590,'PauseIdleTimer','2012-04-22 14:27:12',5,'Resuming idle timer'),(204,'apheleia','mythfrontend',2617,2617,'CoreContext','bonjourregister.cpp',26,'~BonjourRegister','2012-04-22 14:27:12',6,'Bonjour: De-registering service \'_mythfrontend._tcp.\' on \'Mythfrontend on apheleia\''),(205,'apheleia','mythfrontend',2617,2617,'CoreContext','mythraopdevice.cpp',65,'Cleanup','2012-04-22 14:27:12',6,'RAOP Device: Cleaning up.'),(206,'apheleia','mythfrontend',2617,2617,'CoreContext','mythairplayserver.cpp',262,'Cleanup','2012-04-22 14:27:12',6,'AirPay: Cleaning up.'),(207,'apheleia','mythfrontend',2617,2617,'CoreContext','mythcontext.cpp',1115,'~MythContext','2012-04-22 14:27:12',6,'Waiting for threads to exit.');
/*!40000 ALTER TABLE `logging` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_albumart`
--
DROP TABLE IF EXISTS `music_albumart`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_albumart` (
  `albumart_id` int(20) NOT NULL AUTO_INCREMENT,
  `filename` varchar(255) NOT NULL DEFAULT '',
  `directory_id` int(20) NOT NULL DEFAULT '0',
  `imagetype` tinyint(3) NOT NULL DEFAULT '0',
  `song_id` int(11) NOT NULL DEFAULT '0',
  `embedded` tinyint(1) NOT NULL DEFAULT '0',
  PRIMARY KEY (`albumart_id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_albumart`
--
LOCK TABLES `music_albumart` WRITE;
/*!40000 ALTER TABLE `music_albumart` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_albumart` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_albums`
--
DROP TABLE IF EXISTS `music_albums`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_albums` (
  `album_id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `artist_id` int(11) unsigned NOT NULL DEFAULT '0',
  `album_name` varchar(255) NOT NULL DEFAULT '',
  `year` smallint(6) NOT NULL DEFAULT '0',
  `compilation` tinyint(1) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`album_id`),
  KEY `idx_album_name` (`album_name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_albums`
--
LOCK TABLES `music_albums` WRITE;
/*!40000 ALTER TABLE `music_albums` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_albums` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_artists`
--
DROP TABLE IF EXISTS `music_artists`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_artists` (
  `artist_id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `artist_name` varchar(255) NOT NULL DEFAULT '',
  PRIMARY KEY (`artist_id`),
  KEY `idx_artist_name` (`artist_name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_artists`
--
LOCK TABLES `music_artists` WRITE;
/*!40000 ALTER TABLE `music_artists` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_artists` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_directories`
--
DROP TABLE IF EXISTS `music_directories`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_directories` (
  `directory_id` int(20) NOT NULL AUTO_INCREMENT,
  `path` text NOT NULL,
  `parent_id` int(20) NOT NULL DEFAULT '0',
  PRIMARY KEY (`directory_id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_directories`
--
LOCK TABLES `music_directories` WRITE;
/*!40000 ALTER TABLE `music_directories` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_directories` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_genres`
--
DROP TABLE IF EXISTS `music_genres`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_genres` (
  `genre_id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `genre` varchar(255) NOT NULL DEFAULT '',
  PRIMARY KEY (`genre_id`),
  KEY `idx_genre` (`genre`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_genres`
--
LOCK TABLES `music_genres` WRITE;
/*!40000 ALTER TABLE `music_genres` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_genres` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_playlists`
--
DROP TABLE IF EXISTS `music_playlists`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_playlists` (
  `playlist_id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `playlist_name` varchar(255) NOT NULL DEFAULT '',
  `playlist_songs` text NOT NULL,
  `last_accessed` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  `length` int(11) unsigned NOT NULL DEFAULT '0',
  `songcount` smallint(8) unsigned NOT NULL DEFAULT '0',
  `hostname` varchar(64) NOT NULL DEFAULT '',
  PRIMARY KEY (`playlist_id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_playlists`
--
LOCK TABLES `music_playlists` WRITE;
/*!40000 ALTER TABLE `music_playlists` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_playlists` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_smartplaylist_categories`
--
DROP TABLE IF EXISTS `music_smartplaylist_categories`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_smartplaylist_categories` (
  `categoryid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) NOT NULL,
  PRIMARY KEY (`categoryid`),
  KEY `name` (`name`)
) ENGINE=MyISAM AUTO_INCREMENT=4 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_smartplaylist_categories`
--
LOCK TABLES `music_smartplaylist_categories` WRITE;
/*!40000 ALTER TABLE `music_smartplaylist_categories` DISABLE KEYS */;
INSERT INTO `music_smartplaylist_categories` VALUES (1,'Decades'),(2,'Favourite Tracks'),(3,'New Tracks');
/*!40000 ALTER TABLE `music_smartplaylist_categories` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_smartplaylist_items`
--
DROP TABLE IF EXISTS `music_smartplaylist_items`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_smartplaylist_items` (
  `smartplaylistitemid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `smartplaylistid` int(10) unsigned NOT NULL,
  `field` varchar(50) NOT NULL,
  `operator` varchar(20) NOT NULL,
  `value1` varchar(255) NOT NULL,
  `value2` varchar(255) NOT NULL,
  PRIMARY KEY (`smartplaylistitemid`),
  KEY `smartplaylistid` (`smartplaylistid`)
) ENGINE=MyISAM AUTO_INCREMENT=9 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_smartplaylist_items`
--
LOCK TABLES `music_smartplaylist_items` WRITE;
/*!40000 ALTER TABLE `music_smartplaylist_items` DISABLE KEYS */;
INSERT INTO `music_smartplaylist_items` VALUES (1,1,'Year','is between','1960','1969'),(2,2,'Year','is between','1970','1979'),(3,3,'Year','is between','1980','1989'),(4,4,'Year','is between','1990','1999'),(5,5,'Year','is between','2000','2009'),(6,6,'Rating','is greater than','7','0'),(7,7,'Play Count','is greater than','0','0'),(8,8,'Play Count','is equal to','0','0');
/*!40000 ALTER TABLE `music_smartplaylist_items` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_smartplaylists`
--
DROP TABLE IF EXISTS `music_smartplaylists`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_smartplaylists` (
  `smartplaylistid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) NOT NULL,
  `categoryid` int(10) unsigned NOT NULL,
  `matchtype` set('All','Any') CHARACTER SET latin1 NOT NULL DEFAULT 'All',
  `orderby` varchar(128) NOT NULL DEFAULT '',
  `limitto` int(10) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`smartplaylistid`),
  KEY `name` (`name`),
  KEY `categoryid` (`categoryid`)
) ENGINE=MyISAM AUTO_INCREMENT=9 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_smartplaylists`
--
LOCK TABLES `music_smartplaylists` WRITE;
/*!40000 ALTER TABLE `music_smartplaylists` DISABLE KEYS */;
INSERT INTO `music_smartplaylists` VALUES (1,'1960\'s',1,'All','Artist (A)',0),(2,'1970\'s',1,'All','Artist (A)',0),(3,'1980\'s',1,'All','Artist (A)',0),(4,'1990\'s',1,'All','Artist (A)',0),(5,'2000\'s',1,'All','Artist (A)',0),(6,'Favorite Tracks',2,'All','Artist (A), Album (A)',0),(7,'100 Most Played Tracks',2,'All','Play Count (D)',100),(8,'Never Played Tracks',3,'All','Artist (A), Album (A)',0);
/*!40000 ALTER TABLE `music_smartplaylists` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_songs`
--
DROP TABLE IF EXISTS `music_songs`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_songs` (
  `song_id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `filename` text NOT NULL,
  `name` varchar(255) NOT NULL DEFAULT '',
  `track` smallint(6) unsigned NOT NULL DEFAULT '0',
  `artist_id` int(11) unsigned NOT NULL DEFAULT '0',
  `album_id` int(11) unsigned NOT NULL DEFAULT '0',
  `genre_id` int(11) unsigned NOT NULL DEFAULT '0',
  `year` smallint(6) NOT NULL DEFAULT '0',
  `length` int(11) unsigned NOT NULL DEFAULT '0',
  `numplays` int(11) unsigned NOT NULL DEFAULT '0',
  `rating` tinyint(4) unsigned NOT NULL DEFAULT '0',
  `lastplay` datetime DEFAULT NULL,
  `date_entered` datetime DEFAULT NULL,
  `date_modified` datetime DEFAULT NULL,
  `format` varchar(4) NOT NULL DEFAULT '0',
  `mythdigest` varchar(255) DEFAULT NULL,
  `size` bigint(20) unsigned DEFAULT NULL,
  `description` varchar(255) DEFAULT NULL,
  `comment` varchar(255) DEFAULT NULL,
  `disc_count` smallint(5) unsigned DEFAULT '0',
  `disc_number` smallint(5) unsigned DEFAULT '0',
  `track_count` smallint(5) unsigned DEFAULT '0',
  `start_time` int(10) unsigned DEFAULT '0',
  `stop_time` int(10) unsigned DEFAULT NULL,
  `eq_preset` varchar(255) DEFAULT NULL,
  `relative_volume` tinyint(4) DEFAULT '0',
  `sample_rate` int(10) unsigned DEFAULT '0',
  `bitrate` int(10) unsigned DEFAULT '0',
  `bpm` smallint(5) unsigned DEFAULT NULL,
  `directory_id` int(20) NOT NULL DEFAULT '0',
  PRIMARY KEY (`song_id`),
  KEY `idx_name` (`name`),
  KEY `idx_mythdigest` (`mythdigest`),
  KEY `directory_id` (`directory_id`),
  KEY `album_id` (`album_id`),
  KEY `genre_id` (`genre_id`),
  KEY `artist_id` (`artist_id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_songs`
--
LOCK TABLES `music_songs` WRITE;
/*!40000 ALTER TABLE `music_songs` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_songs` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `music_stats`
--
DROP TABLE IF EXISTS `music_stats`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `music_stats` (
  `num_artists` smallint(5) unsigned NOT NULL DEFAULT '0',
  `num_albums` smallint(5) unsigned NOT NULL DEFAULT '0',
  `num_songs` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `num_genres` tinyint(3) unsigned NOT NULL DEFAULT '0',
  `total_time` varchar(12) NOT NULL DEFAULT '0',
  `total_size` varchar(10) NOT NULL DEFAULT '0'
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `music_stats`
--
LOCK TABLES `music_stats` WRITE;
/*!40000 ALTER TABLE `music_stats` DISABLE KEYS */;
/*!40000 ALTER TABLE `music_stats` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `mythlog`
--
DROP TABLE IF EXISTS `mythlog`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `mythlog` (
  `logid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `module` varchar(32) NOT NULL DEFAULT '',
  `priority` int(11) NOT NULL DEFAULT '0',
  `acknowledged` tinyint(1) DEFAULT '0',
  `logdate` datetime DEFAULT NULL,
  `host` varchar(128) DEFAULT NULL,
  `message` varchar(255) NOT NULL DEFAULT '',
  `details` varchar(16000) NOT NULL DEFAULT '',
  PRIMARY KEY (`logid`),
  KEY `module` (`module`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `mythlog`
--
LOCK TABLES `mythlog` WRITE;
/*!40000 ALTER TABLE `mythlog` DISABLE KEYS */;
/*!40000 ALTER TABLE `mythlog` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `netflix`
--
DROP TABLE IF EXISTS `netflix`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `netflix` (
  `name` varchar(100) NOT NULL,
  `category` varchar(255) NOT NULL,
  `url` varchar(255) NOT NULL,
  `ico` varchar(255) DEFAULT NULL,
  `updated` int(10) unsigned DEFAULT NULL,
  `is_queue` int(10) unsigned DEFAULT NULL,
  `queue` varchar(32) NOT NULL DEFAULT '',
  PRIMARY KEY (`name`,`queue`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `netflix`
--
LOCK TABLES `netflix` WRITE;
/*!40000 ALTER TABLE `netflix` DISABLE KEYS */;
/*!40000 ALTER TABLE `netflix` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `networkiconmap`
--
DROP TABLE IF EXISTS `networkiconmap`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `networkiconmap` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `network` varchar(20) NOT NULL DEFAULT '',
  `url` varchar(255) NOT NULL DEFAULT '',
  PRIMARY KEY (`id`),
  UNIQUE KEY `network` (`network`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `networkiconmap`
--
LOCK TABLES `networkiconmap` WRITE;
/*!40000 ALTER TABLE `networkiconmap` DISABLE KEYS */;
/*!40000 ALTER TABLE `networkiconmap` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `newssites`
--
DROP TABLE IF EXISTS `newssites`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `newssites` (
  `name` varchar(100) NOT NULL,
  `category` varchar(255) NOT NULL,
  `url` varchar(255) NOT NULL,
  `ico` varchar(255) DEFAULT NULL,
  `updated` int(10) unsigned DEFAULT NULL,
  `podcast` tinyint(1) NOT NULL DEFAULT '0',
  PRIMARY KEY (`name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `newssites`
--
LOCK TABLES `newssites` WRITE;
/*!40000 ALTER TABLE `newssites` DISABLE KEYS */;
/*!40000 ALTER TABLE `newssites` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `oldfind`
--
DROP TABLE IF EXISTS `oldfind`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `oldfind` (
  `recordid` int(11) NOT NULL DEFAULT '0',
  `findid` int(11) NOT NULL DEFAULT '0',
  PRIMARY KEY (`recordid`,`findid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `oldfind`
--
LOCK TABLES `oldfind` WRITE;
/*!40000 ALTER TABLE `oldfind` DISABLE KEYS */;
/*!40000 ALTER TABLE `oldfind` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `oldprogram`
--
DROP TABLE IF EXISTS `oldprogram`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `oldprogram` (
  `oldtitle` varchar(128) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL DEFAULT '',
  `airdate` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  PRIMARY KEY (`oldtitle`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `oldprogram`
--
LOCK TABLES `oldprogram` WRITE;
/*!40000 ALTER TABLE `oldprogram` DISABLE KEYS */;
/*!40000 ALTER TABLE `oldprogram` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `oldrecorded`
--
DROP TABLE IF EXISTS `oldrecorded`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `oldrecorded` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `endtime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `title` varchar(128) NOT NULL DEFAULT '',
  `subtitle` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(16000) NOT NULL DEFAULT '',
  `season` smallint(5) NOT NULL,
  `episode` smallint(5) NOT NULL,
  `category` varchar(64) NOT NULL DEFAULT '',
  `seriesid` varchar(40) NOT NULL DEFAULT '',
  `programid` varchar(40) NOT NULL DEFAULT '',
  `inetref` varchar(40) NOT NULL,
  `findid` int(11) NOT NULL DEFAULT '0',
  `recordid` int(11) NOT NULL DEFAULT '0',
  `station` varchar(20) NOT NULL DEFAULT '',
  `rectype` int(10) unsigned NOT NULL DEFAULT '0',
  `duplicate` tinyint(1) NOT NULL DEFAULT '0',
  `recstatus` int(11) NOT NULL DEFAULT '0',
  `reactivate` smallint(6) NOT NULL DEFAULT '0',
  `generic` tinyint(1) NOT NULL,
  `future` tinyint(1) NOT NULL DEFAULT '0',
  PRIMARY KEY (`station`,`starttime`,`title`),
  KEY `endtime` (`endtime`),
  KEY `title` (`title`),
  KEY `seriesid` (`seriesid`),
  KEY `programid` (`programid`),
  KEY `recordid` (`recordid`),
  KEY `recstatus` (`recstatus`,`programid`,`seriesid`),
  KEY `recstatus_2` (`recstatus`,`title`,`subtitle`),
  KEY `future` (`future`),
  KEY `chanid` (`chanid`,`starttime`),
  KEY `subtitle` (`subtitle`),
  KEY `description` (`description`(255))
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `oldrecorded`
--
LOCK TABLES `oldrecorded` WRITE;
/*!40000 ALTER TABLE `oldrecorded` DISABLE KEYS */;
/*!40000 ALTER TABLE `oldrecorded` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `people`
--
DROP TABLE IF EXISTS `people`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `people` (
  `person` mediumint(8) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL DEFAULT '',
  PRIMARY KEY (`person`),
  UNIQUE KEY `name` (`name`(41))
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `people`
--
LOCK TABLES `people` WRITE;
/*!40000 ALTER TABLE `people` DISABLE KEYS */;
/*!40000 ALTER TABLE `people` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `phonecallhistory`
--
DROP TABLE IF EXISTS `phonecallhistory`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `phonecallhistory` (
  `recid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `displayname` text NOT NULL,
  `url` text NOT NULL,
  `timestamp` text NOT NULL,
  `duration` int(10) unsigned NOT NULL,
  `directionin` int(10) unsigned NOT NULL,
  `directoryref` int(10) unsigned DEFAULT NULL,
  PRIMARY KEY (`recid`)
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `phonecallhistory`
--
LOCK TABLES `phonecallhistory` WRITE;
/*!40000 ALTER TABLE `phonecallhistory` DISABLE KEYS */;
/*!40000 ALTER TABLE `phonecallhistory` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `phonedirectory`
--
DROP TABLE IF EXISTS `phonedirectory`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `phonedirectory` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `nickname` text NOT NULL,
  `firstname` text,
  `surname` text,
  `url` text NOT NULL,
  `directory` text NOT NULL,
  `photofile` text,
  `speeddial` int(10) unsigned NOT NULL,
  `onhomelan` int(10) unsigned DEFAULT '0',
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM AUTO_INCREMENT=2 DEFAULT CHARSET=latin1;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `phonedirectory`
--
LOCK TABLES `phonedirectory` WRITE;
/*!40000 ALTER TABLE `phonedirectory` DISABLE KEYS */;
INSERT INTO `phonedirectory` VALUES (1,'Me(apheleia)','Local Myth Host','apheleia','','My MythTVs','',1,1);
/*!40000 ALTER TABLE `phonedirectory` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `pidcache`
--
DROP TABLE IF EXISTS `pidcache`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `pidcache` (
  `chanid` smallint(6) NOT NULL DEFAULT '0',
  `pid` int(11) NOT NULL DEFAULT '-1',
  `tableid` int(11) NOT NULL DEFAULT '-1',
  KEY `chanid` (`chanid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `pidcache`
--
LOCK TABLES `pidcache` WRITE;
/*!40000 ALTER TABLE `pidcache` DISABLE KEYS */;
/*!40000 ALTER TABLE `pidcache` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `playgroup`
--
DROP TABLE IF EXISTS `playgroup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `playgroup` (
  `name` varchar(32) NOT NULL DEFAULT '',
  `titlematch` varchar(255) NOT NULL DEFAULT '',
  `skipahead` int(11) NOT NULL DEFAULT '0',
  `skipback` int(11) NOT NULL DEFAULT '0',
  `timestretch` int(11) NOT NULL DEFAULT '0',
  `jump` int(11) NOT NULL DEFAULT '0',
  PRIMARY KEY (`name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `playgroup`
--
LOCK TABLES `playgroup` WRITE;
/*!40000 ALTER TABLE `playgroup` DISABLE KEYS */;
INSERT INTO `playgroup` VALUES ('Default','',30,5,100,0);
/*!40000 ALTER TABLE `playgroup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `powerpriority`
--
DROP TABLE IF EXISTS `powerpriority`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `powerpriority` (
  `priorityname` varchar(64) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL,
  `recpriority` int(10) NOT NULL DEFAULT '0',
  `selectclause` varchar(16000) NOT NULL DEFAULT '',
  PRIMARY KEY (`priorityname`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `powerpriority`
--
LOCK TABLES `powerpriority` WRITE;
/*!40000 ALTER TABLE `powerpriority` DISABLE KEYS */;
/*!40000 ALTER TABLE `powerpriority` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `profilegroups`
--
DROP TABLE IF EXISTS `profilegroups`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `profilegroups` (
  `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) DEFAULT NULL,
  `cardtype` varchar(32) NOT NULL DEFAULT 'V4L',
  `is_default` int(1) DEFAULT '0',
  `hostname` varchar(64) DEFAULT NULL,
  PRIMARY KEY (`id`),
  UNIQUE KEY `name` (`name`,`hostname`),
  KEY `cardtype` (`cardtype`)
) ENGINE=MyISAM AUTO_INCREMENT=18 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `profilegroups`
--
LOCK TABLES `profilegroups` WRITE;
/*!40000 ALTER TABLE `profilegroups` DISABLE KEYS */;
INSERT INTO `profilegroups` VALUES (1,'Software Encoders (v4l based)','V4L',1,NULL),(2,'MPEG-2 Encoders (PVR-x50, PVR-500)','MPEG',1,NULL),(3,'Hardware MJPEG Encoders (Matrox G200-TV, Miro DC10, etc)','MJPEG',1,NULL),(4,'Hardware HDTV','HDTV',1,NULL),(5,'Hardware DVB Encoders','DVB',1,NULL),(6,'Transcoders','TRANSCODE',1,NULL),(7,'FireWire Input','FIREWIRE',1,NULL),(8,'USB Mpeg-4 Encoder (Plextor ConvertX, etc)','GO7007',1,NULL),(14,'Import Recorder','IMPORT',1,NULL),(10,'Freebox Input','Freebox',1,NULL),(11,'HDHomeRun Recorders','HDHOMERUN',1,NULL),(12,'CRC IP Recorders','CRC_IP',1,NULL),(13,'HD-PVR Recorders','HDPVR',1,NULL),(15,'ASI Recorder (DVEO)','ASI',1,NULL),(16,'OCUR Recorder (CableLabs)','OCUR',1,NULL),(17,'Ceton Recorder','CETON',1,NULL);
/*!40000 ALTER TABLE `profilegroups` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `program`
--
DROP TABLE IF EXISTS `program`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `program` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `endtime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `title` varchar(128) NOT NULL DEFAULT '',
  `subtitle` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(16000) NOT NULL DEFAULT '',
  `category` varchar(64) NOT NULL DEFAULT '',
  `category_type` varchar(64) NOT NULL DEFAULT '',
  `airdate` year(4) NOT NULL DEFAULT '0000',
  `stars` float NOT NULL DEFAULT '0',
  `previouslyshown` tinyint(4) NOT NULL DEFAULT '0',
  `title_pronounce` varchar(128) NOT NULL DEFAULT '',
  `stereo` tinyint(1) NOT NULL DEFAULT '0',
  `subtitled` tinyint(1) NOT NULL DEFAULT '0',
  `hdtv` tinyint(1) NOT NULL DEFAULT '0',
  `closecaptioned` tinyint(1) NOT NULL DEFAULT '0',
  `partnumber` int(11) NOT NULL DEFAULT '0',
  `parttotal` int(11) NOT NULL DEFAULT '0',
  `seriesid` varchar(64) NOT NULL DEFAULT '',
  `originalairdate` date DEFAULT NULL,
  `showtype` varchar(30) NOT NULL DEFAULT '',
  `colorcode` varchar(20) NOT NULL DEFAULT '',
  `syndicatedepisodenumber` varchar(20) NOT NULL DEFAULT '',
  `programid` varchar(64) NOT NULL DEFAULT '',
  `manualid` int(10) unsigned NOT NULL DEFAULT '0',
  `generic` tinyint(1) DEFAULT '0',
  `listingsource` int(11) NOT NULL DEFAULT '0',
  `first` tinyint(1) NOT NULL DEFAULT '0',
  `last` tinyint(1) NOT NULL DEFAULT '0',
  `audioprop` set('STEREO','MONO','SURROUND','DOLBY','HARDHEAR','VISUALIMPAIR') CHARACTER SET latin1 NOT NULL,
  `subtitletypes` set('HARDHEAR','NORMAL','ONSCREEN','SIGNED') CHARACTER SET latin1 NOT NULL,
  `videoprop` set('HDTV','WIDESCREEN','AVC') CHARACTER SET latin1 NOT NULL,
  PRIMARY KEY (`chanid`,`starttime`,`manualid`),
  KEY `endtime` (`endtime`),
  KEY `title` (`title`),
  KEY `title_pronounce` (`title_pronounce`),
  KEY `seriesid` (`seriesid`),
  KEY `id_start_end` (`chanid`,`starttime`,`endtime`),
  KEY `program_manualid` (`manualid`),
  KEY `previouslyshown` (`previouslyshown`),
  KEY `programid` (`programid`,`starttime`),
  KEY `starttime` (`starttime`),
  KEY `subtitle` (`subtitle`),
  KEY `description` (`description`(255))
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `program`
--
LOCK TABLES `program` WRITE;
/*!40000 ALTER TABLE `program` DISABLE KEYS */;
/*!40000 ALTER TABLE `program` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `programgenres`
--
DROP TABLE IF EXISTS `programgenres`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `programgenres` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `relevance` char(1) NOT NULL DEFAULT '',
  `genre` varchar(30) DEFAULT NULL,
  PRIMARY KEY (`chanid`,`starttime`,`relevance`),
  KEY `genre` (`genre`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `programgenres`
--
LOCK TABLES `programgenres` WRITE;
/*!40000 ALTER TABLE `programgenres` DISABLE KEYS */;
/*!40000 ALTER TABLE `programgenres` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `programrating`
--
DROP TABLE IF EXISTS `programrating`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `programrating` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `system` varchar(8) DEFAULT NULL,
  `rating` varchar(16) DEFAULT NULL,
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`system`,`rating`),
  KEY `starttime` (`starttime`,`system`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `programrating`
--
LOCK TABLES `programrating` WRITE;
/*!40000 ALTER TABLE `programrating` DISABLE KEYS */;
/*!40000 ALTER TABLE `programrating` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recgrouppassword`
--
DROP TABLE IF EXISTS `recgrouppassword`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recgrouppassword` (
  `recgroup` varchar(32) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL DEFAULT '',
  `password` varchar(10) NOT NULL DEFAULT '',
  PRIMARY KEY (`recgroup`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recgrouppassword`
--
LOCK TABLES `recgrouppassword` WRITE;
/*!40000 ALTER TABLE `recgrouppassword` DISABLE KEYS */;
INSERT INTO `recgrouppassword` VALUES ('All Programs','');
/*!40000 ALTER TABLE `recgrouppassword` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `record`
--
DROP TABLE IF EXISTS `record`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `record` (
  `recordid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `type` int(10) unsigned NOT NULL DEFAULT '0',
  `chanid` int(10) unsigned DEFAULT NULL,
  `starttime` time NOT NULL DEFAULT '00:00:00',
  `startdate` date NOT NULL DEFAULT '0000-00-00',
  `endtime` time NOT NULL DEFAULT '00:00:00',
  `enddate` date NOT NULL DEFAULT '0000-00-00',
  `title` varchar(128) NOT NULL DEFAULT '',
  `subtitle` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(16000) NOT NULL DEFAULT '',
  `season` smallint(5) NOT NULL,
  `episode` smallint(5) NOT NULL,
  `category` varchar(64) NOT NULL DEFAULT '',
  `profile` varchar(128) NOT NULL DEFAULT 'Default',
  `recpriority` int(10) NOT NULL DEFAULT '0',
  `autoexpire` int(11) NOT NULL DEFAULT '0',
  `maxepisodes` int(11) NOT NULL DEFAULT '0',
  `maxnewest` int(11) NOT NULL DEFAULT '0',
  `startoffset` int(11) NOT NULL DEFAULT '0',
  `endoffset` int(11) NOT NULL DEFAULT '0',
  `recgroup` varchar(32) NOT NULL DEFAULT 'Default',
  `dupmethod` int(11) NOT NULL DEFAULT '6',
  `dupin` int(11) NOT NULL DEFAULT '15',
  `station` varchar(20) NOT NULL DEFAULT '',
  `seriesid` varchar(40) NOT NULL DEFAULT '',
  `programid` varchar(40) NOT NULL DEFAULT '',
  `inetref` varchar(40) NOT NULL,
  `search` int(10) unsigned NOT NULL DEFAULT '0',
  `autotranscode` tinyint(1) NOT NULL DEFAULT '0',
  `autocommflag` tinyint(1) NOT NULL DEFAULT '0',
  `autouserjob1` tinyint(1) NOT NULL DEFAULT '0',
  `autouserjob2` tinyint(1) NOT NULL DEFAULT '0',
  `autouserjob3` tinyint(1) NOT NULL DEFAULT '0',
  `autouserjob4` tinyint(1) NOT NULL DEFAULT '0',
  `autometadata` tinyint(1) NOT NULL DEFAULT '0',
  `findday` tinyint(4) NOT NULL DEFAULT '0',
  `findtime` time NOT NULL DEFAULT '00:00:00',
  `findid` int(11) NOT NULL DEFAULT '0',
  `inactive` tinyint(1) NOT NULL DEFAULT '0',
  `parentid` int(11) NOT NULL DEFAULT '0',
  `transcoder` int(11) NOT NULL DEFAULT '0',
  `playgroup` varchar(32) NOT NULL DEFAULT 'Default',
  `prefinput` int(10) NOT NULL DEFAULT '0',
  `next_record` datetime NOT NULL,
  `last_record` datetime NOT NULL,
  `last_delete` datetime NOT NULL,
  `storagegroup` varchar(32) NOT NULL DEFAULT 'Default',
  `avg_delay` int(11) NOT NULL DEFAULT '100',
  `filter` int(10) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`recordid`),
  KEY `chanid` (`chanid`,`starttime`),
  KEY `title` (`title`),
  KEY `seriesid` (`seriesid`),
  KEY `programid` (`programid`),
  KEY `maxepisodes` (`maxepisodes`),
  KEY `search` (`search`),
  KEY `type` (`type`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `record`
--
LOCK TABLES `record` WRITE;
/*!40000 ALTER TABLE `record` DISABLE KEYS */;
/*!40000 ALTER TABLE `record` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recorded`
--
DROP TABLE IF EXISTS `recorded`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recorded` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `endtime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `title` varchar(128) NOT NULL DEFAULT '',
  `subtitle` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(16000) NOT NULL DEFAULT '',
  `season` smallint(5) NOT NULL,
  `episode` smallint(5) NOT NULL,
  `category` varchar(64) NOT NULL DEFAULT '',
  `hostname` varchar(64) NOT NULL DEFAULT '',
  `bookmark` tinyint(1) NOT NULL DEFAULT '0',
  `editing` int(10) unsigned NOT NULL DEFAULT '0',
  `cutlist` tinyint(1) NOT NULL DEFAULT '0',
  `autoexpire` int(11) NOT NULL DEFAULT '0',
  `commflagged` int(10) unsigned NOT NULL DEFAULT '0',
  `recgroup` varchar(32) NOT NULL DEFAULT 'Default',
  `recordid` int(11) DEFAULT NULL,
  `seriesid` varchar(40) NOT NULL DEFAULT '',
  `programid` varchar(40) NOT NULL DEFAULT '',
  `inetref` varchar(40) NOT NULL,
  `lastmodified` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  `filesize` bigint(20) NOT NULL DEFAULT '0',
  `stars` float NOT NULL DEFAULT '0',
  `previouslyshown` tinyint(1) DEFAULT '0',
  `originalairdate` date DEFAULT NULL,
  `preserve` tinyint(1) NOT NULL DEFAULT '0',
  `findid` int(11) NOT NULL DEFAULT '0',
  `deletepending` tinyint(1) NOT NULL DEFAULT '0',
  `transcoder` int(11) NOT NULL DEFAULT '0',
  `timestretch` float NOT NULL DEFAULT '1',
  `recpriority` int(11) NOT NULL DEFAULT '0',
  `basename` varchar(255) NOT NULL,
  `progstart` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `progend` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `playgroup` varchar(32) NOT NULL DEFAULT 'Default',
  `profile` varchar(32) NOT NULL DEFAULT '',
  `duplicate` tinyint(1) NOT NULL DEFAULT '0',
  `transcoded` tinyint(1) NOT NULL DEFAULT '0',
  `watched` tinyint(4) NOT NULL DEFAULT '0',
  `storagegroup` varchar(32) NOT NULL DEFAULT 'Default',
  `bookmarkupdate` timestamp NOT NULL DEFAULT '0000-00-00 00:00:00',
  PRIMARY KEY (`chanid`,`starttime`),
  KEY `endtime` (`endtime`),
  KEY `seriesid` (`seriesid`),
  KEY `programid` (`programid`),
  KEY `title` (`title`),
  KEY `recordid` (`recordid`),
  KEY `deletepending` (`deletepending`,`lastmodified`),
  KEY `recgroup` (`recgroup`,`endtime`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recorded`
--
LOCK TABLES `recorded` WRITE;
/*!40000 ALTER TABLE `recorded` DISABLE KEYS */;
/*!40000 ALTER TABLE `recorded` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedartwork`
--
DROP TABLE IF EXISTS `recordedartwork`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedartwork` (
  `inetref` varchar(255) NOT NULL,
  `season` smallint(5) NOT NULL,
  `host` text NOT NULL,
  `coverart` text NOT NULL,
  `fanart` text NOT NULL,
  `banner` text NOT NULL
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedartwork`
--
LOCK TABLES `recordedartwork` WRITE;
/*!40000 ALTER TABLE `recordedartwork` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedartwork` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedcredits`
--
DROP TABLE IF EXISTS `recordedcredits`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedcredits` (
  `person` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `role` set('actor','director','producer','executive_producer','writer','guest_star','host','adapter','presenter','commentator','guest') CHARACTER SET latin1 NOT NULL DEFAULT '',
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`person`,`role`),
  KEY `person` (`person`,`role`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedcredits`
--
LOCK TABLES `recordedcredits` WRITE;
/*!40000 ALTER TABLE `recordedcredits` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedcredits` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedfile`
--
DROP TABLE IF EXISTS `recordedfile`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedfile` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `basename` varchar(128) NOT NULL DEFAULT '',
  `filesize` bigint(20) NOT NULL DEFAULT '0',
  `width` smallint(5) unsigned NOT NULL DEFAULT '0',
  `height` smallint(5) unsigned NOT NULL DEFAULT '0',
  `fps` float(6,3) NOT NULL DEFAULT '0.000',
  `aspect` float(8,6) NOT NULL DEFAULT '0.000000',
  `audio_sample_rate` smallint(5) unsigned NOT NULL DEFAULT '0',
  `audio_bits_per_sample` smallint(5) unsigned NOT NULL DEFAULT '0',
  `audio_channels` tinyint(3) unsigned NOT NULL DEFAULT '0',
  `audio_type` varchar(255) NOT NULL DEFAULT '',
  `video_type` varchar(255) NOT NULL DEFAULT '',
  `comment` varchar(255) NOT NULL DEFAULT '',
  `hostname` varchar(64) NOT NULL,
  `storagegroup` varchar(32) NOT NULL,
  `id` int(11) NOT NULL AUTO_INCREMENT,
  PRIMARY KEY (`id`),
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`basename`),
  KEY `basename` (`basename`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedfile`
--
LOCK TABLES `recordedfile` WRITE;
/*!40000 ALTER TABLE `recordedfile` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedfile` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedmarkup`
--
DROP TABLE IF EXISTS `recordedmarkup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedmarkup` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `mark` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `type` tinyint(4) NOT NULL DEFAULT '0',
  `data` int(11) unsigned DEFAULT NULL,
  PRIMARY KEY (`chanid`,`starttime`,`type`,`mark`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedmarkup`
--
LOCK TABLES `recordedmarkup` WRITE;
/*!40000 ALTER TABLE `recordedmarkup` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedmarkup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedprogram`
--
DROP TABLE IF EXISTS `recordedprogram`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedprogram` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `endtime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `title` varchar(128) NOT NULL DEFAULT '',
  `subtitle` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(16000) NOT NULL DEFAULT '',
  `category` varchar(64) NOT NULL DEFAULT '',
  `category_type` varchar(64) NOT NULL DEFAULT '',
  `airdate` year(4) NOT NULL DEFAULT '0000',
  `stars` float unsigned NOT NULL DEFAULT '0',
  `previouslyshown` tinyint(4) NOT NULL DEFAULT '0',
  `title_pronounce` varchar(128) NOT NULL DEFAULT '',
  `stereo` tinyint(1) NOT NULL DEFAULT '0',
  `subtitled` tinyint(1) NOT NULL DEFAULT '0',
  `hdtv` tinyint(1) NOT NULL DEFAULT '0',
  `closecaptioned` tinyint(1) NOT NULL DEFAULT '0',
  `partnumber` int(11) NOT NULL DEFAULT '0',
  `parttotal` int(11) NOT NULL DEFAULT '0',
  `seriesid` varchar(40) NOT NULL DEFAULT '',
  `originalairdate` date DEFAULT NULL,
  `showtype` varchar(30) NOT NULL DEFAULT '',
  `colorcode` varchar(20) NOT NULL DEFAULT '',
  `syndicatedepisodenumber` varchar(20) NOT NULL DEFAULT '',
  `programid` varchar(40) NOT NULL DEFAULT '',
  `manualid` int(10) unsigned NOT NULL DEFAULT '0',
  `generic` tinyint(1) DEFAULT '0',
  `listingsource` int(11) NOT NULL DEFAULT '0',
  `first` tinyint(1) NOT NULL DEFAULT '0',
  `last` tinyint(1) NOT NULL DEFAULT '0',
  `audioprop` set('STEREO','MONO','SURROUND','DOLBY','HARDHEAR','VISUALIMPAIR') CHARACTER SET latin1 NOT NULL,
  `subtitletypes` set('HARDHEAR','NORMAL','ONSCREEN','SIGNED') CHARACTER SET latin1 NOT NULL,
  `videoprop` set('HDTV','WIDESCREEN','AVC','720','1080','DAMAGED') NOT NULL,
  PRIMARY KEY (`chanid`,`starttime`,`manualid`),
  KEY `endtime` (`endtime`),
  KEY `title` (`title`),
  KEY `title_pronounce` (`title_pronounce`),
  KEY `seriesid` (`seriesid`),
  KEY `programid` (`programid`),
  KEY `id_start_end` (`chanid`,`starttime`,`endtime`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedprogram`
--
LOCK TABLES `recordedprogram` WRITE;
/*!40000 ALTER TABLE `recordedprogram` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedprogram` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedrating`
--
DROP TABLE IF EXISTS `recordedrating`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedrating` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `system` varchar(8) DEFAULT NULL,
  `rating` varchar(16) DEFAULT NULL,
  UNIQUE KEY `chanid` (`chanid`,`starttime`,`system`,`rating`),
  KEY `starttime` (`starttime`,`system`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedrating`
--
LOCK TABLES `recordedrating` WRITE;
/*!40000 ALTER TABLE `recordedrating` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedrating` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordedseek`
--
DROP TABLE IF EXISTS `recordedseek`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordedseek` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `mark` mediumint(8) unsigned NOT NULL DEFAULT '0',
  `offset` bigint(20) unsigned NOT NULL,
  `type` tinyint(4) NOT NULL DEFAULT '0',
  PRIMARY KEY (`chanid`,`starttime`,`type`,`mark`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordedseek`
--
LOCK TABLES `recordedseek` WRITE;
/*!40000 ALTER TABLE `recordedseek` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordedseek` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordfilter`
--
DROP TABLE IF EXISTS `recordfilter`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordfilter` (
  `filterid` int(10) unsigned NOT NULL,
  `description` varchar(64) DEFAULT NULL,
  `clause` varchar(256) DEFAULT NULL,
  `newruledefault` tinyint(1) DEFAULT '0',
  PRIMARY KEY (`filterid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordfilter`
--
LOCK TABLES `recordfilter` WRITE;
/*!40000 ALTER TABLE `recordfilter` DISABLE KEYS */;
INSERT INTO `recordfilter` VALUES (0,'New episode','program.previouslyshown = 0',0),(1,'Identifiable episode','program.generic = 0',0),(2,'First showing','program.first > 0',0),(3,'Prime time','HOUR(program.starttime) >= 19 AND HOUR(program.starttime) < 23',0),(4,'Commercial free','channel.commmethod = -2',0),(5,'High definition','program.hdtv > 0',0),(6,'This episode','(RECTABLE.programid <> \'\' AND program.programid = RECTABLE.programid) OR (RECTABLE.programid = \'\' AND program.subtitle = RECTABLE.subtitle AND program.description = RECTABLE.description)',0),(7,'This series','(RECTABLE.seriesid <> \'\' AND program.seriesid = RECTABLE.seriesid)',0);
/*!40000 ALTER TABLE `recordfilter` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordingprofiles`
--
DROP TABLE IF EXISTS `recordingprofiles`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordingprofiles` (
  `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) DEFAULT NULL,
  `videocodec` varchar(128) DEFAULT NULL,
  `audiocodec` varchar(128) DEFAULT NULL,
  `profilegroup` int(10) unsigned NOT NULL DEFAULT '0',
  PRIMARY KEY (`id`),
  KEY `profilegroup` (`profilegroup`)
) ENGINE=MyISAM AUTO_INCREMENT=70 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordingprofiles`
--
LOCK TABLES `recordingprofiles` WRITE;
/*!40000 ALTER TABLE `recordingprofiles` DISABLE KEYS */;
INSERT INTO `recordingprofiles` VALUES (1,'Default',NULL,NULL,1),(2,'Live TV',NULL,NULL,1),(3,'High Quality',NULL,NULL,1),(4,'Low Quality',NULL,NULL,1),(5,'Default',NULL,NULL,2),(6,'Live TV',NULL,NULL,2),(7,'High Quality',NULL,NULL,2),(8,'Low Quality',NULL,NULL,2),(9,'Default',NULL,NULL,3),(10,'Live TV',NULL,NULL,3),(11,'High Quality',NULL,NULL,3),(12,'Low Quality',NULL,NULL,3),(13,'Default',NULL,NULL,4),(14,'Live TV',NULL,NULL,4),(15,'High Quality',NULL,NULL,4),(16,'Low Quality',NULL,NULL,4),(17,'Default',NULL,NULL,5),(18,'Live TV',NULL,NULL,5),(19,'High Quality',NULL,NULL,5),(20,'Low Quality',NULL,NULL,5),(21,'RTjpeg/MPEG4',NULL,NULL,6),(22,'MPEG2',NULL,NULL,6),(23,'Default',NULL,NULL,8),(24,'Live TV',NULL,NULL,8),(25,'High Quality',NULL,NULL,8),(26,'Low Quality',NULL,NULL,8),(27,'High Quality',NULL,NULL,6),(28,'Medium Quality',NULL,NULL,6),(29,'Low Quality',NULL,NULL,6),(30,'Default',NULL,NULL,10),(31,'Live TV',NULL,NULL,10),(32,'High Quality',NULL,NULL,10),(33,'Low Quality',NULL,NULL,10),(34,'Default',NULL,NULL,11),(35,'Live TV',NULL,NULL,11),(36,'High Quality',NULL,NULL,11),(37,'Low Quality',NULL,NULL,11),(38,'Default',NULL,NULL,12),(39,'Live TV',NULL,NULL,12),(40,'High Quality',NULL,NULL,12),(41,'Low Quality',NULL,NULL,12),(42,'Default',NULL,NULL,7),(43,'Live TV',NULL,NULL,7),(44,'High Quality',NULL,NULL,7),(45,'Low Quality',NULL,NULL,7),(46,'Default',NULL,NULL,9),(47,'Live TV',NULL,NULL,9),(48,'High Quality',NULL,NULL,9),(49,'Low Quality',NULL,NULL,9),(50,'Default',NULL,NULL,13),(51,'Live TV',NULL,NULL,13),(52,'High Quality',NULL,NULL,13),(53,'Low Quality',NULL,NULL,13),(54,'Default',NULL,NULL,14),(55,'Live TV',NULL,NULL,14),(56,'High Quality',NULL,NULL,14),(57,'Low Quality',NULL,NULL,14),(58,'Default',NULL,NULL,15),(59,'Live TV',NULL,NULL,15),(60,'High Quality',NULL,NULL,15),(61,'Low Quality',NULL,NULL,15),(62,'Default',NULL,NULL,16),(63,'Live TV',NULL,NULL,16),(64,'High Quality',NULL,NULL,16),(65,'Low Quality',NULL,NULL,16),(66,'Default',NULL,NULL,17),(67,'Live TV',NULL,NULL,17),(68,'High Quality',NULL,NULL,17),(69,'Low Quality',NULL,NULL,17);
/*!40000 ALTER TABLE `recordingprofiles` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `recordmatch`
--
DROP TABLE IF EXISTS `recordmatch`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `recordmatch` (
  `recordid` int(10) unsigned NOT NULL,
  `chanid` int(10) unsigned NOT NULL,
  `starttime` datetime NOT NULL,
  `manualid` int(10) unsigned NOT NULL,
  `oldrecduplicate` tinyint(1) DEFAULT NULL,
  `recduplicate` tinyint(1) DEFAULT NULL,
  `findduplicate` tinyint(1) DEFAULT NULL,
  `oldrecstatus` int(11) DEFAULT NULL,
  UNIQUE KEY `recordid` (`recordid`,`chanid`,`starttime`),
  KEY `chanid` (`chanid`,`starttime`,`manualid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `recordmatch`
--
LOCK TABLES `recordmatch` WRITE;
/*!40000 ALTER TABLE `recordmatch` DISABLE KEYS */;
/*!40000 ALTER TABLE `recordmatch` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `romdb`
--
DROP TABLE IF EXISTS `romdb`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `romdb` (
  `crc` varchar(64) NOT NULL DEFAULT '',
  `name` varchar(128) NOT NULL DEFAULT '',
  `description` varchar(128) NOT NULL DEFAULT '',
  `category` varchar(128) NOT NULL DEFAULT '',
  `year` varchar(10) NOT NULL DEFAULT '',
  `manufacturer` varchar(128) NOT NULL DEFAULT '',
  `country` varchar(128) NOT NULL DEFAULT '',
  `publisher` varchar(128) NOT NULL DEFAULT '',
  `platform` varchar(64) NOT NULL DEFAULT '',
  `filesize` int(12) DEFAULT NULL,
  `flags` varchar(64) NOT NULL DEFAULT '',
  `version` varchar(64) NOT NULL DEFAULT '',
  `binfile` varchar(64) NOT NULL DEFAULT '',
  KEY `crc` (`crc`),
  KEY `year` (`year`),
  KEY `category` (`category`),
  KEY `name` (`name`),
  KEY `description` (`description`),
  KEY `platform` (`platform`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `romdb`
--
LOCK TABLES `romdb` WRITE;
/*!40000 ALTER TABLE `romdb` DISABLE KEYS */;
/*!40000 ALTER TABLE `romdb` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `schemalock`
--
DROP TABLE IF EXISTS `schemalock`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `schemalock` (
  `schemalock` int(1) DEFAULT NULL
) ENGINE=MyISAM DEFAULT CHARSET=latin1;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `schemalock`
--
LOCK TABLES `schemalock` WRITE;
/*!40000 ALTER TABLE `schemalock` DISABLE KEYS */;
/*!40000 ALTER TABLE `schemalock` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `settings`
--
DROP TABLE IF EXISTS `settings`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `settings` (
  `value` varchar(128) NOT NULL DEFAULT '',
  `data` varchar(16000) NOT NULL DEFAULT '',
  `hostname` varchar(64) DEFAULT NULL,
  KEY `value` (`value`,`hostname`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `settings`
--
LOCK TABLES `settings` WRITE;
/*!40000 ALTER TABLE `settings` DISABLE KEYS */;
INSERT INTO `settings` VALUES ('mythfilldatabaseLastRunStart','',NULL),('mythfilldatabaseLastRunEnd','',NULL),('mythfilldatabaseLastRunStatus','',NULL),('DataDirectMessage','',NULL),('HaveRepeats','0',NULL),('DBSchemaVer','1299',NULL),('DefaultTranscoder','0',NULL),('MythFillSuggestedRunTime','1970-01-01T00:00:00',NULL),('MythFillGrabberSuggestsTime','1',NULL),('MythFillFixProgramIDsHasRunOnce','1','apheleia'),('Language','EN_US','apheleia'),('BackendServerIP','127.0.0.1','apheleia'),('BackendServerPort','6543','apheleia'),('BackendStatusPort','6544','apheleia'),('SecurityPin','','apheleia'),('MasterServerIP','127.0.0.1',NULL),('MasterServerPort','6543',NULL),('TVFormat','NTSC',NULL),('VbiFormat','None',NULL),('FreqTable','us-bcast',NULL),('TimeOffset','None',NULL),('MasterBackendOverride','1',NULL),('DeletesFollowLinks','1',NULL),('TruncateDeletesSlowly','0','apheleia'),('HDRingbufferSize','9400',NULL),('MiscStatusScript','','apheleia'),('DisableFirewireReset','0','apheleia'),('EITTransportTimeout','5',NULL),('EITIgnoresSource','0',NULL),('EITCrawIdleStart','60',NULL),('startupCommand','',NULL),('blockSDWUwithoutClient','1',NULL),('idleWaitForRecordingTime','15',NULL),('StartupSecsBeforeRecording','120',NULL),('WakeupTimeFormat','hh:mm yyyy-MM-dd',NULL),('SetWakeuptimeCommand','',NULL),('ServerHaltCommand','sudo /sbin/halt -p',NULL),('preSDWUCheckCommand','',NULL),('WOLbackendConnectRetry','5',NULL),('WOLbackendCommand','',NULL),('WOLslaveBackendsCommand','',NULL),('JobQueueMaxSimultaneousJobs','1','apheleia'),('JobQueueCheckFrequency','60','apheleia'),('JobQueueWindowStart','00:00','apheleia'),('JobQueueWindowEnd','23:59','apheleia'),('JobQueueCPU','0','apheleia'),('JobAllowCommFlag','1','apheleia'),('JobAllowTranscode','1','apheleia'),('JobAllowUserJob1','0','apheleia'),('JobAllowUserJob2','0','apheleia'),('JobAllowUserJob3','0','apheleia'),('JobAllowUserJob4','0','apheleia'),('JobsRunOnRecordHost','0',NULL),('AutoCommflagWhileRecording','0',NULL),('JobQueueCommFlagCommand','mythcommflag',NULL),('JobQueueTranscodeCommand','mythtranscode',NULL),('AutoTranscodeBeforeAutoCommflag','0',NULL),('SaveTranscoding','0',NULL),('UserJobDesc1','User Job #1',NULL),('UserJob1','',NULL),('UserJobDesc2','User Job #2',NULL),('UserJob2','',NULL),('UserJobDesc3','User Job #3',NULL),('UserJob3','',NULL),('UserJobDesc4','User Job #4',NULL),('UserJob4','',NULL),('DefaultVideoPlaybackProfile','Normal','apheleia'),('RealtimePriority','1','apheleia'),('DecodeExtraAudio','1','apheleia'),('AudioNag','1','apheleia'),('UseVideoTimebase','0','apheleia'),('ClearSavedPosition','1','apheleia'),('AltClearSavedPosition','1','apheleia'),('JumpToProgramOSD','1','apheleia'),('ContinueEmbeddedTVPlay','0','apheleia'),('AutomaticSetWatched','0','apheleia'),('AlwaysStreamFiles','1','apheleia'),('UseOpenGLVSync','0','apheleia'),('UseOutputPictureControls','1','apheleia'),('AspectOverride','0','apheleia'),('AdjustFill','0','apheleia'),('LetterboxColour','0','apheleia'),('PIPLocation','0','apheleia'),('PlaybackExitPrompt','2','apheleia'),('EndOfRecordingExitPrompt','1','apheleia'),('PlayBoxOrdering','1','apheleia'),('PlayBoxEpisodeSort','Date','apheleia'),('GeneratePreviewPixmaps','0','apheleia'),('PreviewPixmapOffset','64',NULL),('PreviewFromBookmark','1','apheleia'),('PlaybackPreview','1','apheleia'),('PlaybackBoxStartInTitle','1','apheleia'),('ShowGroupInfo','0','apheleia'),('DisplayRecGroup','All Programs','apheleia'),('QueryInitialFilter','0','apheleia'),('RememberRecGroup','1','apheleia'),('DispRecGroupAsAllProg','0','apheleia'),('LiveTVInAllPrograms','0','apheleia'),('DisplayGroupDefaultView','0','apheleia'),('DisplayGroupTitleSort','0','apheleia'),('PlaybackWatchList','1','apheleia'),('PlaybackWLStart','0','apheleia'),('PlaybackWLAutoExpire','0','apheleia'),('PlaybackWLMaxAge','60','apheleia'),('PlaybackWLBlackOut','2','apheleia'),('SmartForward','0','apheleia'),('StickyKeys','0','apheleia'),('FFRewReposTime','100','apheleia'),('FFRewReverse','1','apheleia'),('ExactSeeking','0','apheleia'),('AutoCommercialSkip','0','apheleia'),('MaximumCommercialSkip','3600',NULL),('CommSkipAllBlanks','1',NULL),('PVR350OutputEnable','0','apheleia'),('PVR350EPGAlphaValue','164','apheleia'),('PVR350InternalAudioOnly','0','apheleia'),('OSDTheme','blueosd','apheleia'),('OSDGeneralTimeout','2','apheleia'),('OSDProgramInfoTimeout','3','apheleia'),('OSDFont','FreeMono.ttf','apheleia'),('OSDThemeFontSizeType','default','apheleia'),('EnableMHEG','0','apheleia'),('PersistentBrowseMode','1','apheleia'),('OSDNotifyTimeout','5','apheleia'),('UDPNotifyPort','6948','apheleia'),('OSDCCFont','FreeMono.ttf','apheleia'),('CCBackground','0','apheleia'),('DefaultCCMode','0','apheleia'),('Prefer708Captions','1','apheleia'),('OSDCC708TextZoom','100','apheleia'),('OSDCC708DefaultFontType','MonoSerif','apheleia'),('OSDCC708MonoSerifFont','FreeMono.ttf','apheleia'),('OSDCC708PropSerifFont','FreeMono.ttf','apheleia'),('OSDCC708MonoSansSerifFont','FreeMono.ttf','apheleia'),('OSDCC708PropSansSerifFont','FreeMono.ttf','apheleia'),('OSDCC708CasualFont','FreeMono.ttf','apheleia'),('OSDCC708CursiveFont','FreeMono.ttf','apheleia'),('OSDCC708CapitalsFont','FreeMono.ttf','apheleia'),('OSDCC708MonoSerifItalicFont','FreeMono.ttf','apheleia'),('OSDCC708PropSerifItalicFont','FreeMono.ttf','apheleia'),('OSDCC708MonoSansSerifItalicFont','FreeMono.ttf','apheleia'),('OSDCC708PropSansSerifItalicFont','FreeMono.ttf','apheleia'),('OSDCC708CasualItalicFont','FreeMono.ttf','apheleia'),('OSDCC708CursiveItalicFont','FreeMono.ttf','apheleia'),('OSDCC708CapitalsItalicFont','FreeMono.ttf','apheleia'),('ChannelOrdering','channum','apheleia'),('ChannelFormat','<num> <sign>','apheleia'),('LongChannelFormat','<num> <name>','apheleia'),('SmartChannelChange','0','apheleia'),('LastFreeCard','0',NULL),('LiveTVPriority','0',NULL),('AutoExpireMethod','2',NULL),('AutoExpireDefault','1',NULL),('RerecordWatched','1',NULL),('AutoExpireWatchedPriority','0',NULL),('AutoExpireLiveTVMaxAge','1',NULL),('AutoExpireDayPriority','3',NULL),('AutoExpireExtraSpace','1',NULL),('AutoExpireInsteadOfDelete','0',NULL),('DeletedFifoOrder','0',NULL),('CommercialSkipMethod','7',NULL),('AggressiveCommDetect','1',NULL),('AutoCommercialFlag','1',NULL),('AutoTranscode','0',NULL),('AutoRunUserJob1','0',NULL),('AutoRunUserJob2','0',NULL),('AutoRunUserJob3','0',NULL),('AutoRunUserJob4','0',NULL),('OverTimeCategory','category name',NULL),('CategoryOverTime','30',NULL),('EPGFillType','12','apheleia'),('EPGShowCategoryColors','1','apheleia'),('EPGShowCategoryText','1','apheleia'),('EPGScrollType','1','apheleia'),('EPGShowChannelIcon','1','apheleia'),('EPGShowFavorites','0','apheleia'),('WatchTVGuide','0','apheleia'),('chanPerPage','5','apheleia'),('timePerPage','4','apheleia'),('UnknownTitle','Unknown','apheleia'),('UnknownCategory','Unknown','apheleia'),('DefaultTVChannel','3','apheleia'),('SelectChangesChannel','0','apheleia'),('SelChangeRecThreshold','16','apheleia'),('EPGEnableJumpToChannel','0',NULL),('Theme','LinHES','apheleia'),('RandomTheme','0','apheleia'),('ThemeCacheSize','1','apheleia'),('ThemePainter','qt','apheleia'),('Style','Desktop Style','apheleia'),('ThemeFontSizeType','default','apheleia'),('MenuTheme','default','apheleia'),('XineramaScreen','0','apheleia'),('XineramaMonitorAspectRatio','1.3333','apheleia'),('GuiSizeForTV','1','apheleia'),('HideMouseCursor','1','apheleia'),('RunFrontendInWindow','0','apheleia'),('UseVideoModes','0','apheleia'),('GuiVidModeResolution','640x480','apheleia'),('TVVidModeResolution','320x200','apheleia'),('TVVidModeForceAspect','0.0','apheleia'),('TVVidModeResolution0','320x200','apheleia'),('TVVidModeForceAspect0','0.0','apheleia'),('TVVidModeResolution1','320x200','apheleia'),('TVVidModeForceAspect1','0.0','apheleia'),('TVVidModeResolution2','320x200','apheleia'),('TVVidModeForceAspect2','0.0','apheleia'),('ISO639Language0','eng',NULL),('ISO639Language1','eng',NULL),('DateFormat','ddd MMM d','apheleia'),('ShortDateFormat','M/d','apheleia'),('TimeFormat','h:mm AP','apheleia'),('QtFontSmall','12','apheleia'),('QtFontMedium','16','apheleia'),('QtFontBig','25','apheleia'),('PlayBoxTransparency','1','apheleia'),('PlayBoxShading','0','apheleia'),('UseVirtualKeyboard','1','apheleia'),('LCDEnable','0','apheleia'),('LCDShowTime','1','apheleia'),('LCDShowMenu','1','apheleia'),('LCDShowMusic','1','apheleia'),('LCDShowMusicItems','ArtistTitle','apheleia'),('LCDShowChannel','1','apheleia'),('LCDShowRecStatus','0','apheleia'),('LCDShowVolume','1','apheleia'),('LCDShowGeneric','1','apheleia'),('LCDBacklightOn','1','apheleia'),('LCDHeartBeatOn','0','apheleia'),('LCDBigClock','0','apheleia'),('LCDKeyString','ABCDEF','apheleia'),('LCDPopupTime','5','apheleia'),('AudioOutputDevice','ALSA:default','apheleia'),('PassThruOutputDevice','Default','apheleia'),('MaxChannels','2','apheleia'),('AudioUpmixType','0','apheleia'),('AC3PassThru','0','apheleia'),('DTSPassThru','0','apheleia'),('AggressiveSoundcardBuffer','0','apheleia'),('MythControlsVolume','1','apheleia'),('MixerDevice','ALSA:default','apheleia'),('MixerControl','PCM','apheleia'),('MasterMixerVolume','100','apheleia'),('PCMMixerVolume','50','apheleia'),('IndividualMuteControl','0','apheleia'),('LircKeyPressedApp','','apheleia'),('AllowQuitShutdown','4','apheleia'),('NoPromptOnExit','1','apheleia'),('UseArrowAccels','1','apheleia'),('NetworkControlEnabled','0','apheleia'),('NetworkControlPort','6546','apheleia'),('MonitorDrives','0','apheleia'),('MediaChangeEvents','0','apheleia'),('IgnoreDevices','','apheleia'),('SetupPinCodeRequired','0','apheleia'),('OverrideExitMenu','3','apheleia'),('HaltCommand','sudo /sbin/halt','apheleia'),('RebootCommand','sudo /sbin/reboot','apheleia'),('EnableXbox','0','apheleia'),('LogEnabled','0',NULL),('LogMaxCount','100','apheleia'),('LogPrintLevel','8','apheleia'),('LogCleanEnabled','0','apheleia'),('LogCleanPeriod','14','apheleia'),('LogCleanDays','14','apheleia'),('LogCleanMax','30','apheleia'),('MythFillEnabled','1',NULL),('MythFillDatabasePath','mythfilldatabase',NULL),('MythFillDatabaseArgs','',NULL),('MythFillDatabaseLog','',NULL),('MythFillPeriod','1',NULL),('MythFillMinHour','2',NULL),('MythFillMaxHour','5',NULL),('SchedMoveHigher','1',NULL),('SchedOpenEnd','0',NULL),('ComplexPriority','0',NULL),('PrefInputPriority','2',NULL),('SingleRecordRecPriority','1',NULL),('FindOneRecordRecPriority','-1',NULL),('ArchiveDBSchemaVer','1005',NULL),('MythArchiveTempDir','/myth/tmp','apheleia'),('MythArchiveShareDir','/usr/share/mythtv/mytharchive/','apheleia'),('MythArchiveVideoFormat','NTSC','apheleia'),('MythArchiveFileFilter','*.mpg *.mov *.avi *.mpeg *.nuv','apheleia'),('MythArchiveDVDLocation','/dev/dvd','apheleia'),('MythArchiveDVDPlayerCmd','Internal','apheleia'),('MythArchiveEncodeToAc3','0','apheleia'),('MythArchiveCopyRemoteFiles','0','apheleia'),('MythArchiveAlwaysUseMythTranscode','1','apheleia'),('MythArchiveUseProjectX','0','apheleia'),('MythArchiveAddSubtitles','0','apheleia'),('MythArchiveUseFIFO','1','apheleia'),('MythArchiveDefaultEncProfile','SP','apheleia'),('MythArchiveMainMenuAR','16:9','apheleia'),('MythArchiveChapterMenuAR','Video','apheleia'),('MythArchiveDateFormat','%a  %b  %d','apheleia'),('MythArchiveTimeFormat','%I:%M %p','apheleia'),('MythArchiveFfmpegCmd','ffmpeg','apheleia'),('MythArchiveMplexCmd','mplex','apheleia'),('MythArchiveDvdauthorCmd','dvdauthor','apheleia'),('MythArchiveSpumuxCmd','spumux','apheleia'),('MythArchiveMpeg2encCmd','mpeg2enc','apheleia'),('MythArchiveMkisofsCmd','mkisofs','apheleia'),('MythArchiveGrowisofsCmd','growisofs','apheleia'),('MythArchiveTcrequantCmd','tcrequant','apheleia'),('MythArchiveJpeg2yuvCmd','jpeg2yuv','apheleia'),('MythArchiveProjectXCmd','projectx','apheleia'),('FlixDBSchemaVer','1004',NULL),('GalleryDBSchemaVer','1003',NULL),('GalleryDir','/myth/gallery','apheleia'),('GalleryThumbnailLocation','1','apheleia'),('GallerySortOrder','20','apheleia'),('GalleryImportDirs','/mnt/cdrom:/mnt/camera','apheleia'),('GalleryMoviePlayerCmd','Internal','apheleia'),('SlideshowUseOpenGL','0','apheleia'),('SlideshowDelay','5','apheleia'),('SlideshowOpenGLTransition','none','apheleia'),('SlideshowOpenGLTransitionLength','2000','apheleia'),('SlideshowTransition','random','apheleia'),('SlideshowBackground','black','apheleia'),('GameDBSchemaVer','1018',NULL),('MusicDBSchemaVer','1019',NULL),('VisualMode','','apheleia'),('MusicLocation','/myth/music/','apheleia'),('MusicAudioDevice','default','apheleia'),('CDDevice','/dev/cdrom','apheleia'),('AutoLookupCD','1','apheleia'),('AutoPlayCD','0','apheleia'),('KeyboardAccelerators','1','apheleia'),('TreeLevels','splitartist artist album title','apheleia'),('ArtistTreeGroups','0','apheleia'),('NonID3FileNameFormat','GENRE/ARTIST/ALBUM/TRACK_TITLE','apheleia'),('Ignore_ID3','0','apheleia'),('MusicTagEncoding','utf16','apheleia'),('CDWriterEnabled','1','apheleia'),('CDDiskSize','1','apheleia'),('CDCreateDir','1','apheleia'),('CDWriteSpeed','0','apheleia'),('CDBlankType','fast','apheleia'),('PlayMode','none','apheleia'),('ResumeMode','off','apheleia'),('MaxSearchResults','300','apheleia'),('MusicShowRatings','0','apheleia'),('ShowWholeTree','0','apheleia'),('ListAsShuffled','0','apheleia'),('IntelliRatingWeight','35','apheleia'),('IntelliPlayCountWeight','25','apheleia'),('IntelliLastPlayWeight','25','apheleia'),('IntelliRandomWeight','15','apheleia'),('VisualCycleOnSongChange','0','apheleia'),('VisualAlbumArtOnSongChange','0','apheleia'),('VisualRandomize','0','apheleia'),('VisualModeDelay','0','apheleia'),('VisualScaleWidth','1','apheleia'),('VisualScaleHeight','1','apheleia'),('ParanoiaLevel','Full','apheleia'),('FilenameTemplate','ARTIST/ALBUM/TRACK-TITLE','apheleia'),('NoWhitespace','0','apheleia'),('PostCDRipScript','','apheleia'),('EjectCDAfterRipping','1','apheleia'),('EncoderType','ogg','apheleia'),('DefaultRipQuality','1','apheleia'),('Mp3UseVBR','0','apheleia'),('PhoneDBSchemaVer','1001',NULL),('SipRegisterWithProxy','1','apheleia'),('SipProxyName','fwd.pulver.com','apheleia'),('SipProxyAuthName','','apheleia'),('SipProxyAuthPassword','','apheleia'),('MySipName','Me','apheleia'),('SipAutoanswer','0','apheleia'),('SipBindInterface','eth0','apheleia'),('SipLocalPort','5060','apheleia'),('NatTraversalMethod','None','apheleia'),('NatIpAddress','http://checkip.dyndns.org','apheleia'),('AudioLocalPort','21232','apheleia'),('VideoLocalPort','21234','apheleia'),('MicrophoneDevice','None','apheleia'),('CodecPriorityList','GSM;G.711u;G.711a','apheleia'),('PlayoutAudioCall','40','apheleia'),('PlayoutVideoCall','110','apheleia'),('TxResolution','176x144','apheleia'),('TransmitFPS','5','apheleia'),('TransmitBandwidth','256','apheleia'),('CaptureResolution','352x288','apheleia'),('TimeToAnswer','10','apheleia'),('DefaultVxmlUrl','http://127.0.0.1/vxml/index.vxml','apheleia'),('DefaultVoicemailPrompt','I am not at home, please leave a message after the tone','apheleia'),('BackendServerIP6','::1','apheleia'),('VideoStartupDir','/myth/video','apheleia'),('VideoArtworkDir','/myth/video_stuff/coverart','apheleia'),('Default MythVideo View','2','apheleia'),('VideoListUnknownFiletypes','1','apheleia'),('VideoBrowserNoDB','1','apheleia'),('VideoGalleryNoDB','1','apheleia'),('VideoTreeNoDB','1','apheleia'),('VideoTreeLoadMetaData','1','apheleia'),('VideoNewBrowsable','1','apheleia'),('mythvideo.sort_ignores_case','1','apheleia'),('mythvideo.db_folder_view','1','apheleia'),('mythvideo.VideoTreeRemember','1','apheleia'),('mythvideo.ImageCacheSize','50','apheleia'),('DVDDeviceLocation','/dev/dvd','apheleia'),('VCDDeviceLocation','/dev/cdrom','apheleia'),('DVDOnInsertDVD','1','apheleia'),('DVDDriveSpeed','2','apheleia'),('EnableDVDBookmark','1','apheleia'),('DVDBookmarkPrompt','1','apheleia'),('DVDBookmarkDays','10','apheleia'),('mythvideo.fanartDir','/myth/video_stuff/fanart','apheleia'),('mythvideo.screenshotDir','/myth/video_stuff/screenshots','apheleia'),('mythvideo.bannerDir','/myth/video_stuff/banners','apheleia'),('VideoGalleryColsPerPage','4','apheleia'),('VideoGalleryRowsPerPage','3','apheleia'),('VideoGallerySubtitle','1','apheleia'),('VideoDefaultParentalLevel','4','apheleia'),('VideoAggressivePC','0','apheleia'),('mythvideo.ParentalLevelFromRating','0','apheleia'),('mythvideo.AutoR2PL1','G','apheleia'),('mythvideo.AutoR2PL2','PG','apheleia'),('mythvideo.AutoR2PL3','PG-13','apheleia'),('mythvideo.AutoR2PL4','R:NC-17','apheleia'),('VideoDefaultPlayer','Internal','apheleia'),('mythdvd.DVDPlayerCommand','Internal','apheleia'),('VCDPlayerCommand','mplayer vcd:// -cdrom-device %d -fs -zoom -vo xv','apheleia'),('DVDRipLocation','/myth/tmp','apheleia'),('TitlePlayCommand','Internal','apheleia'),('SubTitleCommand','-sid %s','apheleia'),('TranscodeCommand','transcode','apheleia'),('MTDPort','2442','apheleia'),('MTDNiceLevel','20','apheleia'),('MTDConcurrentTranscodes','1','apheleia'),('MTDLogFlag','0','apheleia'),('MTDac3Flag','0','apheleia'),('MTDxvidFlag','1','apheleia'),('mythvideo.TrustTranscodeFRDetect','1','apheleia'),('WeatherDBSchemaVer','1006',NULL),('TVVidModeRefreshRate','0','apheleia'),('TVVidModeRefreshRate0','0','apheleia'),('TVVidModeRefreshRate1','0','apheleia'),('TVVidModeRefreshRate2','0','apheleia'),('GalleryRecursiveSlideshow','1','apheleia'),('WebBrowserZoomLevel','20','apheleia'),('WebBrowserCommand','Internal','apheleia'),('WebBrowserScrollMode','1','apheleia'),('WebBrowserScrollSpeed','4','apheleia'),('WebBrowserHideScrollbars','0','apheleia'),('RepeatMode','all','apheleia'),('MusicAutoShowPlayer','1','apheleia'),('NetworkControlEnabled','1','apheleia'),('NetworkControlEnabled','1','apheleia'),('WOLbackendReconnectWaitTime','5',NULL),('BackupDBLastRunStart','2012-04-22 14:27:05',NULL),('BackupDBLastRunEnd','2012-04-22 14:27:05',NULL),('StorageScheduler','Combination',NULL),('DisableAutomaticBackup','0',NULL),('BackendStopCommand','sudo sv stop mythbackend',NULL),('BackendStartCommand','sudo sv start mythbackend',NULL),('UPnP/WMPSource','0',NULL),('UPnP/RebuildDelay','30','apheleia'),('GeneratePreviewRemotely','0','apheleia'),('HWAccelPlaybackPreview','0','apheleia'),('BrowseAllTuners','0','apheleia'),('SubtitleCodec','UTF-8','apheleia'),('ChannelGroupRememberLast','0','apheleia'),('ChannelGroupDefault','-1','apheleia'),('BrowseChannelGroup','0','apheleia'),('UseFixedWindowSize','1','apheleia'),('ScreenShotPath','/myth/video_stuff/screenshots','apheleia'),('LircSocket','/var/run/lirc/lircd','apheleia'),('BrowserDBSchemaVer','1002',NULL),('CDWriterDevice','default','apheleia'),('MusicExitAction','prompt','apheleia'),('mythvideo.db_group_view','1','apheleia'),('mythvideo.db_group_type','0','apheleia'),('MovieListCommandLine','/usr/share/mythtv/mythvideo/scripts/tmdb.pl -M','apheleia'),('MoviePosterCommandLine','/usr/share/mythtv/mythvideo/scripts/tmdb.pl -P','apheleia'),('MovieFanartCommandLine','/usr/share/mythtv/mythvideo/scripts/tmdb.pl -B','apheleia'),('MovieDataCommandLine','/usr/share/mythtv/mythvideo/scripts/tmdb.pl -D','apheleia'),('mythvideo.TrailersDir','/myth/video_stuff/trailers','apheleia'),('mythvideo.TrailersRandomEnabled','1','apheleia'),('mythvideo.TrailersRandomCount','3','apheleia'),('mythvideo.TVListCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -M','apheleia'),('mythvideo.TVPosterCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -P','apheleia'),('mythvideo.TVFanartCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -F','apheleia'),('mythvideo.TVBannerCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -B','apheleia'),('mythvideo.TVDataCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -D','apheleia'),('mythvideo.TVTitleSubCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -N','apheleia'),('mythvideo.TVScreenshotCommandLine','/usr/share/mythtv/mythvideo/scripts/ttvdb.py -S','apheleia'),('mythvideo.EnableAlternatePlayer','1','apheleia'),('mythvideo.VideoAlternatePlayer','mplayer -fs -zoom -quiet -vo xv %s','apheleia'),('AudioDefaultUpmix','1','apheleia'),('AdvancedAudioSettings','0','apheleia'),('SRCQualityOverride','0','apheleia'),('SRCQuality','1','apheleia'),('MusicDefaultUpmix','0','apheleia'),('Country','US','apheleia'),('OSDSubFont','FreeSans','apheleia'),('CommFlagFast','0',NULL),('MultiChannelPCM','0','apheleia'),('Audio48kOverride','0','apheleia'),('PassThruDeviceOverride','0','apheleia'),('MythArchiveM2VRequantiserCmd','M2VRequantiser','apheleia'),('Country','US','apheleia'),('DateFormat','ddd MMM d yyyy','apheleia'),('Language','en_US','apheleia'),('MythArchiveDateFormat','%a %b %d %Y','apheleia'),('MythArchiveTimeFormat','%I:%M %p','apheleia'),('MythArchiveVideoFormat','NTSC','apheleia'),('ShortDateFormat','M/d','apheleia'),('TimeFormat','h:mm AP','apheleia'),('RealtimePriority','1','apheleia'),('DecodeExtraAudio','1','apheleia'),('JumpToProgramOSD','1','apheleia'),('ClearSavedPosition','1','apheleia'),('AltClearSavedPosition','1','apheleia'),('AutomaticSetWatched','0','apheleia'),('ContinueEmbeddedTVPlay','0','apheleia'),('AspectOverride','0','apheleia'),('AdjustFill','0','apheleia'),('LetterboxColour','0','apheleia'),('PIPLocation','0','apheleia'),('PlaybackExitPrompt','0','apheleia'),('EndOfRecordingExitPrompt','0','apheleia'),('PlayBoxOrdering','1','apheleia'),('PlayBoxEpisodeSort','Date','apheleia'),('PlaybackBoxStartInTitle','1','apheleia'),('DisplayRecGroup','All Programs','apheleia'),('QueryInitialFilter','0','apheleia'),('RememberRecGroup','1','apheleia'),('DispRecGroupAsAllProg','0','apheleia'),('DisplayGroupTitleSort','0','apheleia'),('PlaybackWatchList','1','apheleia'),('PlaybackWLStart','0','apheleia'),('PlaybackWLAutoExpire','0','apheleia'),('PlaybackWLMaxAge','60','apheleia'),('PlaybackWLBlackOut','2','apheleia'),('SmartForward','0','apheleia'),('FFRewReposTime','100','apheleia'),('FFRewReverse','1','apheleia'),('ExactSeeking','0','apheleia'),('AutoCommercialSkip','0','apheleia'),('EnableMHEG','0','apheleia'),('PersistentBrowseMode','1','apheleia'),('BrowseAllTuners','0','apheleia'),('CCBackground','0','apheleia'),('DefaultCCMode','0','apheleia'),('Prefer708Captions','1','apheleia'),('DefaultSubtitleFont','FreeMono','apheleia'),('OSDCC708TextZoom','100','apheleia'),('SubtitleCodec','UTF-8','apheleia'),('ChannelOrdering','channum','apheleia'),('ChannelFormat','<num> <sign>','apheleia'),('LongChannelFormat','<num> <name>','apheleia'),('AutoMetadataLookup','1',NULL),('ChannelGroupRememberLast','0','apheleia'),('ChannelGroupDefault','-1','apheleia'),('BrowseChannelGroup','0','apheleia'),('WatchTVGuide','0','apheleia'),('DefaultTVChannel','3','apheleia'),('SelChangeRecThreshold','16','apheleia'),('ThemePainter','qt','apheleia'),('MenuTheme','defaultmenu','apheleia'),('GuiSizeForTV','1','apheleia'),('HideMouseCursor','0','apheleia'),('RunFrontendInWindow','0','apheleia'),('UseFixedWindowSize','1','apheleia'),('UseVideoModes','0','apheleia'),('GuiVidModeResolution','640x480','apheleia'),('TVVidModeResolution','320x200','apheleia'),('TVVidModeForceAspect','0.0','apheleia'),('TVVidModeResolution0','320x200','apheleia'),('TVVidModeForceAspect0','0.0','apheleia'),('TVVidModeResolution1','320x200','apheleia'),('TVVidModeForceAspect1','0.0','apheleia'),('TVVidModeResolution2','320x200','apheleia'),('TVVidModeForceAspect2','0.0','apheleia'),('LCDEnable','0','apheleia'),('LCDShowTime','1','apheleia'),('LCDShowMenu','1','apheleia'),('LCDShowMusic','1','apheleia'),('LCDShowMusicItems','ArtistTitle','apheleia'),('LCDShowChannel','1','apheleia'),('LCDShowRecStatus','0','apheleia'),('LCDShowVolume','1','apheleia'),('LCDShowGeneric','1','apheleia'),('LCDBacklightOn','1','apheleia'),('LCDHeartBeatOn','0','apheleia'),('LCDBigClock','0','apheleia'),('LCDKeyString','ABCDEF','apheleia'),('LCDPopupTime','5','apheleia'),('SetupPinCodeRequired','0','apheleia'),('UseVirtualKeyboard','1','apheleia'),('ScreenShotPath','/tmp/','apheleia'),('MonitorDrives','0','apheleia'),('FrontendIdleTimeout','90','apheleia'),('OverrideExitMenu','0','apheleia'),('LircSocket','/var/run/lirc/lircd','apheleia'),('NetworkControlEnabled','0','apheleia'),('NetworkControlPort','6546','apheleia'),('UDPNotifyPort','6948','apheleia'),('VideoStartupDir','/share/Movies/dvd','apheleia'),('mythvideo.TrailersDir','/home/mythtv/.mythtv/Video/Trailers','apheleia'),('VideoArtworkDir','/home/mythtv/.mythtv/Video/Artwork','apheleia'),('mythvideo.screenshotDir','/home/mythtv/.mythtv/Video/Screenshots','apheleia'),('mythvideo.bannerDir','/home/mythtv/.mythtv/Video/Banners','apheleia'),('mythvideo.fanartDir','/home/mythtv/.mythtv/Video/Fanart','apheleia'),('DVDOnInsertDVD','1','apheleia'),('mythvideo.VideoTreeRemember','0','apheleia'),('VideoDefaultParentalLevel','4','apheleia'),('VideoAggressivePC','0','apheleia'),('mythvideo.ParentalLevelFromRating','0','apheleia'),('mythvideo.AutoR2PL1','G','apheleia'),('mythvideo.AutoR2PL2','PG','apheleia'),('mythvideo.AutoR2PL3','PG-13','apheleia'),('mythvideo.AutoR2PL4','R:NC-17','apheleia'),('MythArchiveShareDir','/usr/share/mythtv/mytharchive/','apheleia'),('MythArchiveFileFilter','*.mpg *.mov *.avi *.mpeg *.nuv','apheleia'),('MythArchiveDVDLocation','/dev/dvd','apheleia'),('MythArchiveDVDPlayerCmd','Internal','apheleia'),('MythArchiveCopyRemoteFiles','0','apheleia'),('MythArchiveAlwaysUseMythTranscode','1','apheleia'),('MythArchiveUseProjectX','0','apheleia'),('MythArchiveAddSubtitles','0','apheleia'),('MythArchiveUseFIFO','1','apheleia'),('MythArchiveDefaultEncProfile','SP','apheleia'),('MythArchiveMainMenuAR','16:9','apheleia'),('MythArchiveChapterMenuAR','Video','apheleia'),('MythArchiveMplexCmd','mplex','apheleia'),('MythArchiveDvdauthorCmd','dvdauthor','apheleia'),('MythArchiveSpumuxCmd','spumux','apheleia'),('MythArchiveMpeg2encCmd','mpeg2enc','apheleia'),('MythArchiveMkisofsCmd','mkisofs','apheleia'),('MythArchiveGrowisofsCmd','growisofs','apheleia'),('MythArchiveM2VRequantiserCmd','M2VRequantiser','apheleia'),('MythArchiveJpeg2yuvCmd','jpeg2yuv','apheleia'),('MythArchiveProjectXCmd','projectx','apheleia'),('WebBrowserCommand','Internal','apheleia'),('WebBrowserZoomLevel','1.4','apheleia'),('GalleryDir','/var/lib/pictures','apheleia'),('GalleryThumbnailLocation','1','apheleia'),('GallerySortOrder','3','apheleia'),('GalleryImportDirs','/mnt/cdrom:/mnt/camera','apheleia'),('GalleryAutoLoad','0','apheleia'),('GalleryFilterType','0','apheleia'),('SlideshowUseOpenGL','0','apheleia'),('SlideshowDelay','5','apheleia'),('SlideshowOpenGLTransition','none','apheleia'),('SlideshowOpenGLTransitionLength','2000','apheleia'),('SlideshowTransition','none','apheleia'),('SlideshowBackground','theme','apheleia'),('NewsDBSchemaVer','1001',NULL),('ThemeUpdateStatus','','apheleia'),('MusicBookmark','-1','apheleia'),('MusicBookmarkPosition','0','apheleia'),('PlayMode','none','apheleia'),('RepeatMode','all','apheleia'),('MusicAutoShowPlayer','1','apheleia'),('Hostpluginmythappletrailers','1','apheleia');
/*!40000 ALTER TABLE `settings` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `storagegroup`
--
DROP TABLE IF EXISTS `storagegroup`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `storagegroup` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `groupname` varchar(32) NOT NULL,
  `hostname` varchar(64) NOT NULL DEFAULT '',
  `dirname` varchar(235) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL DEFAULT '',
  PRIMARY KEY (`id`),
  UNIQUE KEY `grouphostdir` (`groupname`,`hostname`,`dirname`),
  KEY `hostname` (`hostname`)
) ENGINE=MyISAM AUTO_INCREMENT=2 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `storagegroup`
--
LOCK TABLES `storagegroup` WRITE;
/*!40000 ALTER TABLE `storagegroup` DISABLE KEYS */;
INSERT INTO `storagegroup` VALUES (1,'Default','apheleia','/myth/tv/');
/*!40000 ALTER TABLE `storagegroup` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `tvchain`
--
DROP TABLE IF EXISTS `tvchain`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `tvchain` (
  `chanid` int(10) unsigned NOT NULL DEFAULT '0',
  `starttime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  `chainid` varchar(128) NOT NULL DEFAULT '',
  `chainpos` int(10) NOT NULL DEFAULT '0',
  `discontinuity` tinyint(1) NOT NULL DEFAULT '0',
  `watching` int(10) NOT NULL DEFAULT '0',
  `hostprefix` varchar(128) NOT NULL DEFAULT '',
  `cardtype` varchar(32) NOT NULL DEFAULT 'V4L',
  `input` varchar(32) NOT NULL DEFAULT '',
  `channame` varchar(32) NOT NULL DEFAULT '',
  `endtime` datetime NOT NULL DEFAULT '0000-00-00 00:00:00',
  PRIMARY KEY (`chanid`,`starttime`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `tvchain`
--
LOCK TABLES `tvchain` WRITE;
/*!40000 ALTER TABLE `tvchain` DISABLE KEYS */;
/*!40000 ALTER TABLE `tvchain` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `tvosdmenu`
--
DROP TABLE IF EXISTS `tvosdmenu`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `tvosdmenu` (
  `osdcategory` varchar(32) NOT NULL,
  `livetv` tinyint(4) NOT NULL DEFAULT '0',
  `recorded` tinyint(4) NOT NULL DEFAULT '0',
  `video` tinyint(4) NOT NULL DEFAULT '0',
  `dvd` tinyint(4) NOT NULL DEFAULT '0',
  `description` varchar(32) NOT NULL,
  PRIMARY KEY (`osdcategory`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `tvosdmenu`
--
LOCK TABLES `tvosdmenu` WRITE;
/*!40000 ALTER TABLE `tvosdmenu` DISABLE KEYS */;
/*!40000 ALTER TABLE `tvosdmenu` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `upnpmedia`
--
DROP TABLE IF EXISTS `upnpmedia`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `upnpmedia` (
  `intid` int(10) unsigned NOT NULL DEFAULT '0',
  `class` varchar(64) NOT NULL DEFAULT '',
  `itemtype` varchar(128) NOT NULL DEFAULT '',
  `parentid` int(10) unsigned NOT NULL DEFAULT '0',
  `itemproperties` varchar(255) NOT NULL DEFAULT '',
  `filepath` varchar(512) NOT NULL DEFAULT '',
  `title` varchar(255) NOT NULL DEFAULT '',
  `filename` varchar(512) NOT NULL DEFAULT '',
  `coverart` varchar(512) NOT NULL DEFAULT '',
  PRIMARY KEY (`intid`),
  KEY `class` (`class`),
  KEY `filepath` (`filepath`(333)),
  KEY `parentid` (`parentid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `upnpmedia`
--
LOCK TABLES `upnpmedia` WRITE;
/*!40000 ALTER TABLE `upnpmedia` DISABLE KEYS */;
/*!40000 ALTER TABLE `upnpmedia` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videocast`
--
DROP TABLE IF EXISTS `videocast`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videocast` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `cast` varchar(128) NOT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videocast`
--
LOCK TABLES `videocast` WRITE;
/*!40000 ALTER TABLE `videocast` DISABLE KEYS */;
/*!40000 ALTER TABLE `videocast` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videocategory`
--
DROP TABLE IF EXISTS `videocategory`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videocategory` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `category` varchar(128) NOT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videocategory`
--
LOCK TABLES `videocategory` WRITE;
/*!40000 ALTER TABLE `videocategory` DISABLE KEYS */;
/*!40000 ALTER TABLE `videocategory` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videocollection`
--
DROP TABLE IF EXISTS `videocollection`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videocollection` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `title` varchar(256) NOT NULL,
  `contenttype` set('MOVIE','TELEVISION','ADULT','MUSICVIDEO','HOMEVIDEO') NOT NULL DEFAULT '',
  `plot` text,
  `network` varchar(128) DEFAULT NULL,
  `collectionref` varchar(128) NOT NULL,
  `certification` varchar(128) DEFAULT NULL,
  `genre` varchar(128) DEFAULT '',
  `releasedate` date DEFAULT NULL,
  `language` varchar(10) DEFAULT NULL,
  `status` varchar(64) DEFAULT NULL,
  `rating` float DEFAULT '0',
  `ratingcount` int(10) DEFAULT '0',
  `runtime` smallint(5) unsigned DEFAULT '0',
  `banner` text,
  `fanart` text,
  `coverart` text,
  PRIMARY KEY (`intid`),
  KEY `title` (`title`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videocollection`
--
LOCK TABLES `videocollection` WRITE;
/*!40000 ALTER TABLE `videocollection` DISABLE KEYS */;
/*!40000 ALTER TABLE `videocollection` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videocountry`
--
DROP TABLE IF EXISTS `videocountry`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videocountry` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `country` varchar(128) NOT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videocountry`
--
LOCK TABLES `videocountry` WRITE;
/*!40000 ALTER TABLE `videocountry` DISABLE KEYS */;
/*!40000 ALTER TABLE `videocountry` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videogenre`
--
DROP TABLE IF EXISTS `videogenre`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videogenre` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `genre` varchar(128) NOT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videogenre`
--
LOCK TABLES `videogenre` WRITE;
/*!40000 ALTER TABLE `videogenre` DISABLE KEYS */;
/*!40000 ALTER TABLE `videogenre` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videometadata`
--
DROP TABLE IF EXISTS `videometadata`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videometadata` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `title` varchar(128) NOT NULL,
  `subtitle` text NOT NULL,
  `tagline` varchar(255) DEFAULT NULL,
  `director` varchar(128) NOT NULL,
  `studio` varchar(128) DEFAULT NULL,
  `plot` text,
  `rating` varchar(128) NOT NULL,
  `inetref` varchar(255) NOT NULL,
  `collectionref` int(10) NOT NULL DEFAULT '-1',
  `homepage` text NOT NULL,
  `year` int(10) unsigned NOT NULL,
  `releasedate` date NOT NULL,
  `userrating` float NOT NULL,
  `length` int(10) unsigned NOT NULL,
  `playcount` int(10) NOT NULL DEFAULT '0',
  `season` smallint(5) unsigned NOT NULL DEFAULT '0',
  `episode` smallint(5) unsigned NOT NULL DEFAULT '0',
  `showlevel` int(10) unsigned NOT NULL,
  `filename` text NOT NULL,
  `hash` varchar(128) NOT NULL,
  `coverfile` text NOT NULL,
  `childid` int(11) NOT NULL DEFAULT '-1',
  `browse` tinyint(1) NOT NULL DEFAULT '1',
  `watched` tinyint(1) NOT NULL DEFAULT '0',
  `processed` tinyint(1) NOT NULL DEFAULT '0',
  `playcommand` varchar(255) DEFAULT NULL,
  `category` int(10) unsigned NOT NULL DEFAULT '0',
  `trailer` text,
  `host` text NOT NULL,
  `screenshot` text,
  `banner` text,
  `fanart` text,
  `insertdate` timestamp NULL DEFAULT CURRENT_TIMESTAMP,
  `contenttype` set('MOVIE','TELEVISION','ADULT','MUSICVIDEO','HOMEVIDEO') NOT NULL DEFAULT '',
  PRIMARY KEY (`intid`),
  KEY `director` (`director`),
  KEY `title` (`title`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videometadata`
--
LOCK TABLES `videometadata` WRITE;
/*!40000 ALTER TABLE `videometadata` DISABLE KEYS */;
/*!40000 ALTER TABLE `videometadata` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videometadatacast`
--
DROP TABLE IF EXISTS `videometadatacast`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videometadatacast` (
  `idvideo` int(10) unsigned NOT NULL,
  `idcast` int(10) unsigned NOT NULL,
  UNIQUE KEY `idvideo` (`idvideo`,`idcast`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videometadatacast`
--
LOCK TABLES `videometadatacast` WRITE;
/*!40000 ALTER TABLE `videometadatacast` DISABLE KEYS */;
/*!40000 ALTER TABLE `videometadatacast` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videometadatacountry`
--
DROP TABLE IF EXISTS `videometadatacountry`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videometadatacountry` (
  `idvideo` int(10) unsigned NOT NULL,
  `idcountry` int(10) unsigned NOT NULL,
  UNIQUE KEY `idvideo_2` (`idvideo`,`idcountry`),
  KEY `idvideo` (`idvideo`),
  KEY `idcountry` (`idcountry`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videometadatacountry`
--
LOCK TABLES `videometadatacountry` WRITE;
/*!40000 ALTER TABLE `videometadatacountry` DISABLE KEYS */;
/*!40000 ALTER TABLE `videometadatacountry` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videometadatagenre`
--
DROP TABLE IF EXISTS `videometadatagenre`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videometadatagenre` (
  `idvideo` int(10) unsigned NOT NULL,
  `idgenre` int(10) unsigned NOT NULL,
  UNIQUE KEY `idvideo_2` (`idvideo`,`idgenre`),
  KEY `idvideo` (`idvideo`),
  KEY `idgenre` (`idgenre`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videometadatagenre`
--
LOCK TABLES `videometadatagenre` WRITE;
/*!40000 ALTER TABLE `videometadatagenre` DISABLE KEYS */;
/*!40000 ALTER TABLE `videometadatagenre` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videopathinfo`
--
DROP TABLE IF EXISTS `videopathinfo`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videopathinfo` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `path` text,
  `contenttype` set('MOVIE','TELEVISION','ADULT','MUSICVIDEO','HOMEVIDEO') NOT NULL DEFAULT '',
  `collectionref` int(10) DEFAULT '0',
  `recurse` tinyint(1) DEFAULT '0',
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videopathinfo`
--
LOCK TABLES `videopathinfo` WRITE;
/*!40000 ALTER TABLE `videopathinfo` DISABLE KEYS */;
/*!40000 ALTER TABLE `videopathinfo` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videosource`
--
DROP TABLE IF EXISTS `videosource`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videosource` (
  `sourceid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `name` varchar(128) NOT NULL DEFAULT '',
  `xmltvgrabber` varchar(128) DEFAULT NULL,
  `userid` varchar(128) NOT NULL DEFAULT '',
  `freqtable` varchar(16) NOT NULL DEFAULT 'default',
  `lineupid` varchar(64) DEFAULT NULL,
  `password` varchar(64) DEFAULT NULL,
  `useeit` smallint(6) NOT NULL DEFAULT '0',
  `configpath` varchar(4096) DEFAULT NULL,
  `dvb_nit_id` int(6) DEFAULT '-1',
  PRIMARY KEY (`sourceid`),
  UNIQUE KEY `name` (`name`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videosource`
--
LOCK TABLES `videosource` WRITE;
/*!40000 ALTER TABLE `videosource` DISABLE KEYS */;
/*!40000 ALTER TABLE `videosource` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `videotypes`
--
DROP TABLE IF EXISTS `videotypes`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `videotypes` (
  `intid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `extension` varchar(128) NOT NULL,
  `playcommand` varchar(255) NOT NULL,
  `f_ignore` tinyint(1) DEFAULT NULL,
  `use_default` tinyint(1) DEFAULT NULL,
  PRIMARY KEY (`intid`)
) ENGINE=MyISAM AUTO_INCREMENT=33 DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `videotypes`
--
LOCK TABLES `videotypes` WRITE;
/*!40000 ALTER TABLE `videotypes` DISABLE KEYS */;
INSERT INTO `videotypes` VALUES (1,'txt','',1,0),(2,'log','',1,0),(3,'mpg','Internal',0,0),(4,'avi','',0,1),(5,'vob','Internal',0,0),(6,'mpeg','Internal',0,0),(8,'iso','Internal',0,0),(9,'img','Internal',0,0),(10,'mkv','Internal',0,1),(11,'mp4','Internal',0,0),(12,'m2ts','Internal',0,0),(13,'evo','Internal',0,0),(14,'divx','Internal',0,0),(15,'mov','Internal',0,0),(16,'qt','Internal',0,0),(17,'wmv','Internal',0,0),(18,'3gp','Internal',0,0),(19,'asf','Internal',0,0),(20,'ogg','Internal',0,0),(21,'ogm','Internal',0,0),(22,'flv','Internal',0,0),(23,'ogv','Internal',0,0),(25,'nut','Internal',0,0),(26,'mxf','Internal',0,0),(27,'m4v','Internal',0,0),(28,'rm','Internal',0,0),(29,'ts','Internal',0,0),(30,'swf','Internal',0,0),(31,'f4v','Internal',0,0),(32,'nuv','Internal',0,0);
/*!40000 ALTER TABLE `videotypes` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `weatherdatalayout`
--
DROP TABLE IF EXISTS `weatherdatalayout`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `weatherdatalayout` (
  `location` varchar(128) NOT NULL,
  `dataitem` varchar(64) NOT NULL,
  `weatherscreens_screen_id` int(10) unsigned NOT NULL,
  `weathersourcesettings_sourceid` int(10) unsigned NOT NULL,
  PRIMARY KEY (`location`,`dataitem`,`weatherscreens_screen_id`,`weathersourcesettings_sourceid`),
  KEY `weatherdatalayout_FKIndex1` (`weatherscreens_screen_id`),
  KEY `weatherdatalayout_FKIndex2` (`weathersourcesettings_sourceid`),
  CONSTRAINT `weatherdatalayout_ibfk_1` FOREIGN KEY (`weatherscreens_screen_id`) REFERENCES `weatherscreens` (`screen_id`) ON DELETE CASCADE ON UPDATE CASCADE,
  CONSTRAINT `weatherdatalayout_ibfk_2` FOREIGN KEY (`weathersourcesettings_sourceid`) REFERENCES `weathersourcesettings` (`sourceid`) ON UPDATE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `weatherdatalayout`
--
LOCK TABLES `weatherdatalayout` WRITE;
/*!40000 ALTER TABLE `weatherdatalayout` DISABLE KEYS */;
/*!40000 ALTER TABLE `weatherdatalayout` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `weatherscreens`
--
DROP TABLE IF EXISTS `weatherscreens`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `weatherscreens` (
  `screen_id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `draworder` int(10) unsigned NOT NULL,
  `container` varchar(64) NOT NULL,
  `hostname` varchar(64) DEFAULT NULL,
  `units` tinyint(3) unsigned NOT NULL,
  PRIMARY KEY (`screen_id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `weatherscreens`
--
LOCK TABLES `weatherscreens` WRITE;
/*!40000 ALTER TABLE `weatherscreens` DISABLE KEYS */;
/*!40000 ALTER TABLE `weatherscreens` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `weathersourcesettings`
--
DROP TABLE IF EXISTS `weathersourcesettings`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `weathersourcesettings` (
  `sourceid` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `source_name` varchar(64) NOT NULL,
  `update_timeout` int(10) unsigned NOT NULL DEFAULT '600',
  `retrieve_timeout` int(10) unsigned NOT NULL DEFAULT '60',
  `hostname` varchar(64) DEFAULT NULL,
  `path` varchar(255) DEFAULT NULL,
  `author` varchar(128) DEFAULT NULL,
  `version` varchar(32) DEFAULT NULL,
  `email` varchar(255) DEFAULT NULL,
  `types` mediumtext,
  `updated` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
  PRIMARY KEY (`sourceid`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `weathersourcesettings`
--
LOCK TABLES `weathersourcesettings` WRITE;
/*!40000 ALTER TABLE `weathersourcesettings` DISABLE KEYS */;
/*!40000 ALTER TABLE `weathersourcesettings` ENABLE KEYS */;
UNLOCK TABLES;
--
-- Table structure for table `websites`
--
DROP TABLE IF EXISTS `websites`;
/*!40101 SET @saved_cs_client     = @@character_set_client */;
/*!40101 SET character_set_client = utf8 */;
CREATE TABLE `websites` (
  `id` int(10) unsigned NOT NULL AUTO_INCREMENT,
  `category` varchar(100) NOT NULL,
  `name` varchar(100) NOT NULL,
  `url` varchar(255) NOT NULL,
  PRIMARY KEY (`id`)
) ENGINE=MyISAM DEFAULT CHARSET=utf8;
/*!40101 SET character_set_client = @saved_cs_client */;
--
-- Dumping data for table `websites`
--
LOCK TABLES `websites` WRITE;
/*!40000 ALTER TABLE `websites` DISABLE KEYS */;
/*!40000 ALTER TABLE `websites` ENABLE KEYS */;
UNLOCK TABLES;
/*!40103 SET TIME_ZONE=@OLD_TIME_ZONE */;
/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40101 SET CHARACTER_SET_CLIENT=@OLD_CHARACTER_SET_CLIENT */;
/*!40101 SET CHARACTER_SET_RESULTS=@OLD_CHARACTER_SET_RESULTS */;
/*!40101 SET COLLATION_CONNECTION=@OLD_COLLATION_CONNECTION */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
-- Dump completed on 2012-04-22 14:31:08
 |