| 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
 | /*
 * Copyright 2006, The Android Open Source Project
 *
 * Redistribution and use in source and binary forms, with or without
 * modification, are permitted provided that the following conditions
 * are met:
 *  * Redistributions of source code must retain the above copyright
 *    notice, this list of conditions and the following disclaimer.
 *  * Redistributions in binary form must reproduce the above copyright
 *    notice, this list of conditions and the following disclaimer in the
 *    documentation and/or other materials provided with the distribution.
 *
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ``AS IS'' AND ANY
 * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
 * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
 * PURPOSE ARE DISCLAIMED.  IN NO EVENT SHALL THE COPYRIGHT OWNER OR
 * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
 * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
 * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
 * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY
 * OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
 */
#include "CachedPrefix.h"
#include "CachedNode.h"
#include "CachedRoot.h"
#include "ColumnInfo.h"
#include "Document.h"
#include "EventListener.h"
#include "EventNames.h"
#include "Frame.h"
#include "FrameLoader.h"
#include "FrameLoaderClientAndroid.h"
#include "FrameTree.h"
#include "FrameView.h"
//#include "GraphicsContext.h"
#include "HTMLAreaElement.h"
#include "HTMLImageElement.h"
#include "HTMLInputElement.h"
#include "HTMLMapElement.h"
#include "HTMLNames.h"
#include "HTMLOptionElement.h"
#include "HTMLSelectElement.h"
#include "HTMLTextAreaElement.h"
#include "InlineTextBox.h"
#include "KURL.h"
#include "LayerAndroid.h"
#include "PluginView.h"
#include "RegisteredEventListener.h"
#include "RenderImage.h"
#include "RenderInline.h"
#include "RenderLayerBacking.h"
#include "RenderListBox.h"
#include "RenderSkinCombo.h"
#include "RenderTextControl.h"
#include "RenderView.h"
#include "RenderWidget.h"
#include "SkCanvas.h"
#include "SkPoint.h"
#include "Text.h"
#include "WebCoreFrameBridge.h"
#include "WebCoreViewBridge.h"
#include "Widget.h"
#include <wtf/unicode/Unicode.h>
#ifdef DUMP_NAV_CACHE_USING_PRINTF
    FILE* gNavCacheLogFile = NULL;
    android::Mutex gWriteLogMutex;
#endif
#include "CacheBuilder.h"
#define MINIMUM_FOCUSABLE_WIDTH 3
#define MINIMUM_FOCUSABLE_HEIGHT 3
#define MAXIMUM_FOCUS_RING_COUNT 32
namespace android {
CacheBuilder* CacheBuilder::Builder(Frame* frame) { 
    return &((FrameLoaderClientAndroid*) frame->loader()->client())->getCacheBuilder(); 
}
Frame* CacheBuilder::FrameAnd(CacheBuilder* cacheBuilder) { 
    FrameLoaderClientAndroid* loader = (FrameLoaderClientAndroid*)
        ((char*) cacheBuilder - OFFSETOF(FrameLoaderClientAndroid, m_cacheBuilder));
    return loader->getFrame();
}
Frame* CacheBuilder::FrameAnd(const CacheBuilder* cacheBuilder) { 
    FrameLoaderClientAndroid* loader = (FrameLoaderClientAndroid*)
        ((char*) cacheBuilder - OFFSETOF(FrameLoaderClientAndroid, m_cacheBuilder)); 
    return loader->getFrame();
}
CacheBuilder::LayerTracker::~LayerTracker() {
    // Check for a stacking context to prevent a crash in layers without a
    // parent.
    if (mRenderLayer && mRenderLayer->stackingContext())
        // Restore the scroll position of the layer.  Does not affect layers
        // without overflow scroll as the layer will not be scrolled.
        mRenderLayer->scrollToOffset(mScroll.x(), mScroll.y());
}
#if DUMP_NAV_CACHE
static bool hasEventListener(Node* node, const AtomicString& eventType) {
    if (!node->isElementNode())
        return false;
    Element* element = static_cast<Element*>(node);
    EventListener* listener = element->getAttributeEventListener(eventType);
    return 0 != listener;
}
#define DEBUG_BUFFER_SIZE 256
#define DEBUG_WRAP_SIZE 150
#define DEBUG_WRAP_MAX 170
Frame* CacheBuilder::Debug::frameAnd() const {
    CacheBuilder* nav = (CacheBuilder*) ((char*) this - OFFSETOF(CacheBuilder, mDebug));
    return CacheBuilder::FrameAnd(nav); 
}
void CacheBuilder::Debug::attr(const AtomicString& name, const AtomicString& value) {
    if (name.isNull() || name.isEmpty() || value.isNull() || value.isEmpty())
        return;
    uChar(name.characters(), name.length(), false);
    print("=");
    wideString(value.characters(), value.length(), false);
    print(" ");
}
void CacheBuilder::Debug::comma(const char* str) {
    print(str);
    print(", ");
}
void CacheBuilder::Debug::flush() {
    int len;
    do {
        int limit = mIndex;
        if (limit < DEBUG_WRAP_SIZE)
            return;
        if (limit < DEBUG_WRAP_MAX)
            len = limit;
        else {
            limit = DEBUG_WRAP_MAX;
            len = DEBUG_WRAP_SIZE;
            while (len < limit) {
                char test = mBuffer[len];
                if (test < '/' || (test > '9' && test < 'A') || (test > 'Z' && test  < 'a') || test > 'z')
                    break;
                len++;
            }
            while (len > 0 && mBuffer[len - 1] == '\\')
                len--;
            while (mBuffer[len] == '"')
                len++;
        }
        const char* prefix = mPrefix;
        if (prefix[0] == '\"') {
            // see if we're inside a quote
            int quoteCount = 0;
            for (int index = 0; index < len; index++) {
                if (mBuffer[index] == '\\') {
                    index++;
                    continue;
                }
                if (mBuffer[index] == '\n') {
                    quoteCount = 0;
                    continue;
                }
                if (mBuffer[index] == '"')
                    quoteCount++;
            }
            if ((quoteCount & 1) == 0)
                prefix = "\n";
        }
        DUMP_NAV_LOGD("%.*s", len, mBuffer);
        int copy = mIndex - len;
        strcpy(mBuffer, prefix);
        memcpy(&mBuffer[strlen(prefix)], &mBuffer[len], copy);
        mIndex = strlen(prefix) + copy;
    } while (true);
}
void CacheBuilder::Debug::frameName(char*& namePtr, const char* max) const {
   if (namePtr >= max)
        return;
   Frame* frame = frameAnd();
   Frame* parent = frame->tree()->parent();
   if (parent)
        Builder(parent)->mDebug.frameName(namePtr, max);
    const AtomicString& name = frame->tree()->name();
    if (name.length() == 0)
        return;
    unsigned index = 0;
    if (name.startsWith(AtomicString("opener")))
        index = 6;
    for (; index < name.length(); index++) {
        char ch = name[index];
        if (ch <= ' ')
            ch = '_';
        if (WTF::isASCIIAlphanumeric(ch) || ch == '_')
            *namePtr++  = ch;
    }
}
    
void CacheBuilder::Debug::frames() {
    Frame* frame = frameAnd();
    Document* doc = frame->document();
    if (doc == NULL)
        return;
    bool top = frame->tree()->parent() == NULL;
    if (top) {
#ifdef DUMP_NAV_CACHE_USING_PRINTF
        gWriteLogMutex.lock();
        ASSERT(gNavCacheLogFile == NULL);
        gNavCacheLogFile = fopen(NAV_CACHE_LOG_FILE, "a");
#endif
        groups();
    }
    Frame* child = frame->tree()->firstChild();
    bool hasChild = child != NULL;   
    if (top && hasChild)
        DUMP_NAV_LOGD("\nnamespace TEST_SPACE {\n\n");
    while (child) {
        Builder(child)->mDebug.frames();
        child = child->tree()->nextSibling();
    }
    if (hasChild) {
        child = frame->tree()->firstChild();
        while (child) {
            char childName[256];
            char* childNamePtr = childName;
            Builder(child)->mDebug.frameName(childNamePtr, childNamePtr + sizeof(childName) - 1);
            *childNamePtr = '\0';
            if (child == frame->tree()->firstChild())
                DUMP_NAV_LOGD("DebugTestFrameGroup TEST%s_GROUP[] = {\n", childName);
            Frame* next = child->tree()->nextSibling();
            Document* doc = child->document();
            if (doc != NULL) {        
                RenderObject* renderer = doc->renderer();
                if (renderer != NULL) {
                    RenderLayer* layer = renderer->enclosingLayer();
                    if (layer != NULL) {
                        DUMP_NAV_LOGD("{ ");
                        DUMP_NAV_LOGD("TEST%s_RECTS, ", childName);
                        DUMP_NAV_LOGD("TEST%s_RECT_COUNT, ", childName);
                        DUMP_NAV_LOGD("TEST%s_RECTPARTS, ", childName);
                        DUMP_NAV_LOGD("TEST%s_BOUNDS,\n", childName); 
                        DUMP_NAV_LOGD("TEST%s_WIDTH, ", childName);
                        DUMP_NAV_LOGD("TEST%s_HEIGHT,\n", childName);
                        DUMP_NAV_LOGD("0, 0, 0, 0,\n");
                        DUMP_NAV_LOGD("TEST%s_FOCUS, ", childName);
                        Frame* grandChild = child->tree()->firstChild();
                         if (grandChild) {
                            char grandChildName[256];
                            char* grandChildNamePtr = grandChildName;
                            Builder(grandChild)->mDebug.frameName(grandChildNamePtr, 
                                grandChildNamePtr + sizeof(grandChildName) - 1);
                            *grandChildNamePtr = '\0';
                            DUMP_NAV_LOGD("TEST%s_GROUP, ", grandChildName);
                            DUMP_NAV_LOGD("sizeof(TEST%s_GROUP) / sizeof(DebugTestFrameGroup), ", grandChildName);
                        } else
                            DUMP_NAV_LOGD("NULL, 0, ");
                        DUMP_NAV_LOGD("\"%s\"\n", childName);
                        DUMP_NAV_LOGD("}%c\n", next ? ',' : ' ');
                    }
                }
            }
            child = next;
        }
        DUMP_NAV_LOGD("};\n");
    }
    if (top) {
        if (hasChild)
            DUMP_NAV_LOGD("\n}  // end of namespace\n\n");
        char name[256];
        char* frameNamePtr = name;
        frameName(frameNamePtr, frameNamePtr + sizeof(name) - 1);
        *frameNamePtr = '\0';
        DUMP_NAV_LOGD("DebugTestFrameGroup TEST%s_GROUP = {\n", name);
        DUMP_NAV_LOGD("TEST%s_RECTS, ", name);
        DUMP_NAV_LOGD("TEST%s_RECT_COUNT, ", name);
        DUMP_NAV_LOGD("TEST%s_RECTPARTS, ", name);
        DUMP_NAV_LOGD("TEST%s_BOUNDS,\n", name); 
        DUMP_NAV_LOGD("TEST%s_WIDTH, ", name);
        DUMP_NAV_LOGD("TEST%s_HEIGHT,\n", name);
        DUMP_NAV_LOGD("TEST%s_MAX_H, ", name);
        DUMP_NAV_LOGD("TEST%s_MIN_H, ", name);
        DUMP_NAV_LOGD("TEST%s_MAX_V, ", name);
        DUMP_NAV_LOGD("TEST%s_MIN_V,\n", name);
        DUMP_NAV_LOGD("TEST%s_FOCUS, ", name);
        if (hasChild) {
            child = frame->tree()->firstChild();
            char childName[256];
            char* childNamePtr = childName;
            Builder(child)->mDebug.frameName(childNamePtr, childNamePtr + sizeof(childName) - 1);
            *childNamePtr = '\0';
            DUMP_NAV_LOGD("TEST_SPACE::TEST%s_GROUP, ", childName);
            DUMP_NAV_LOGD("sizeof(TEST_SPACE::TEST%s_GROUP) / sizeof(DebugTestFrameGroup), \n" ,childName);
        } else
            DUMP_NAV_LOGD("NULL, 0, ");
        DUMP_NAV_LOGD("\"%s\"\n", name);
        DUMP_NAV_LOGD("};\n");
#ifdef DUMP_NAV_CACHE_USING_PRINTF
        if (gNavCacheLogFile)
            fclose(gNavCacheLogFile);
        gNavCacheLogFile = NULL;
        gWriteLogMutex.unlock();
#endif
    }
}
void CacheBuilder::Debug::init(char* buffer, size_t size) {
    mBuffer = buffer;
    mBufferSize = size;
    mIndex = 0;
    mPrefix = "";
}
void CacheBuilder::Debug::groups() {
    Frame* frame = frameAnd();
    Frame* child = frame->tree()->firstChild();
    bool hasChild = child != NULL;
    if (frame->tree()->parent() == NULL && hasChild)
        DUMP_NAV_LOGD("namespace TEST_SPACE {\n\n");
    while (child) {
        Builder(child)->mDebug.groups();
        child = child->tree()->nextSibling();
    }
    if (frame->tree()->parent() == NULL && hasChild)
        DUMP_NAV_LOGD("\n} // end of namespace\n\n"); 
    Document* doc = frame->document();
    char name[256];
    char* frameNamePtr = name;
    frameName(frameNamePtr, frameNamePtr + sizeof(name) - 1);
    *frameNamePtr = '\0';
    if (doc == NULL) {
        DUMP_NAV_LOGD("// %s has no document\n", name);
        return;
    }
    RenderObject* renderer = doc->renderer();
    if (renderer == NULL) {
        DUMP_NAV_LOGD("// %s has no renderer\n", name);
        return;
    }
    RenderLayer* layer = renderer->enclosingLayer();
    if (layer == NULL) {
        DUMP_NAV_LOGD("// %s has no enclosingLayer\n", name);
        return;
    }
    Node* node = doc;
    Node* focus = doc->focusedNode();
    bool atLeastOne = false;
    do {
        if ((atLeastOne |= isFocusable(node)) != false)
            break;
    } while ((node = node->traverseNextNode()) != NULL);
    int focusIndex = -1;
    if (atLeastOne == false) {
        DUMP_NAV_LOGD("static DebugTestNode TEST%s_RECTS[] = {\n"
            "{{0, 0, 0, 0}, \"\", 0, -1, \"\", {0, 0, 0, 0}, false, 0}\n"
            "};\n\n", name);
        DUMP_NAV_LOGD("static int TEST%s_RECT_COUNT = 1;"
            " // no focusable nodes\n", name);
        DUMP_NAV_LOGD("#define TEST%s_RECTPARTS NULL\n", name);
    } else {
        node = doc;
        int count = 1;
        DUMP_NAV_LOGD("static DebugTestNode TEST%s_RECTS[] = {\n", name);
        do {
            String properties;
            if (hasEventListener(node, eventNames().clickEvent))
                properties.append("ONCLICK | ");
            if (hasEventListener(node, eventNames().mousedownEvent))
                properties.append("MOUSEDOWN | ");
            if (hasEventListener(node, eventNames().mouseupEvent))
                properties.append("MOUSEUP | ");
            if (hasEventListener(node, eventNames().mouseoverEvent))
                properties.append("MOUSEOVER | ");
            if (hasEventListener(node, eventNames().mouseoutEvent))
                properties.append("MOUSEOUT | ");
            if (hasEventListener(node, eventNames().keydownEvent))
                properties.append("KEYDOWN | ");
            if (hasEventListener(node, eventNames().keyupEvent))
                properties.append("KEYUP | ");
            if (CacheBuilder::HasFrame(node))
                properties.append("FRAME | ");
            if (focus == node) {
                properties.append("FOCUS | ");
                focusIndex = count;
            }
            if (node->isKeyboardFocusable(NULL))
                properties.append("KEYBOARD_FOCUSABLE | ");
            if (node->isMouseFocusable())
                properties.append("MOUSE_FOCUSABLE | ");
            if (node->isFocusable())
                properties.append("SIMPLE_FOCUSABLE | ");
            if (properties.isEmpty())
                properties.append("0");
            else
                properties.truncate(properties.length() - 3);
            IntRect rect = node->getRect();
            if (node->hasTagName(HTMLNames::areaTag))
                rect = getAreaRect(static_cast<HTMLAreaElement*>(node));
            char buffer[DEBUG_BUFFER_SIZE];
            memset(buffer, 0, sizeof(buffer));
            mBuffer = buffer;
            mBufferSize = sizeof(buffer);
            mPrefix = "\"\n\"";
            mIndex = snprintf(buffer, sizeof(buffer), "{{%d, %d, %d, %d}, ", rect.x(), rect.y(), 
                rect.width(), rect.height());
            localName(node);
            uChar(properties.characters(), properties.length(), false);
            print(", ");
            int parentIndex = ParentIndex(node, count, node->parentNode());
            char scratch[256];
            snprintf(scratch, sizeof(scratch), "%d", parentIndex);
            comma(scratch);
            Element* element = static_cast<Element*>(node);
            if (node->isElementNode() && element->hasID())
                wideString(element->getIdAttribute());
            else if (node->isTextNode()) {
 #if 01 // set to one to abbreviate text that can be omitted from the address detection code
               if (rect.isEmpty() && node->textContent().length() > 100) {
                    wideString(node->textContent().characters(), 100, false);
                    snprintf(scratch, sizeof(scratch), "/* + %d bytes */", 
                        node->textContent().length() - 100);
                    print(scratch);
                } else
 #endif
                   wideString(node->textContent().characters(), node->textContent().length(), true);
            } else if (node->hasTagName(HTMLNames::aTag) || 
                node->hasTagName(HTMLNames::areaTag)) 
            {
                HTMLAnchorElement* anchor = static_cast<HTMLAnchorElement*>(node);
                wideString(anchor->href());
            } else if (node->hasTagName(HTMLNames::imgTag)) {
                HTMLImageElement* image = static_cast<HTMLImageElement*>(node);
                wideString(image->src());
            } else 
                print("\"\"");
            RenderObject* renderer = node->renderer();
            int tabindex = node->isElementNode() ? node->tabIndex() : 0;
            RenderLayer* layer = 0;
            if (renderer) {
                const IntRect& absB = renderer->absoluteBoundingBoxRect();
                bool hasLayer = renderer->hasLayer();
                layer = hasLayer ? toRenderBoxModelObject(renderer)->layer() : 0;
                snprintf(scratch, sizeof(scratch), ", {%d, %d, %d, %d}, %s"
                    ", %d, %s, %s},",
                    absB.x(), absB.y(), absB.width(), absB.height(),
                    renderer->hasOverflowClip() ? "true" : "false", tabindex,
                    hasLayer ? "true" : "false",
                    hasLayer && layer->isComposited() ? "true" : "false");
                // TODO: add renderer->style()->visibility()
                print(scratch);
            } else
                print(", {0, 0, 0, 0}, false, 0},");
            flush();
            snprintf(scratch, sizeof(scratch), "// %d: ", count);
            mPrefix = "\n// ";
            print(scratch);
            //print(renderer ? renderer->information().ascii() : "NO_RENDER_INFO");
            if (node->isElementNode()) {
                Element* element = static_cast<Element*>(node);
                NamedNodeMap* attrs = element->attributes();
                unsigned length = attrs->length();
                if (length > 0) {
                    newLine();
                    print("// attr: ");
                    for (unsigned i = 0; i < length; i++) {
                        Attribute* a = attrs->attributeItem(i);
                        attr(a->localName(), a->value());
                    }
                }
            }
            if (renderer) {
                RenderStyle* style = renderer->style();
                snprintf(scratch, sizeof(scratch), "// renderStyle:"
                    " visibility=%s hasBackGround=%d"
                    " tapHighlightColor().alpha()=0x%02x"
                    " isTransparent()=%s",
                    style->visibility() == HIDDEN ? "HIDDEN" : "VISIBLE",
                    renderer->hasBackground(), style->tapHighlightColor().alpha(),
                    renderer->isTransparent() ? "true" : "false");
                newLine();
                print(scratch);
                RenderBlock* renderBlock = static_cast<RenderBlock*>(renderer);
                if (renderer->isRenderBlock() && renderBlock->hasColumns()) {
                    const RenderBox* box = static_cast<RenderBox*>(renderer);
                    const IntRect& oRect = box->visibleOverflowRect();
                    snprintf(scratch, sizeof(scratch), "// renderBlock:"
                        " columnCount=%d columnGap=%d direction=%d"
                        " hasOverflowClip=%d overflow=(%d,%d,w=%d,h=%d)",
                        renderBlock->columnInfo()->columnCount(), renderBlock->columnGap(),
                        renderBlock->style()->direction(), renderer->hasOverflowClip(),
                        oRect.x(), oRect.y(), oRect.width(), oRect.height());
                    newLine();
                    print(scratch);
                }
            }
 #if USE(ACCELERATED_COMPOSITING)
            if (renderer && renderer->hasLayer()) {
                RenderLayer* layer = toRenderBoxModelObject(renderer)->layer();
                RenderLayerBacking* back = layer->backing();
                GraphicsLayer* grLayer = back ? back->graphicsLayer() : 0;
                LayerAndroid* aLayer = grLayer ? grLayer->platformLayer() : 0;
                const SkPicture* pict = aLayer ? aLayer->picture() : 0;
                const IntRect& r = renderer->absoluteBoundingBoxRect();
                snprintf(scratch, sizeof(scratch), "// layer:%p back:%p"
                    " gLayer:%p aLayer:%p pict:%p r:(%d,%d,w=%d,h=%d)",
                    layer, back, grLayer, aLayer, pict, r.x(), r.y(),
                    r.width(), r.height());
                newLine();
                print(scratch);
            }
 #endif
            count++;
            newLine();
        } while ((node = node->traverseNextNode()) != NULL);
        DUMP_NAV_LOGD("}; // focusables = %d\n", count - 1);
        DUMP_NAV_LOGD("\n");
        DUMP_NAV_LOGD("static int TEST%s_RECT_COUNT = %d;\n\n", name, count - 1);
        // look for rects with multiple parts
        node = doc;
        count = 1;
        bool hasRectParts = false;
        int globalOffsetX, globalOffsetY;
        GetGlobalOffset(frame, &globalOffsetX, &globalOffsetY);
        do {
            IntRect rect;
            bool _isFocusable = isFocusable(node) || (node->isTextNode() 
              && node->getRect().isEmpty() == false
                );
            int nodeIndex = count++;
            if (_isFocusable == false)
                continue;
            RenderObject* renderer = node->renderer();
            if (renderer == NULL)
                continue;
            WTF::Vector<IntRect> rects;
            IntRect clipBounds = IntRect(0, 0, INT_MAX, INT_MAX);
            IntRect focusBounds = IntRect(0, 0, INT_MAX, INT_MAX);
            IntRect* rectPtr = &focusBounds;
            int imageCount = 0;
            if (node->isTextNode()) {
                Text* textNode = (Text*) node;
                if (CacheBuilder::ConstructTextRects(textNode, 0, textNode, 
                        INT_MAX, globalOffsetX, globalOffsetY, rectPtr, 
                        clipBounds, &rects) == false)
                    continue;
            } else {
                IntRect nodeBounds = node->getRect();
                continue;
            }
            unsigned arraySize = rects.size();
            if (arraySize > 1 || (arraySize == 1 && (rectPtr->width() != rect.width())) || 
                    rectPtr->height() != rect.height()) {
                if (hasRectParts == false) {
                    DUMP_NAV_LOGD("static DebugTestRectPart TEST%s_RECTPARTS[] = {\n", name);
                    hasRectParts = true;
                }
                if (node->isTextNode() == false) {
                    unsigned rectIndex = 0;
                    for (; rectIndex < arraySize; rectIndex++) {
                        rectPtr = &rects.at(rectIndex);
                        DUMP_NAV_LOGD("{ %d, %d, %d, %d, %d }, // %d\n", nodeIndex, 
                            rectPtr->x(), rectPtr->y(), rectPtr->width(), 
                            rectPtr->height(), rectIndex + 1);
                    }
                } else {
                    RenderText* renderText = (RenderText*) node->renderer();
                    InlineTextBox* textBox = renderText->firstTextBox();
                    unsigned rectIndex = 0;
                    while (textBox) {
                        FloatPoint pt = renderText->localToAbsolute();
                        IntRect rect = textBox->selectionRect((int) pt.x(), (int) pt.y(), 0, INT_MAX);
                        mIndex = 0;
                        mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, "{ %d, %d, %d, %d, %d", 
                            nodeIndex, rect.x(), rect.y(), rect.width(), rect.height());
                        mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, ", %d, %d, %d", 
                            textBox->len(), 0 /*textBox->selectionHeight()*/, 
                            0 /*textBox->selectionTop()*/);
                        mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, ", %d, %d, %d", 
                            0 /*textBox->spaceAdd()*/, textBox->start(), 0 /*textBox->textPos()*/);
                        mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, ", %d, %d, %d, %d", 
                            textBox->x(), textBox->y(), textBox->logicalWidth(), textBox->logicalHeight());
                        int baseline = textBox->renderer()->style(textBox->isFirstLineStyle())->font().ascent();
                        mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, ", %d, %d }, // %d ",
                            baseline, imageCount, ++rectIndex);
                        wideString(node->textContent().characters() + textBox->start(), textBox->len(), true);
                        DUMP_NAV_LOGD("%.*s\n", mIndex, mBuffer);
                        textBox = textBox->nextTextBox();
                    }
                }
            }
        } while ((node = node->traverseNextNode()) != NULL);
        if (hasRectParts)
            DUMP_NAV_LOGD("{0}\n};\n\n");
        else
            DUMP_NAV_LOGD("static DebugTestRectPart* TEST%s_RECTPARTS = NULL;\n", name);
    }
    int contentsWidth = layer->width();
    int contentsHeight = layer->height();
    DUMP_NAV_LOGD("static int TEST%s_FOCUS = %d;\n", name, focusIndex);        
    DUMP_NAV_LOGD("static int TEST%s_WIDTH = %d;\n", name, contentsWidth);
    DUMP_NAV_LOGD("static int TEST%s_HEIGHT = %d;\n\n", name, contentsHeight);
}
bool CacheBuilder::Debug::isFocusable(Node* node) {
    if (node->hasTagName(HTMLNames::areaTag))
        return true;
    if (node->renderer() == false)
        return false;
    if (node->isKeyboardFocusable(NULL))
        return true;
    if (node->isMouseFocusable())
        return true;
    if (node->isFocusable())
        return true;
    if (CacheBuilder::AnyIsClick(node))
        return false;
    if (CacheBuilder::HasTriggerEvent(node))
        return true;
    return false;
}
void CacheBuilder::Debug::localName(Node* node) {
    const AtomicString& local = node->localName();
    if (node->isTextNode())
        print("\"#text\"");
    else
        wideString(local.characters(), local.length(), false);
    print(", ");
}
void CacheBuilder::Debug::newLine(int indent) {
    if (mPrefix[0] != '\n')
        print(&mPrefix[0], 1);
    flush();
    int lastnewline = mIndex - 1;
    while (lastnewline >= 0 && mBuffer[lastnewline] != '\n')
        lastnewline--;
    lastnewline++;
    char* buffer = mBuffer;
    if (lastnewline > 0) {
        DUMP_NAV_LOGD("%.*s", lastnewline, buffer);
        mIndex -= lastnewline;
        buffer += lastnewline;
    }
    size_t prefixLen = strlen(mPrefix);
    int minPrefix = prefixLen - 1;
    while (minPrefix >= 0 && mPrefix[minPrefix] != '\n')
        minPrefix--;
    minPrefix = prefixLen - minPrefix - 1;
    if (mIndex > minPrefix)
        DUMP_NAV_LOGD("%.*s\n", mIndex, buffer);
    mIndex = 0;
    setIndent(indent);
}
int CacheBuilder::Debug::ParentIndex(Node* node, int count, Node* parent) 
{
    if (parent == NULL)
        return -1;
    ASSERT(node != parent);
    int result = count;
    Node* previous = node;
    do {
        result--;
        previous = previous->traversePreviousNode();
    } while (previous && previous != parent);
    if (previous != NULL) 
        return result;
    result = count;
    do {
        result++;
    } while ((node = node->traverseNextNode()) != NULL && node != parent);
    if (node != NULL)
        return result;
    ASSERT(0);
    return -1;
}
void CacheBuilder::Debug::print(const char* name) {
    print(name, strlen(name));
}
void CacheBuilder::Debug::print(const char* name, unsigned len) {
    do {
        if (mIndex + len >= DEBUG_BUFFER_SIZE)
            flush();
        int copyLen = mIndex + len < DEBUG_BUFFER_SIZE ?
             len : DEBUG_BUFFER_SIZE - mIndex;
        memcpy(&mBuffer[mIndex], name, copyLen);
        mIndex += copyLen;
        name += copyLen;
        len -= copyLen;
    } while (len > 0);
    mBuffer[mIndex] = '\0';
}
void CacheBuilder::Debug::setIndent(int indent)
{
    char scratch[64];
    snprintf(scratch, sizeof(scratch), "%.*s", indent, 
        "                                                                    ");
    print(scratch);
}
void CacheBuilder::Debug::uChar(const UChar* name, unsigned len, bool hex) {
    const UChar* end = name + len;
    bool wroteHex = false;
    while (name < end) {
        unsigned ch = *name++;
        if (ch == '\t' || ch == '\n' || ch == '\r' || ch == 0xa0)
            ch = ' ';
        if (ch < ' ' || ch == 0x7f) {
            if (hex) {
                mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex, "\\x%02x", ch);
                wroteHex = true;
            } else
                mBuffer[mIndex++] = '?';
        } else if (ch >= 0x80) {
            if (hex) {
                if (ch < 0x800)
                    mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex,
                        "\\x%02x\\x%02x", ch >> 6 | 0xc0, (ch & 0x3f) | 0x80);
                else
                    mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex,
                        "\\x%02x\\x%02x\\x%02x", ch >> 12 | 0xe0,
                        (ch >> 6 & 0x3f) | 0x80, (ch & 0x3f) | 0x80);
                wroteHex = true;
            } else
                mBuffer[mIndex++] = '?';
        } else {
            if (wroteHex && WTF::isASCIIHexDigit((UChar) ch))
                mIndex += snprintf(&mBuffer[mIndex], mBufferSize - mIndex,
                    "\" \"");
            else if (ch == '"' || ch == '\\')
                mBuffer[mIndex++] = '\\';
            mBuffer[mIndex++] = ch;
            wroteHex = false;
        }
        if (mIndex + 1 >= DEBUG_BUFFER_SIZE)
            flush();
    }
    flush();
}
void CacheBuilder::Debug::validateFrame() {
    Frame* frame = frameAnd();
    Page* page = frame->page();
    ASSERT(page);
    ASSERT((int) page > 0x10000);
    Frame* child = frame->tree()->firstChild();
    while (child) {
        Builder(child)->mDebug.validateFrame();
        child = child->tree()->nextSibling();
    }
}
void CacheBuilder::Debug::wideString(const UChar* chars, int length, bool hex) {
    if (length == 0)
        print("\"\"");
    else {
        print("\"");
        uChar(chars, length, hex);
        print("\"");
    }
}
void CacheBuilder::Debug::wideString(const String& str) {
    wideString(str.characters(), str.length(), false);
}
#endif // DUMP_NAV_CACHE
CacheBuilder::CacheBuilder()
{
    mAllowableTypes = ALL_CACHEDNODE_BITS;
#ifdef DUMP_NAV_CACHE_USING_PRINTF
    gNavCacheLogFile = NULL;
#endif
}
void CacheBuilder::adjustForColumns(const ClipColumnTracker& track, 
    CachedNode* node, IntRect* bounds, RenderBlock* renderer)
{
    if (!renderer->hasColumns())
        return;
    int x = 0;
    int y = 0;
    int tx = track.mBounds.x();
    int ty = track.mBounds.y();
    int columnGap = track.mColumnGap;
    size_t limit = track.mColumnInfo->columnCount();
    for (size_t index = 0; index < limit; index++) {
        IntRect column = renderer->columnRectAt(track.mColumnInfo, index);
        column.move(tx, ty);
        IntRect test = *bounds;
        test.move(x, y);
        if (column.contains(test)) {
            if ((x | y) == 0)
                return;
            *bounds = test;
            node->move(x, y);
            return;
        }
        int xOffset = column.width() + columnGap;
        x += track.mDirection == LTR ? xOffset : -xOffset;
        y -= column.height();
    }    
}
// Checks if a node has one of event listener types.
bool CacheBuilder::NodeHasEventListeners(Node* node, AtomicString* eventTypes, int length) {
    for (int i = 0; i < length; ++i) {
        if (!node->getEventListeners(eventTypes[i]).isEmpty())
            return true;
    }
    return false;
}
bool CacheBuilder::AnyChildIsClick(Node* node)
{
    AtomicString eventTypes[5] = {
        eventNames().clickEvent,
        eventNames().mousedownEvent,
        eventNames().mouseupEvent,
        eventNames().keydownEvent,
        eventNames().keyupEvent
    };
    Node* child = node->firstChild();
    while (child != NULL) {
        if (child->isFocusable() ||
            NodeHasEventListeners(child, eventTypes, 5))
                return true;
        if (AnyChildIsClick(child))
            return true;
        child = child->nextSibling();
    }
    return false;
}
bool CacheBuilder::AnyIsClick(Node* node)
{
    if (node->hasTagName(HTMLNames::bodyTag))
        return AnyChildIsClick(node);
    AtomicString eventTypeSetOne[4] = {
        eventNames().mouseoverEvent,
        eventNames().mouseoutEvent,
        eventNames().keydownEvent,
        eventNames().keyupEvent
    };
    if (!NodeHasEventListeners(node, eventTypeSetOne, 4))
        return false;
    AtomicString eventTypeSetTwo[3] = {
        eventNames().clickEvent,
        eventNames().mousedownEvent,
        eventNames().mouseupEvent
    };
    if (NodeHasEventListeners(node, eventTypeSetTwo, 3))
        return false;
    return AnyChildIsClick(node);
}
void CacheBuilder::buildCache(CachedRoot* root)
{
    Frame* frame = FrameAnd(this);
    mPictureSetDisabled = false;
    BuildFrame(frame, frame, root, (CachedFrame*) root);
    root->finishInit(); // set up frame parent pointers, child pointers
    setData((CachedFrame*) root);
}
static Node* ParentWithChildren(Node* node)
{
    Node* parent = node;
    while ((parent = parent->parentNode())) {
        if (parent->childNodeCount() > 1)
            return parent;
    }
    return 0;
}
// FIXME
// Probably this should check for null instead of the caller. If the
// Tracker object is the last thing in the dom, checking for null in the
// caller in some cases fails to set up Tracker state which may be useful
// to the nodes parsed immediately after the tracked noe.
static Node* OneAfter(Node* node) 
{
    Node* parent = node;
    Node* sibling = NULL;
    while ((parent = parent->parentNode()) != NULL) {
        sibling = parent->nextSibling();
        if (sibling != NULL)
            break;
    }
    return sibling;
}
// return true if this renderer is really a pluinview, and it wants
// key-events (i.e. focus)
static bool checkForPluginViewThatWantsFocus(RenderObject* renderer) {
    if (renderer->isWidget()) {
        Widget* widget = static_cast<RenderWidget*>(renderer)->widget();
        if (widget && (widget->isPluginView() || widget->isPluginViewBase())) {
            // check if this plugin really wants key events (TODO)
            return true;
        }
    }
    return false;
}
#if USE(ACCELERATED_COMPOSITING)
static void AddLayer(CachedFrame* frame, size_t index, const IntPoint& location, int id)
{
    DBG_NAV_LOGD("frame=%p index=%d loc=(%d,%d) id=%d", frame, index,
        location.x(), location.y(), id);
    CachedLayer cachedLayer;
    cachedLayer.setCachedNodeIndex(index);
    cachedLayer.setOffset(location);
    cachedLayer.setUniqueId(id);
    frame->add(cachedLayer);
}
#endif
static int FindColorIndex(WTF::Vector<CachedColor>& colorTracker,
    const CachedColor& cachedColor)
{
    CachedColor* work = colorTracker.begin() - 1;
    CachedColor* end = colorTracker.end();
    while (++work < end) {
        if (*work == cachedColor)
            return work - colorTracker.begin();
    }
    int result = colorTracker.size();
    colorTracker.grow(result + 1);
    CachedColor& newColor = colorTracker.last();
    newColor = cachedColor;
    return result;
}
static void InitColor(CachedColor* color)
{
    color->setFillColor(RenderStyle::initialRingFillColor());
    color->setInnerWidth(RenderStyle::initialRingInnerWidth());
    color->setOuterWidth(RenderStyle::initialRingOuterWidth());
    color->setOutset(RenderStyle::initialRingOutset());
    color->setPressedInnerColor(RenderStyle::initialRingPressedInnerColor());
    color->setPressedOuterColor(RenderStyle::initialRingPressedOuterColor());
    color->setRadius(RenderStyle::initialRingRadius());
    color->setSelectedInnerColor(RenderStyle::initialRingSelectedInnerColor());
    color->setSelectedOuterColor(RenderStyle::initialRingSelectedOuterColor());
}
// when new focus is found, push it's parent on a stack
    // as long as more focii are found with the same (grand) parent, note it
    // (which only requires retrieving the last parent on the stack)
// when the parent's last child is found, pop the stack
// different from Tracker in that Tracker only pushes focii with children
// making this work with focus - child focus - grandchild focus is tricky
// if I keep the generation number, I may be able to more quickly determine that
// a node is a grandchild of the focus's parent
// this additionally requires being able to find the grandchild's parent
// keep nodes that are focusable
void CacheBuilder::BuildFrame(Frame* root, Frame* frame,
    CachedRoot* cachedRoot, CachedFrame* cachedFrame)
{
    WTF::Vector<FocusTracker> tracker(1); // sentinel
    {
        FocusTracker* baseTracker = tracker.data();
        bzero(baseTracker, sizeof(FocusTracker));
        baseTracker->mCachedNodeIndex = -1;
    }
    WTF::Vector<LayerTracker> layerTracker(1); // sentinel
    bzero(layerTracker.data(), sizeof(LayerTracker));
    WTF::Vector<ClipColumnTracker> clipTracker(1); // sentinel
    bzero(clipTracker.data(), sizeof(ClipColumnTracker));
    WTF::Vector<TabIndexTracker> tabIndexTracker(1); // sentinel
    bzero(tabIndexTracker.data(), sizeof(TabIndexTracker));
    WTF::Vector<CachedColor> colorTracker(1);
    InitColor(colorTracker.data());
#if DUMP_NAV_CACHE
    char* frameNamePtr = cachedFrame->mDebug.mFrameName;
    Builder(frame)->mDebug.frameName(frameNamePtr, frameNamePtr + 
        sizeof(cachedFrame->mDebug.mFrameName) - 1);
    *frameNamePtr = '\0';
    int nodeIndex = 1;
#endif
    NodeWalk walk;
    Document* doc = frame->document();
    Node* parent = doc;
    CachedNode cachedParentNode;
    cachedParentNode.init(parent);
#if DUMP_NAV_CACHE
    cachedParentNode.mDebug.mNodeIndex = nodeIndex;
#endif
    cachedFrame->add(colorTracker[0]);
    cachedFrame->add(cachedParentNode);
    Node* node = parent;
    int cacheIndex = 1;
    int colorIndex = 0; // assume no special css ring colors
    const void* lastStyleDataPtr = 0;
    int textInputIndex = 0;
    Node* focused = doc->focusedNode();
    if (focused)
        cachedRoot->setFocusBounds(focused->getRect());
    int globalOffsetX, globalOffsetY;
    GetGlobalOffset(frame, &globalOffsetX, &globalOffsetY);
#if USE(ACCELERATED_COMPOSITING)
    // The frame itself might be composited so we need to track the layer.  Do
    // not track the base frame's layer as the main content is draw as part of
    // BaseLayerAndroid's picture.
    if (frame != root && frame->contentRenderer()
        && frame->contentRenderer()->usesCompositing() && node->lastChild())
        TrackLayer(layerTracker, frame->contentRenderer(), node->lastChild(),
            globalOffsetX, globalOffsetY);
#endif
    while (walk.mMore || (node = node->traverseNextNode()) != NULL) {
#if DUMP_NAV_CACHE
        nodeIndex++;
#endif
        FocusTracker* last = &tracker.last();
        int lastChildIndex = cachedFrame->size() - 1;
        while (node == last->mLastChild) {
            if (CleanUpContainedNodes(cachedRoot, cachedFrame, last, lastChildIndex))
                cacheIndex--;
            tracker.removeLast();
            lastChildIndex = last->mCachedNodeIndex;
            last = &tracker.last();
        }
        do {
            const ClipColumnTracker* lastClip = &clipTracker.last();
            if (node != lastClip->mLastChild)
                break;
            clipTracker.removeLast();
        } while (true);
        do {
            const LayerTracker* lastLayer = &layerTracker.last();
            if (node != lastLayer->mLastChild)
                break;
            layerTracker.removeLast();
        } while (true);
        do {
            const TabIndexTracker* lastTabIndex = &tabIndexTracker.last();
            if (node != lastTabIndex->mLastChild)
                break;
            tabIndexTracker.removeLast();
        } while (true);
        Frame* child = HasFrame(node);
        CachedNode cachedNode;
        if (child != NULL) {
            if (child->document() == NULL)
                continue;
            RenderObject* nodeRenderer = node->renderer();
            if (nodeRenderer != NULL && nodeRenderer->style()->visibility() == HIDDEN)
                continue;
            CachedFrame cachedChild;
            cachedChild.init(cachedRoot, cacheIndex, child);
            int childFrameIndex = cachedFrame->childCount();
            cachedFrame->addFrame(cachedChild);
            cachedNode.init(node);
            cachedNode.setIndex(cacheIndex++);
            cachedNode.setDataIndex(childFrameIndex);
            cachedNode.setType(FRAME_CACHEDNODETYPE);
#if DUMP_NAV_CACHE
            cachedNode.mDebug.mNodeIndex = nodeIndex;
            cachedNode.mDebug.mParentGroupIndex = Debug::ParentIndex(
                node, nodeIndex, NULL);
#endif
            cachedFrame->add(cachedNode);
            CachedFrame* childPtr = cachedFrame->lastChild();
            BuildFrame(root, child, cachedRoot, childPtr);
            continue;
        }
        int tabIndex = node->tabIndex();
        Node* lastChild = node->lastChild();
        if (tabIndex <= 0)
            tabIndex = tabIndexTracker.last().mTabIndex;
        else if (tabIndex > 0 && lastChild) {
            DBG_NAV_LOGD("tabIndex=%d node=%p", tabIndex, node);
            tabIndexTracker.grow(tabIndexTracker.size() + 1);
            TabIndexTracker& indexTracker = tabIndexTracker.last();
            indexTracker.mTabIndex = tabIndex;
            indexTracker.mLastChild = OneAfter(lastChild);
        }
        RenderObject* nodeRenderer = node->renderer();
        bool isTransparent = false;
        bool hasCursorRing = true;
        if (nodeRenderer != NULL) {
            RenderStyle* style = nodeRenderer->style();
            if (style->visibility() == HIDDEN)
                continue;
            isTransparent = nodeRenderer->hasBackground() == false;
#ifdef ANDROID_CSS_TAP_HIGHLIGHT_COLOR
            hasCursorRing = style->tapHighlightColor().alpha() > 0;
#endif
#if USE(ACCELERATED_COMPOSITING)
            // If this renderer has its own layer and the layer is composited,
            // start tracking it.
            if (lastChild && nodeRenderer->hasLayer() && toRenderBoxModelObject(nodeRenderer)->layer()->backing())
                TrackLayer(layerTracker, nodeRenderer, lastChild, globalOffsetX, globalOffsetY);
#endif
        }
        bool more = walk.mMore;
        walk.reset();
     //   GetGlobalBounds(node, &bounds, false);
        bool hasClip = false;
        bool hasMouseOver = false;
        bool isUnclipped = false;
        bool isFocus = node == focused;
        bool takesFocus = false;
        int columnGap = 0;
        int imageCount = 0;
        TextDirection direction = LTR;
        String exported;
        CachedNodeType type = NORMAL_CACHEDNODETYPE;
        CachedColor cachedColor;
        CachedInput cachedInput;
        IntRect bounds;
        IntRect absBounds;
        IntRect originalAbsBounds;
        ColumnInfo* columnInfo = NULL;
        if (node->hasTagName(HTMLNames::areaTag)) {
            type = AREA_CACHEDNODETYPE;
            HTMLAreaElement* area = static_cast<HTMLAreaElement*>(node);
            bounds = getAreaRect(area);
            originalAbsBounds = bounds;
            bounds.move(globalOffsetX, globalOffsetY);
            absBounds = bounds;
            isUnclipped = true;  // FIXME: areamaps require more effort to detect
             // assume areamaps are always visible for now
            takesFocus = true;
            goto keepNode;
        }
        if (nodeRenderer == NULL)
            continue;
        // some common setup
        absBounds = nodeRenderer->absoluteBoundingBoxRect();
        originalAbsBounds = absBounds;
        absBounds.move(globalOffsetX, globalOffsetY);
        hasClip = nodeRenderer->hasOverflowClip();
        if (checkForPluginViewThatWantsFocus(nodeRenderer)) {
            bounds = absBounds;
            isUnclipped = true;
            takesFocus = true;
            type = PLUGIN_CACHEDNODETYPE;
            goto keepNode;
        }
        // Only use the root contentEditable element
        if (node->rendererIsEditable() && !node->parentOrHostNode()->rendererIsEditable()) {
            bounds = absBounds;
            takesFocus = true;
            type = CONTENT_EDITABLE_CACHEDNODETYPE;
            goto keepNode;
        }
        if (nodeRenderer->isRenderBlock()) {
            RenderBlock* renderBlock = (RenderBlock*) nodeRenderer;
            if (renderBlock->hasColumns()) {
                columnInfo = renderBlock->columnInfo();
                columnGap = renderBlock->columnGap();
                direction = renderBlock->style()->direction();
            }
        }
        if ((hasClip != false || columnInfo != NULL) && lastChild) {
            clipTracker.grow(clipTracker.size() + 1);
            ClipColumnTracker& clip = clipTracker.last();
            clip.mBounds = absBounds;
            clip.mLastChild = OneAfter(lastChild);
            clip.mNode = node;
            clip.mColumnInfo = columnInfo;
            clip.mColumnGap = columnGap;
            clip.mHasClip = hasClip;
            clip.mDirection = direction;
            if (columnInfo != NULL) {
                const IntRect& oRect = ((RenderBox*)nodeRenderer)->visualOverflowRect();
                clip.mBounds.move(oRect.x(), oRect.y());
            }
        }
        if (node->isTextNode() && mAllowableTypes != NORMAL_CACHEDNODE_BITS) {
            if (last->mSomeParentTakesFocus) // don't look at text inside focusable node
                continue;
            CachedNodeType checkType;
            if (isFocusableText(&walk, more, node, &checkType, 
                    &exported) == false)
                continue;
        #if DUMP_NAV_CACHE
            { 
                char buffer[DEBUG_BUFFER_SIZE];
                mDebug.init(buffer, sizeof(buffer));
                mDebug.print("text link found: ");
                mDebug.wideString(exported);
                DUMP_NAV_LOGD("%s\n", buffer);
            }
        #endif
            type = checkType;
            // !!! test ! is the following line correctly needed for frames to work?
            cachedNode.init(node);
            const ClipColumnTracker& clipTrack = clipTracker.last();
            const IntRect& clip = clipTrack.mHasClip ? clipTrack.mBounds :
                IntRect(0, 0, INT_MAX, INT_MAX);
            if (ConstructTextRects((WebCore::Text*) node, walk.mStart, 
                    (WebCore::Text*) walk.mFinalNode, walk.mEnd, globalOffsetX,
                    globalOffsetY, &bounds, clip, &cachedNode.mCursorRing) == false)
                continue;
            absBounds = bounds;
            cachedNode.setBounds(bounds);
            if (bounds.width() < MINIMUM_FOCUSABLE_WIDTH)
                continue;
            if (bounds.height() < MINIMUM_FOCUSABLE_HEIGHT)
                continue;
            isUnclipped = true;  // FIXME: to hide or partially occlude synthesized links, each
                                 // focus ring will also need the offset and length of characters
                                 // used to produce it
            goto keepTextNode;
        }
        if (node->hasTagName(WebCore::HTMLNames::inputTag)) {
            HTMLInputElement* input = static_cast<HTMLInputElement*>(node);
            if (input->isTextField()) {
                if (input->readOnly())
                    continue;
                type = TEXT_INPUT_CACHEDNODETYPE;
                cachedInput.init();
                cachedInput.setAutoComplete(input->autoComplete());
                cachedInput.setSpellcheck(input->spellcheck());
                cachedInput.setFormPointer(input->form());
                cachedInput.setIsTextField(true);
                exported = input->value().threadsafeCopy();
                cachedInput.setMaxLength(input->maxLength());
                cachedInput.setTypeFromElement(input);
    // If this does not need to be threadsafe, we can use crossThreadString().
    // See http://trac.webkit.org/changeset/49160.
                cachedInput.setName(input->name().string().threadsafeCopy());
    // can't detect if this is drawn on top (example: deviant.com login parts)
                isUnclipped = isTransparent;
            } else if (input->isInputTypeHidden())
                continue;
            else if (input->isRadioButton() || input->isCheckbox())
                isTransparent = false;
        } else if (node->hasTagName(HTMLNames::textareaTag)) {
            HTMLTextAreaElement* area = static_cast<HTMLTextAreaElement*>(node);
            if (area->readOnly())
                continue;
            cachedInput.init();
            type = TEXT_INPUT_CACHEDNODETYPE;
            cachedInput.setFormPointer(area->form());
            cachedInput.setIsTextArea(true);
            cachedInput.setSpellcheck(area->spellcheck());
            exported = area->value().threadsafeCopy();
        } else if (node->hasTagName(HTMLNames::aTag)) {
            const HTMLAnchorElement* anchorNode = 
                (const HTMLAnchorElement*) node;
            if (!anchorNode->isFocusable() && !HasTriggerEvent(node))
                continue;
            if (node->disabled())
                continue;
            hasMouseOver = NodeHasEventListeners(node, &eventNames().mouseoverEvent, 1);
            type = ANCHOR_CACHEDNODETYPE;
            KURL href = anchorNode->href();
            if (!href.isEmpty() && !WebCore::protocolIsJavaScript(href.string()))
                // Set the exported string for all non-javascript anchors.
                exported = href.string().threadsafeCopy();
        } else if (node->hasTagName(HTMLNames::selectTag)) {
            type = SELECT_CACHEDNODETYPE;
        }
        if (type == TEXT_INPUT_CACHEDNODETYPE) {
            RenderTextControl* renderText = 
                static_cast<RenderTextControl*>(nodeRenderer);
            if (isFocus)
                cachedRoot->setSelection(renderText->selectionStart(), renderText->selectionEnd());
            // FIXME: Are we sure there will always be a style and font, and it's correct?
            RenderStyle* style = nodeRenderer->style();
            if (style) {
                isUnclipped |= !style->hasAppearance();
                int lineHeight = -1;
                Length lineHeightLength = style->lineHeight();
                // If the lineHeight is negative, WebTextView will calculate it
                // based on the text size, using the Paint.
                // See RenderStyle.computedLineHeight.
                if (lineHeightLength.isPositive())
                    lineHeight = style->computedLineHeight();
                cachedInput.setLineHeight(lineHeight);
                cachedInput.setTextSize(style->font().size());
                cachedInput.setIsRtlText(style->direction() == RTL
                        || style->textAlign() == WebCore::RIGHT
                        || style->textAlign() == WebCore::WEBKIT_RIGHT);
            }
            cachedInput.setPaddingLeft(renderText->paddingLeft() + renderText->borderLeft());
            cachedInput.setPaddingTop(renderText->paddingTop() + renderText->borderTop());
            cachedInput.setPaddingRight(renderText->paddingRight() + renderText->borderRight());
            cachedInput.setPaddingBottom(renderText->paddingBottom() + renderText->borderBottom());
        }
        takesFocus = true;
        bounds = absBounds;
        if (type != ANCHOR_CACHEDNODETYPE) {
            bool isFocusable = node->isKeyboardFocusable(NULL) || 
                node->isMouseFocusable() || node->isFocusable();
            if (isFocusable == false) {
                if (node->disabled())
                    continue;
                bool overOrOut = HasOverOrOut(node);
                bool hasTrigger = HasTriggerEvent(node);
                if (overOrOut == false && hasTrigger == false)
                    continue;
                takesFocus = hasTrigger;
            }
        }
    keepNode:
        cachedNode.init(node);
        cachedNode.setBounds(bounds);
        cachedNode.mCursorRing.append(bounds);
    keepTextNode:
        if (nodeRenderer) { // area tags' node->renderer() == 0
            RenderStyle* style = nodeRenderer->style();
            const void* styleDataPtr = style->ringData();
            // to save time, see if we're pointing to the same style data as before
            if (lastStyleDataPtr != styleDataPtr) {
                lastStyleDataPtr = styleDataPtr;
                cachedColor.setFillColor(style->ringFillColor());
                cachedColor.setInnerWidth(style->ringInnerWidth());
                cachedColor.setOuterWidth(style->ringOuterWidth());
                cachedColor.setOutset(style->ringOutset());
                cachedColor.setPressedInnerColor(style->ringPressedInnerColor());
                cachedColor.setPressedOuterColor(style->ringPressedOuterColor());
                cachedColor.setRadius(style->ringRadius());
                cachedColor.setSelectedInnerColor(style->ringSelectedInnerColor());
                cachedColor.setSelectedOuterColor(style->ringSelectedOuterColor());
                int oldSize = colorTracker.size();
                colorIndex = FindColorIndex(colorTracker, cachedColor);
                if (colorIndex == oldSize)
                    cachedFrame->add(cachedColor);
            }
        } else
            colorIndex = 0;
        IntRect clip = hasClip ? bounds : absBounds;
        size_t clipIndex = clipTracker.size();
        if (clipTracker.last().mNode == node)
            clipIndex -= 1;
        while (--clipIndex > 0) {
            const ClipColumnTracker& clipTrack = clipTracker.at(clipIndex);
            if (clipTrack.mHasClip == false) {
                adjustForColumns(clipTrack, &cachedNode, &absBounds, static_cast<RenderBlock*>(nodeRenderer));
                continue;
            }
            const IntRect& parentClip = clipTrack.mBounds;
            if (hasClip == false && type == ANCHOR_CACHEDNODETYPE)
                clip = parentClip;
            else
                clip.intersect(parentClip);
            hasClip = true;
        }
        bool isInLayer = false;
#if USE(ACCELERATED_COMPOSITING)
        // If this renderer has a composited parent layer (including itself),
        // add the node to the cached layer.
        // FIXME: does not work for area rects
        RenderLayer* enclosingLayer = nodeRenderer->enclosingLayer();
        if (enclosingLayer && enclosingLayer->enclosingCompositingLayer()) {
            LayerAndroid* layer = layerTracker.last().mLayer;
            if (layer) {
                const IntRect& layerClip = layerTracker.last().mBounds;
                if (!layerClip.isEmpty() && !cachedNode.clip(layerClip)) {
                    DBG_NAV_LOGD("skipped on layer clip %d", cacheIndex);
                    continue; // skip this node if outside of the clip
                }
                isInLayer = true;
                isUnclipped = true; // assume that layers do not have occluded nodes
                hasClip = false;
                AddLayer(cachedFrame, cachedFrame->size(), layerClip.location(),
                         layer->uniqueId());
            }
        }
#endif
        if (hasClip) {
            if (clip.isEmpty())
                continue; // skip this node if clip prevents all drawing
            else if (cachedNode.clip(clip) == false)
                continue; // skip this node if outside of the clip
        }
        cachedNode.setColorIndex(colorIndex);
        cachedNode.setExport(exported);
        cachedNode.setHasCursorRing(hasCursorRing);
        cachedNode.setHasMouseOver(hasMouseOver);
        cachedNode.setHitBounds(absBounds);
        cachedNode.setIndex(cacheIndex);
        cachedNode.setIsFocus(isFocus);
        cachedNode.setIsInLayer(isInLayer);
        cachedNode.setIsTransparent(isTransparent);
        cachedNode.setIsUnclipped(isUnclipped);
        cachedNode.setOriginalAbsoluteBounds(originalAbsBounds);
        cachedNode.setParentIndex(last->mCachedNodeIndex);
        cachedNode.setParentGroup(ParentWithChildren(node));
        cachedNode.setSingleImage(imageCount == 1);
        cachedNode.setTabIndex(tabIndex);
        cachedNode.setType(type);
        if (type == TEXT_INPUT_CACHEDNODETYPE) {
            cachedFrame->add(cachedInput);
            cachedNode.setDataIndex(textInputIndex);
            textInputIndex++;
        } else
            cachedNode.setDataIndex(-1);
#if DUMP_NAV_CACHE
        cachedNode.mDebug.mNodeIndex = nodeIndex;
        cachedNode.mDebug.mParentGroupIndex = Debug::ParentIndex(
            node, nodeIndex, (Node*) cachedNode.parentGroup());
#endif
        cachedFrame->add(cachedNode);
        {
            int lastIndex = cachedFrame->size() - 1;
            if (node == focused) {
                CachedNode* cachedNodePtr = cachedFrame->getIndex(lastIndex);
                cachedRoot->setCachedFocus(cachedFrame, cachedNodePtr);
            }
            if (lastChild != NULL) {
                tracker.grow(tracker.size() + 1);
                FocusTracker& working = tracker.last();
                working.mCachedNodeIndex = lastIndex;
                working.mLastChild = OneAfter(lastChild);
                last = &tracker.at(tracker.size() - 2);
                working.mSomeParentTakesFocus = last->mSomeParentTakesFocus | takesFocus;
            } 
        }
        cacheIndex++;
    }
    while (tracker.size() > 1) {
        FocusTracker* last = &tracker.last();
        int lastChildIndex = cachedFrame->size() - 1;
        if (CleanUpContainedNodes(cachedRoot, cachedFrame, last, lastChildIndex))
            cacheIndex--;
        tracker.removeLast();
    }
}
bool CacheBuilder::CleanUpContainedNodes(CachedRoot* cachedRoot,
    CachedFrame* cachedFrame, const FocusTracker* last, int lastChildIndex)
{
    // if outer is body, disable outer
    // or if there's more than one inner, disable outer
    // or if inner is keyboard focusable, disable outer
    // else disable inner by removing it
    int childCount = lastChildIndex - last->mCachedNodeIndex;
    if (childCount == 0)
        return false;
    CachedNode* lastCached = cachedFrame->getIndex(last->mCachedNodeIndex);
    Node* lastNode = (Node*) lastCached->nodePointer();
    if ((childCount > 1 && lastNode->hasTagName(HTMLNames::selectTag) == false) ||
            lastNode->hasTagName(HTMLNames::bodyTag) ||
            lastNode->hasTagName(HTMLNames::formTag)) {
        lastCached->setBounds(IntRect(0, 0, 0, 0));
        lastCached->mCursorRing.clear();
        return false;
    }
    CachedNode* onlyChildCached = cachedFrame->lastNode();
    Node* onlyChild = (Node*) onlyChildCached->nodePointer();
    bool outerIsMouseMoveOnly = 
        lastNode->isKeyboardFocusable(NULL) == false && 
        lastNode->isMouseFocusable() == false &&
        lastNode->isFocusable() == false &&
        HasOverOrOut(lastNode) == true && 
        HasTriggerEvent(lastNode) == false;
    if (onlyChildCached->parent() == lastCached)
        onlyChildCached->setParentIndex(lastCached->parentIndex());
    bool hasFocus = lastCached->isFocus() || onlyChildCached->isFocus();
    if (outerIsMouseMoveOnly || onlyChild->isKeyboardFocusable(NULL)
            || onlyChildCached->isPlugin()) {
        int index = lastCached->index();
        *lastCached = *onlyChildCached;
        lastCached->setIndex(index);
        CachedFrame* frame = cachedFrame->hasFrame(lastCached);
        if (frame)
            frame->setIndexInParent(index);
    }
    cachedFrame->removeLast();
    if (hasFocus)
        cachedRoot->setCachedFocus(cachedFrame, cachedFrame->lastNode());
    return true;
}
Node* CacheBuilder::currentFocus() const
{
    Frame* frame = FrameAnd(this);
    Document* doc = frame->document();
    if (doc != NULL) {
        Node* focus = doc->focusedNode();
        if (focus != NULL)
            return focus;
    }
    Frame* child = frame->tree()->firstChild();
    while (child) {
        CacheBuilder* cacheBuilder = Builder(child);
        Node* focus = cacheBuilder->currentFocus();
        if (focus)
            return focus;
        child = child->tree()->nextSibling();
    }
    return NULL;
}
static bool strCharCmp(const char* matches, const UChar* test, int wordLength, 
    int wordCount)
{
    for (int index = 0; index < wordCount; index++) {
        for (int inner = 0; inner < wordLength; inner++) {
            if (matches[inner] != test[inner]) {
                matches += wordLength;
                goto next;
            }
        }
        return true;
next:
        ;
    }
    return false;
}
static const int stateTwoLetter[] = {
    0x02060c00,  // A followed by: [KLRSZ]
    0x00000000,  // B
    0x00084001,  // C followed by: [AOT]
    0x00000014,  // D followed by: [CE]
    0x00000000,  // E
    0x00001800,  // F followed by: [LM]
    0x00100001,  // G followed by: [AU]
    0x00000100,  // H followed by: [I]
    0x00002809,  // I followed by: [ADLN]
    0x00000000,  // J
    0x01040000,  // K followed by: [SY]
    0x00000001,  // L followed by: [A]
    0x000ce199,  // M followed by: [ADEHINOPST]
    0x0120129c,  // N followed by: [CDEHJMVY]
    0x00020480,  // O followed by: [HKR]
    0x00420001,  // P followed by: [ARW]
    0x00000000,  // Q
    0x00000100,  // R followed by: [I]
    0x0000000c,  // S followed by: [CD]
    0x00802000,  // T followed by: [NX]
    0x00080000,  // U followed by: [T]
    0x00080101,  // V followed by: [AIT]
    0x01200101   // W followed by: [AIVY]
};
static const char firstIndex[] = {
     0,  5,  5,  8, 10, 10, 12, 14, 
    15, 19, 19, 21, 22, 32, 40, 43, 
    46, 46, 47, 49, 51, 52, 55, 59  
};
// from http://infolab.stanford.edu/~manku/bitcount/bitcount.html
#define TWO(c)     (0x1u << (c))
#define MASK(c)    (((unsigned int)(-1)) / (TWO(TWO(c)) + 1u))
#define COUNT(x,c) ((x) & MASK(c)) + (((x) >> (TWO(c))) & MASK(c))
 
int bitcount (unsigned int n)
{
    n = COUNT(n, 0);
    n = COUNT(n, 1);
    n = COUNT(n, 2);
    n = COUNT(n, 3);
    return COUNT(n, 4);
}
#undef TWO
#undef MASK
#undef COUNT
static bool isUnicodeSpace(UChar ch)
{
    return ch == ' ' || ch == '\t' || ch == '\n' || ch == '\r' || ch == 0xa0;
}
static bool validZip(int stateIndex, const UChar* zipPtr) 
{
    enum USState {
        AP = -4, // AP (military base in the Pacific)
        AA = -3, // AA (military base inside the US)
        AE = -2, // AE (military base outside the US)
        XX = -1, // (not in use)
        AK =  0, // AK Alaska
        AL =  1, // AL Alabama
        AR =  2, // AR Arkansas
        AS =  3, // AS American Samoa
        AZ =  4, // AZ Arizona
        CA =  5, // CA California
        CO =  6, // CO Colorado
        CT =  7, // CT Connecticut
        DC =  8, // DC District of Columbia
        DE =  9, // DE Delaware
        FL = 10, // FL Florida
        FM = 11, // FM Federated States of Micronesia
        GA = 12, // GA Georgia
        GU = 13, // GU Guam
        HI = 14, // HI Hawaii
        IA = 15, // IA Iowa
        ID = 16, // ID Idaho
        IL = 17, // IL Illinois
        IN = 18, // IN Indiana
        KS = 19, // KS Kansas
        KY = 20, // KY Kentucky
        LA = 21, // LA Louisiana
        MA = 22, // MA Massachusetts
        MD = 23, // MD Maryland
        ME = 24, // ME Maine
        MH = 25, // MH Marshall Islands
        MI = 26, // MI Michigan
        MN = 27, // MN Minnesota
        MO = 28, // MO Missouri
        MP = 29, // MP Northern Mariana Islands
        MS = 30, // MS Mississippi
        MT = 31, // MT Montana
        NC = 32, // NC North Carolina
        ND = 33, // ND North Dakota
        NE = 34, // NE Nebraska
        NH = 35, // NH New Hampshire
        NJ = 36, // NJ New Jersey
        NM = 37, // NM New Mexico
        NV = 38, // NV Nevada
        NY = 39, // NY New York
        OH = 40, // OH Ohio
        OK = 41, // OK Oklahoma
        OR = 42, // OR Oregon
        PA = 43, // PA Pennsylvania
        PR = 44, // PR Puerto Rico
        PW = 45, // PW Palau
        RI = 46, // RI Rhode Island
        SC = 47, // SC South Carolina
        SD = 48, // SD South Dakota
        TN = 49, // TN Tennessee
        TX = 50, // TX Texas
        UT = 51, // UT Utah
        VA = 52, // VA Virginia
        VI = 53, // VI Virgin Islands
        VT = 54, // VT Vermont
        WA = 55, // WA Washington
        WI = 56, // WI Wisconsin
        WV = 57, // WV West Virginia
        WY = 58, // WY Wyoming
    };
    static const USState stateForZipPrefix[] = {
    //   0   1   2   3   4   5   6   7   8   9
        XX, XX, XX, XX, XX, NY, PR, PR, VI, PR, // 000-009
        MA, MA, MA, MA, MA, MA, MA, MA, MA, MA, // 010-019
        MA, MA, MA, MA, MA, MA, MA, MA, RI, RI, // 020-029
        NH, NH, NH, NH, NH, NH, NH, NH, NH, ME, // 030-039
        ME, ME, ME, ME, ME, ME, ME, ME, ME, ME, // 040-049
        VT, VT, VT, VT, VT, MA, VT, VT, VT, VT, // 050-059
        CT, CT, CT, CT, CT, CT, CT, CT, CT, CT, // 060-069
        NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, // 070-079
        NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, NJ, // 080-089
        AE, AE, AE, AE, AE, AE, AE, AE, AE, XX, // 090-099
        NY, NY, NY, NY, NY, NY, NY, NY, NY, NY, // 100-109
        NY, NY, NY, NY, NY, NY, NY, NY, NY, NY, // 110-119
        NY, NY, NY, NY, NY, NY, NY, NY, NY, NY, // 120-129
        NY, NY, NY, NY, NY, NY, NY, NY, NY, NY, // 130-139
        NY, NY, NY, NY, NY, NY, NY, NY, NY, NY, // 140-149
        PA, PA, PA, PA, PA, PA, PA, PA, PA, PA, // 150-159
        PA, PA, PA, PA, PA, PA, PA, PA, PA, PA, // 160-169
        PA, PA, PA, PA, PA, PA, PA, PA, PA, PA, // 170-179
        PA, PA, PA, PA, PA, PA, PA, PA, PA, PA, // 180-189
        PA, PA, PA, PA, PA, PA, PA, DE, DE, DE, // 190-199
        DC, VA, DC, DC, DC, DC, MD, MD, MD, MD, // 200-209
        MD, MD, MD, XX, MD, MD, MD, MD, MD, MD, // 210-219
        VA, VA, VA, VA, VA, VA, VA, VA, VA, VA, // 220-229
        VA, VA, VA, VA, VA, VA, VA, VA, VA, VA, // 230-239
        VA, VA, VA, VA, VA, VA, VA, WV, WV, WV, // 240-249
        WV, WV, WV, WV, WV, WV, WV, WV, WV, WV, // 250-259
        WV, WV, WV, WV, WV, WV, WV, WV, WV, XX, // 260-269
        NC, NC, NC, NC, NC, NC, NC, NC, NC, NC, // 270-279
        NC, NC, NC, NC, NC, NC, NC, NC, NC, NC, // 280-289
        SC, SC, SC, SC, SC, SC, SC, SC, SC, SC, // 290-299
        GA, GA, GA, GA, GA, GA, GA, GA, GA, GA, // 300-309
        GA, GA, GA, GA, GA, GA, GA, GA, GA, GA, // 310-319
        FL, FL, FL, FL, FL, FL, FL, FL, FL, FL, // 320-329
        FL, FL, FL, FL, FL, FL, FL, FL, FL, FL, // 330-339
        AA, FL, FL, XX, FL, XX, FL, FL, XX, FL, // 340-349
        AL, AL, AL, XX, AL, AL, AL, AL, AL, AL, // 350-359
        AL, AL, AL, AL, AL, AL, AL, AL, AL, AL, // 360-369
        TN, TN, TN, TN, TN, TN, TN, TN, TN, TN, // 370-379
        TN, TN, TN, TN, TN, TN, MS, MS, MS, MS, // 380-389
        MS, MS, MS, MS, MS, MS, MS, MS, GA, GA, // 390-399
        KY, KY, KY, KY, KY, KY, KY, KY, KY, KY, // 400-409
        KY, KY, KY, KY, KY, KY, KY, KY, KY, XX, // 410-419
        KY, KY, KY, KY, KY, KY, KY, KY, XX, XX, // 420-429
        OH, OH, OH, OH, OH, OH, OH, OH, OH, OH, // 430-439
        OH, OH, OH, OH, OH, OH, OH, OH, OH, OH, // 440-449
        OH, OH, OH, OH, OH, OH, OH, OH, OH, OH, // 450-459
        IN, IN, IN, IN, IN, IN, IN, IN, IN, IN, // 460-469
        IN, IN, IN, IN, IN, IN, IN, IN, IN, IN, // 470-479
        MI, MI, MI, MI, MI, MI, MI, MI, MI, MI, // 480-489
        MI, MI, MI, MI, MI, MI, MI, MI, MI, MI, // 490-499
        IA, IA, IA, IA, IA, IA, IA, IA, IA, IA, // 500-509
        IA, IA, IA, IA, IA, IA, IA, XX, XX, XX, // 510-519
        IA, IA, IA, IA, IA, IA, IA, IA, IA, XX, // 520-529
        WI, WI, WI, XX, WI, WI, XX, WI, WI, WI, // 530-539
        WI, WI, WI, WI, WI, WI, WI, WI, WI, WI, // 540-549
        MN, MN, XX, MN, MN, MN, MN, MN, MN, MN, // 550-559
        MN, MN, MN, MN, MN, MN, MN, MN, XX, DC, // 560-569
        SD, SD, SD, SD, SD, SD, SD, SD, XX, XX, // 570-579
        ND, ND, ND, ND, ND, ND, ND, ND, ND, XX, // 580-589
        MT, MT, MT, MT, MT, MT, MT, MT, MT, MT, // 590-599
        IL, IL, IL, IL, IL, IL, IL, IL, IL, IL, // 600-609
        IL, IL, IL, IL, IL, IL, IL, IL, IL, IL, // 610-619
        IL, XX, IL, IL, IL, IL, IL, IL, IL, IL, // 620-629
        MO, MO, XX, MO, MO, MO, MO, MO, MO, MO, // 630-639
        MO, MO, XX, XX, MO, MO, MO, MO, MO, MO, // 640-649
        MO, MO, MO, MO, MO, MO, MO, MO, MO, XX, // 650-659
        KS, KS, KS, XX, KS, KS, KS, KS, KS, KS, // 660-669
        KS, KS, KS, KS, KS, KS, KS, KS, KS, KS, // 670-679
        NE, NE, XX, NE, NE, NE, NE, NE, NE, NE, // 680-689
        NE, NE, NE, NE, XX, XX, XX, XX, XX, XX, // 690-699
        LA, LA, XX, LA, LA, LA, LA, LA, LA, XX, // 700-709
        LA, LA, LA, LA, LA, XX, AR, AR, AR, AR, // 710-719
        AR, AR, AR, AR, AR, AR, AR, AR, AR, AR, // 720-729
        OK, OK, XX, TX, OK, OK, OK, OK, OK, OK, // 730-739
        OK, OK, XX, OK, OK, OK, OK, OK, OK, OK, // 740-749
        TX, TX, TX, TX, TX, TX, TX, TX, TX, TX, // 750-759
        TX, TX, TX, TX, TX, TX, TX, TX, TX, TX, // 760-769
        TX, XX, TX, TX, TX, TX, TX, TX, TX, TX, // 770-779
        TX, TX, TX, TX, TX, TX, TX, TX, TX, TX, // 780-789
        TX, TX, TX, TX, TX, TX, TX, TX, TX, TX, // 790-799
        CO, CO, CO, CO, CO, CO, CO, CO, CO, CO, // 800-809
        CO, CO, CO, CO, CO, CO, CO, XX, XX, XX, // 810-819
        WY, WY, WY, WY, WY, WY, WY, WY, WY, WY, // 820-829
        WY, WY, ID, ID, ID, ID, ID, ID, ID, XX, // 830-839
        UT, UT, UT, UT, UT, UT, UT, UT, XX, XX, // 840-849
        AZ, AZ, AZ, AZ, XX, AZ, AZ, AZ, XX, AZ, // 850-859
        AZ, XX, XX, AZ, AZ, AZ, XX, XX, XX, XX, // 860-869
        NM, NM, NM, NM, NM, NM, XX, NM, NM, NM, // 870-879
        NM, NM, NM, NM, NM, TX, XX, XX, XX, NV, // 880-889
        NV, NV, XX, NV, NV, NV, XX, NV, NV, XX, // 890-899
        CA, CA, CA, CA, CA, CA, CA, CA, CA, XX, // 900-909
        CA, CA, CA, CA, CA, CA, CA, CA, CA, CA, // 910-919
        CA, CA, CA, CA, CA, CA, CA, CA, CA, XX, // 920-929
        CA, CA, CA, CA, CA, CA, CA, CA, CA, CA, // 930-939
        CA, CA, CA, CA, CA, CA, CA, CA, CA, CA, // 940-949
        CA, CA, CA, CA, CA, CA, CA, CA, CA, CA, // 950-959
        CA, CA, AP, AP, AP, AP, AP, HI, HI, GU, // 960-969
        OR, OR, OR, OR, OR, OR, OR, OR, OR, OR, // 970-979
        WA, WA, WA, WA, WA, WA, WA, XX, WA, WA, // 980-989
        WA, WA, WA, WA, WA, AK, AK, AK, AK, AK, // 990-999
    };
    if (!zipPtr || !zipPtr[0] || !zipPtr[1] || !zipPtr[2])
        return false;
    if (zipPtr[0] < '0' || zipPtr[0] > '9' ||
        zipPtr[1] < '0' || zipPtr[1] > '9' ||
        zipPtr[2] < '0' || zipPtr[2] > '9')
        return false;
    int zip = zipPtr[0] - '0';
    zip *= 10;
    zip += zipPtr[1] - '0';
    zip *= 10;
    zip += zipPtr[2] - '0';
    return stateForZipPrefix[zip] == stateIndex;
}
#define MAX_PLACE_NAME_LENGTH 25 // the longest allowable one word place name
CacheBuilder::FoundState CacheBuilder::FindAddress(const UChar* chars,
    unsigned length, int* start, int* end, bool caseInsensitive)
{
    FindState addressState;
    FindReset(&addressState);
    addressState.mWords[0] = addressState.mStarts[0] = chars;
    addressState.mCaseInsensitive = caseInsensitive;
    FoundState state = FindPartialAddress(chars, chars, length, &addressState);
    if (state == FOUND_PARTIAL && addressState.mProgress == ZIP_CODE &&
            addressState.mNumberCount == 0) {
        addressState.mProgress = FIND_STREET;
        state = FindPartialAddress(NULL, NULL, 0, &addressState);
    }
    *start = addressState.mStartResult;
    *end = addressState.mEndResult;
    return state;
}
CacheBuilder::FoundState CacheBuilder::FindPartialAddress(const UChar* baseChars,
    const UChar* chars, unsigned length, FindState* s)
{
    // lower case letters are optional; trailing asterisk is optional 's'
    static char const* const longStreetNames[] = {
        "\x04" "LleY" "\x04" "NneX" "\x05" "RCade" "\x05" "VEnue" "\x06" "LAMEDA", // A
        "\x04" "aYoU" "\x04" "eaCH" "\x03" "eND" "\x05" "LuFf*" "\x05" "oTtoM"
            "\x08" "ouLeVarD" "\x05" "Ranch" "\x05" "RidGe" "\x05" "RooK*"
            "\x04" "urG*" "\x05" "YPass" "\x07" "roadWAY", // B
        "\x05" "AMINO"
        "\x03" "amP" "\x05" "anYoN" "\x03" "aPE" "\x07" "auSeWaY" "\x06" "enTeR*"
            "\x06" "IRcle*" "\x05" "LiFf*" "\x03" "LuB" "\x05" "oMmoN" "\x06" "ORner*"
            "\x05" "ouRSE" "\x05" "ourT*" "\x04" "oVe*" "\x04" "ReeK" "\x07" "REScent"
            "\x04" "ReST" "\x07" "ROSSING" "\x08" "ROSSROAD" "\x04" "URVe"
            "\x05" "AMINO" "\x06" "IRCULO" "\x07" "REScent", // C
        "\x03" "aLe" "\x02" "aM" "\x05" "iVide" "\x05" "Rive*", // D
        "\x06" "STate*" "\x09" "XPresswaY" "\x09" "XTension*", // E
        "\x04" "ALL*" "\x04" "eRrY" "\x05" "ieLD*" "\x04" "LaT*" "\x04" "oRD*"
            "\x05" "oReST" "\x05" "oRGe*" "\x04" "oRK*" "\x03" "orT" "\x06" "reeWaY", // F
        "\x06" "arDeN*" "\x06" "aTeWaY" "\x04" "LeN*" "\x05" "ReeN*" "\x05" "RoVe*", // G
        "\x06" "arBoR*" "\x04" "aVeN" "\x06" "eighTS" "\x06" "ighWaY" "\x04" "iLl*"
            "\x05" "OLloW", // H
        "\x04" "NLeT" "\x06" "Sland*" "\x03" "SLE", // I
        "\x08" "unCTion*", // J
        "\x03" "eY*" "\x05" "NoLl*", // K
        "\x04" "aKe*" "\x03" "AND" "\x06" "aNDinG" "\x03" "aNe" "\x05" "iGhT*"
            "\x03" "oaF" "\x04" "oCK*" "\x04" "oDGe" "\x03" "OOP", // L
        "\x03" "ALL" "\x05" "aNoR*" "\x06" "eaDoW*" "\x03" "EWS" "\x04" "iLl*"
            "\x06" "iSsioN" "\x07" "oTorWaY" "\x04" "ounT" "\x08" "ounTaiN*", // M
        "\x03" "eCK", // N
        "\x06" "RCHard" "\x03" "VAL" "\x07" "verPASs", // O
        "\x04" "ARK*" "\x07" "arKWaY*" "\x03" "ASS" "\x06" "aSsaGE" "\x03" "ATH"
            "\x03" "IKE" "\x04" "iNE*" "\x04" "Lace" "\x05" "LaiN*" "\x04" "LaZa"
            "\x05" "oinT*" "\x04" "oRT*" "\x06" "Rairie" "\x06" "RIVADA", // P
        NULL,
        "\x05" "ADiaL" "\x03" "AMP" "\x04" "aNCH" "\x05" "aPiD*"
            "\x03" "eST"
            "\x05" "iDGe*" "\x04" "IVer" "\x04" "oaD*" "\x04" "ouTE" "\x02" "OW"
            "\x02" "UE" "\x02" "UN", // R
        "\x05" "HoaL*" "\x05" "HoRe*" "\x05" "KyWaY" "\x06" "PrinG*" "\x04" "PUR*"
            "\x06" "Quare*" "\x06" "TAtion" "\x08" "TRAvenue" "\x05" "TReaM"
            "\x06" "Treet*" "\x05" "uMmiT" "\x07" "PeeDWaY", // S
        "\x06" "ERrace" "\x09" "hRoughWaY" "\x04" "RaCE" "\x04" "RAcK" "\x09" "RaFficwaY"
            "\x04" "RaiL" "\x05" "UNneL" "\x07" "urnPiKE", // T
        "\x08" "nderPASs" "\x05" "Nion*", // U
        "\x06" "aLleY*" "\x06" "IAduct" "\x04" "ieW*" "\x07" "iLlaGe*" "\x04" "iLle"
            "\x04" "ISta", // V
        "\x04" "ALK*" "\x03" "ALL" "\x03" "AY*" "\x04" "eLl*", // W
        "\x03" "ING" "\x02" "RD", // X
    };
    
    static char const* const longStateNames[] = {
        "\x8e" "la" "\x85" "bama" "\x02" "\x84" "ska" "\x01" "\x8f" "merican Samoa" "\x04"
             "\x91" "r" "\x86" "izona" "\x05" "\x87" "kansas" "\x03",
        NULL,
        "\x8b" "alifornia" "\x06" "\x95" "o" "\x87" "lorado" "\x07" "\x8a" "nnecticut" "\x08",
        "\x89" "elaware" "\x0a" "\x95" "istrict of Columbia" "\x09",
        NULL,
        "\x9f" "ederated States of Micronesia" "\x0c" "\x88" "lorida" "\x0b",
        "\x85" "uam" "\x0e" "\x88" "eorgia" "\x0d",
        "\x87" "awaii" "\x0f",
        "\x86" "daho" "\x11" "\x89" "llinois" "\x12" "\x88" "ndiana" "\x13" "\x85"
             "owa" "\x10",
        NULL,
        "\x87" "ansas" "\x14" "\x89" "entucky" "\x15",
        "\x8a" "ouisiana" "\x16",
        "\x86" "aine" "\x19" "\x99" "ar" "\x8e" "shall Islands" "\x1a" "\x86" "yland" "\x18"
             "\x8e" "assachusetts" "\x17" "\x93" "i" "\x87" "chigan" "\x1b"
             "\x88" "nnesota" "\x1c" "\x93" "iss" "\x88" "issippi" "\x1f" "\x85"
             "ouri" "\x1d" "\x88" "ontana" "\x20",
        "\x90" "e" "\x87" "braska" "\x23" "\x85" "vada" "\x27" "\xa5" "ew " "\x8a"
             "Hampshire" "\x24" "\x87" "Jersey" "\x25" "\x87" "Mexico" "\x26"
             "\x85" "York" "\x28" "\x98" "orth " "\x89" "Carolina" "\x21" "\x87"
             "Dakota" "\x22" "\x99" "orthern Mariana Islands" "\x1e",
        "\x85" "hio" "\x29" "\x89" "klahoma" "\x2a" "\x87" "regon" "\x2b",
        "\x86" "alau" "\x2e" "\x8d" "ennsylvania" "\x2c" "\x8c" "uerto Rico" "\x2d",
        NULL,
        "\x8d" "hode Island" "\x2f",
        "\x98" "outh " "\x89" "Carolina" "\x30" "\x87" "Dakota" "\x31",
        "\x90" "e" "\x88" "nnessee" "\x32" "\x84" "xas" "\x33",
        "\x85" "tah" "\x34",
        "\x88" "ermont" "\x37" "\x94" "irgin" "\x89" " Islands" "\x36" "\x83" "ia" "\x35",
        "\x8b" "ashington" "\x38" "\x8e" "est Virginia" "\x3a" "\x8a" "isconsin" "\x39"
             "\x88" "yoming" "\x3b"
    };
     
#if 0 // DEBUG_NAV_UI
    static char const* const progressNames[] = {
        "NO_ADDRESS",
        "SKIP_TO_SPACE",
        "HOUSE_NUMBER",
        "NUMBER_TRAILING_SPACE",
        "ADDRESS_LINE",
        "STATE_NAME",
        "SECOND_HALF",
        "ZIP_CODE",
        "PLUS_4",
        "FIND_STREET"
    };
#endif
    // strategy: US only support at first
    // look for a 1 - 5 digit number for a street number (no support for 'One Microsoft Way')
        // ignore if preceded by '#', Suite, Ste, Rm
    // look for two or more words (up to 5? North Frank Lloyd Wright Blvd)
            // note: "The Circle at North Hills St." has six words, and a lower 'at' -- allow at, by, of, in, the, and, ... ?
        // if a word starts with a lowercase letter, no match
        // allow: , . - # / (for 1/2) ' " 
        // don't look for street name type yet
    // look for one or two delimiters to represent possible 2nd addr line and city name
    // look for either full state name, or state two letters, and/or zip code (5 or 9 digits)
    // now look for street suffix, either in full or abbreviated form, with optional 's' if there's an asterisk 
    s->mCurrentStart = chars;
    s->mEnd = chars + length;
    int candIndex = 0;
    bool retryState;
    bool mustBeAllUpper = false;
    bool secondHalf = false;
    chars -= 1;
    UChar ch = s->mCurrent;
    while (++chars <= s->mEnd) {
        UChar prior = ch;
        ch = chars < s->mEnd ? *chars : ' ';
        switch (s->mProgress) {
            case NO_ADDRESS:
                if (WTF::isASCIIDigit(ch) == false) {
                    if (ch != 'O') // letter 'O', not zero
                        continue;
                    if (s->mEnd - chars < 3)
                        continue;
                    prior = *++chars;
                    ch = *++chars;
                    if ((prior != 'n' || ch != 'e') && (prior != 'N' || ch != 'E'))
                        continue;
                    if (isUnicodeSpace(*++chars) == false)
                        continue;
                    s->mProgress = ADDRESS_LINE;
                    s->mStartResult = chars - 3 - s->mCurrentStart;
                    continue;
                }
                if (isUnicodeSpace(prior) == false) {
                    s->mProgress = SKIP_TO_SPACE;
                    continue;
                }
                s->mNumberCount = 1;
                s->mProgress = HOUSE_NUMBER;
                s->mStartResult = chars - s->mCurrentStart;
                continue;
            case SKIP_TO_SPACE:
                if (isUnicodeSpace(ch) == false)
                    continue;
                break;
            case HOUSE_NUMBER:
                if (WTF::isASCIIDigit(ch)) {
                    if (++s->mNumberCount >= 6)
                        s->mProgress = SKIP_TO_SPACE;
                    continue;
                }
                if (WTF::isASCIIUpper(ch)) { // allow one letter after house number, e.g. 12A SKOLFIELD PL, HARPSWELL, ME 04079
                    if (WTF::isASCIIDigit(prior) == false)
                        s->mProgress = SKIP_TO_SPACE;
                    continue;
                }
                if (ch == '-') {
                    if (s->mNumberCount > 0) { // permit 21-23 ELM ST
                        ++s->mNumberCount;
                        continue;
                    }
                }
                s->mNumberCount = 0;
                s->mProgress = NUMBER_TRAILING_SPACE;
            case NUMBER_TRAILING_SPACE:
                if (isUnicodeSpace(ch))
                    continue;
                if (0 && WTF::isASCIIDigit(ch)) {
                    s->mNumberCount = 1;
                    s->mProgress = HOUSE_NUMBER;
                    s->mStartResult = chars - s->mCurrentStart;
                    continue;
                }
                if (WTF::isASCIIDigit(ch) == false && WTF::isASCIIUpper(ch) == false)
                    break;
                s->mProgress = ADDRESS_LINE;
            case ADDRESS_LINE:
                if (WTF::isASCIIAlpha(ch) || ch == '\'' || ch == '-' || ch == '&' || ch == '(' || ch == ')') {
                    if (++s->mLetterCount > 1) {
                        s->mNumberWords &= ~(1 << s->mWordCount);
                        continue;
                    }
                    if (s->mNumberCount >= 5)
                        break;
// FIXME: the test below was added to give up on a non-address, but it
// incorrectly discards addresses where the house number is in one node
// and the street name is in the next; I don't recall what the failing case
// is that suggested this fix.
//                    if (s->mWordCount == 0 && s->mContinuationNode)
//                        return FOUND_NONE;
                    s->newWord(baseChars, chars);
                    if (WTF::isASCIILower(ch) && s->mNumberCount == 0)
                        s->mFirstLower = chars;
                    s->mNumberCount = 0;
                    if (WTF::isASCIILower(ch) || (WTF::isASCIIAlpha(ch) == false && ch != '-'))
                        s->mNumberWords &= ~(1 << s->mWordCount);
                    s->mUnparsed = true;
                    continue;
                } else if (s->mLetterCount >= MAX_PLACE_NAME_LENGTH) {
                    break;
                } else if (s->mFirstLower != NULL) {
                    if (s->mCaseInsensitive)
                        goto resetWord;
                    size_t length = chars - s->mFirstLower;
                    if (length > 3)
                        break;
                    if (length == 3 && strCharCmp("and" "the", s->mFirstLower, 3, 2) == false)
                        break;
                    if (length == 2 && strCharCmp("at" "by" "el" "in" "of", s->mFirstLower, 2, 5) == false)
                        break;
                    goto resetWord;
                }
                if (ch == ',' || ch == '*') { // delimits lines
                    // asterisk as delimiter: http://www.sa.sc.edu/wellness/members.html
                    if (++s->mLineCount > 5)
                        break;
                    goto lookForState;
                }
                if (isUnicodeSpace(ch) || prior == '-') {
            lookForState:
                    if (s->mUnparsed == false)
                        continue;
                    const UChar* candidate = s->mWords[s->mWordCount];
                    UChar firstLetter = candidate[0];
                    if (WTF::isASCIIUpper(firstLetter) == false && WTF::isASCIIDigit(firstLetter) == false)
                        goto resetWord;
                    s->mWordCount++;
                    if ((s->mWordCount == 2 && s->mNumberWords == 3 && WTF::isASCIIDigit(s->mWords[1][1])) || // choose second of 8888 333 Main
                        (s->mWordCount >= sizeof(s->mWords) / sizeof(s->mWords[0]) - 1)) { // subtract 1 since state names may have two parts
                        // search for simple number already stored since first potential house # didn't pan out 
                        if (s->mNumberWords == 0)
                            break;
                        int shift = 0;
                        while ((s->mNumberWords & (1 << shift)) == 0)
                            shift++;
                        s->mNumberWords >>= ++shift;
                        if (s->mBases[0] != s->mBases[shift]) // if we're past the original node, bail
                            break;
                        s->shiftWords(shift);
                        s->mStartResult = s->mWords[0] - s->mStarts[0];
                        s->mWordCount -= shift;
                        // FIXME: need to adjust lineCount to account for discarded delimiters
                    }
                    if (s->mWordCount < 4) 
                        goto resetWord;
                    firstLetter -= 'A';
                    if (firstLetter > 'W' - 'A')
                        goto resetWord;
                    UChar secondLetter = candidate[1];
                    if (prior == '-')
                        s->mLetterCount--; // trim trailing dashes, to accept CA-94043
                    if (s->mLetterCount == 2) {
                        secondLetter -= 'A';
                        if (secondLetter > 'Z' - 'A')
                            goto resetWord;
                        if ((stateTwoLetter[firstLetter] & 1 << secondLetter) != 0) {
                            // special case to ignore 'et al'
                            if (strCharCmp("ET", s->mWords[s->mWordCount - 2], 2, 1) == false) {                   
                                s->mStateWord = s->mWordCount - 1;
                                s->mZipHint = firstIndex[firstLetter] + 
                                    bitcount(stateTwoLetter[firstLetter] & ((1 << secondLetter) - 1));
                                goto foundStateName;
                            }
                        }
                        goto resetWord;
                    } 
                    s->mStates = longStateNames[firstLetter];
                    if (s->mStates == NULL)
                        goto resetWord;
                    mustBeAllUpper = false;
                    s->mProgress = STATE_NAME;
                    unsigned char section = s->mStates[0];
                    ASSERT(section > 0x80);
                    s->mSectionLength = section & 0x7f;
                    candIndex = 1;
                    secondHalf = false;
                    s->mStateWord = s->mWordCount - 1;
                    goto stateName;
                }
                if (WTF::isASCIIDigit(ch)) {
                    if (s->mLetterCount == 0) {
                        if (++s->mNumberCount > 1)
                            continue;
                        if (s->mWordCount == 0 && s->mContinuationNode)
                            return FOUND_NONE;
                        s->newWord(baseChars, chars);
                        s->mNumberWords |= 1 << s->mWordCount;
                        s->mUnparsed = true;
                    }
                    continue;
                }
                if (ch == '.') { // optionally can follow letters
                    if (s->mLetterCount == 0)
                        break;
                    if (s->mNumberCount > 0)
                        break;
                    continue;
                }
                if (ch == '/') // between numbers (1/2) between words (12 Main / Ste 4d)
                    goto resetWord;
                if (ch == '#') // can precede numbers, allow it to appear randomly
                    goto resetWord;
                if (ch == '"') // sometimes parts of addresses are quoted (FIXME: cite an example here)
                    continue;
                break;
            case SECOND_HALF:
                if (WTF::isASCIIAlpha(ch)) {
                    if (s->mLetterCount == 0) {
                        s->newWord(baseChars, chars);
                        s->mWordCount++;
                    }
                    s->mLetterCount++;
                    continue;
                }
                if (WTF::isASCIIDigit(ch) == false) {
                    if (s->mLetterCount > 0) {
                        s->mProgress = STATE_NAME;
                        candIndex = 0;
                        secondHalf = true;
                        goto stateName;
                    }
                    continue;
                }
                s->mProgress = ADDRESS_LINE;
                goto resetState;
            case STATE_NAME:
            stateName:
                // pick up length of first section
                do {
                    int stateIndex = 1;
                    int skip = 0;
                    int prefix = 0;
                    bool subStr = false;
                    do {
                        unsigned char match = s->mStates[stateIndex];
                        if (match >= 0x80) {
                            if (stateIndex == s->mSectionLength)
                                break;
                            subStr = true;
                  //          if (skip > 0)
                  //              goto foundStateName;
                            prefix = candIndex;
                            skip = match & 0x7f;
                            match = s->mStates[++stateIndex];
                        }
                        UChar candChar = s->mWords[s->mWordCount - 1][candIndex];
                        if (mustBeAllUpper && WTF::isASCIILower(candChar))
                            goto skipToNext;
                        if (match != candChar) {
                            if (match != WTF::toASCIILower(candChar)) {
                       skipToNext:
                                if (subStr == false)
                                    break;
                                if (stateIndex == s->mSectionLength) {
                                    if (secondHalf) {
                                        s->mProgress = ADDRESS_LINE;
                                        goto resetState;
                                    }
                                    break;
                                }
                                stateIndex += skip;
                                skip = 0;
                                candIndex = prefix;
                                continue; // try next substring
                            }
                            mustBeAllUpper = true;
                        }
                        int nextindex = stateIndex + 1;
                        if (++candIndex >= s->mLetterCount && s->mStates[nextindex] == ' ') {
                            s->mProgress = SECOND_HALF;
                            s->mStates += nextindex;
                            s->mSectionLength -= nextindex;
                            goto resetWord;
                        }
                        if (nextindex + 1 == s->mSectionLength || skip == 2) {
                            s->mZipHint = s->mStates[nextindex] - 1;
                            goto foundStateName;
                        }
                        stateIndex += 1;
                        skip -= 1;
                    } while (true);
                    s->mStates += s->mSectionLength;
                    ASSERT(s->mStates[0] == 0 || (unsigned) s->mStates[0] > 0x80);
                    s->mSectionLength = s->mStates[0] & 0x7f;
                    candIndex = 1;
                    subStr = false;
                } while (s->mSectionLength != 0);
                s->mProgress = ADDRESS_LINE;
                goto resetState;
            foundStateName:
                s->mEndResult = chars - s->mCurrentStart;
                s->mEndWord = s->mWordCount - 1;
                s->mProgress = ZIP_CODE;
                // a couple of delimiters is an indication that the state name is good
                // or, a non-space / non-alpha-digit is also good
                s->mZipDelimiter = s->mLineCount > 2
                    || isUnicodeSpace(ch) == false
                    || chars == s->mEnd;
                if (WTF::isASCIIDigit(ch))
                    s->mZipStart = chars;
                goto resetState;
            case ZIP_CODE:
                if (WTF::isASCIIDigit(ch)) {
                    int count = ++s->mNumberCount;
                    if (count == 1) {
                        if (WTF::isASCIIDigit(prior))
                            ++s->mNumberCount;
                        else
                            s->mZipStart = chars;
                    }
                    if (count <= 9)
                        continue;
                } else if (isUnicodeSpace(ch)) {
                    if (s->mNumberCount == 0) {
                        s->mZipDelimiter = true; // two spaces delimit state name
                        continue;
                    }
                } else if (ch == '-') {
                    if (s->mNumberCount == 5 && validZip(s->mZipHint, s->mZipStart)) {
                        s->mNumberCount = 0;
                        s->mProgress = PLUS_4;
                        continue;
                    }
                    if (s->mNumberCount == 0)
                        s->mZipDelimiter = true;
                } else if (WTF::isASCIIAlpha(ch) == false)
                    s->mZipDelimiter = true;
                else {
                    if (s->mLetterCount == 0) {
                        s->newWord(baseChars, chars);
                        s->mUnparsed = true;
                    }
                    ++s->mLetterCount;
                }
                if (s->mNumberCount == 5 || s->mNumberCount == 9) {
                    if (validZip(s->mZipHint, s->mZipStart) == false)
                        goto noZipMatch;
                    s->mEndResult = chars - s->mCurrentStart;
                    s->mEndWord = s->mWordCount - 1;
                } else if (s->mZipDelimiter == false) {
            noZipMatch:
                    --chars;
                    s->mProgress = ADDRESS_LINE;
                    continue;
                }
                s->mProgress = FIND_STREET;
                goto findStreet;
            case PLUS_4:
                if (WTF::isASCIIDigit(ch)) {
                    if (++s->mNumberCount <= 4)
                        continue;
                }
                if (isUnicodeSpace(ch)) {
                    if (s->mNumberCount == 0)
                        continue;
                }
                if (s->mNumberCount == 4) {
                    if (WTF::isASCIIAlpha(ch) == false) {
                        s->mEndResult = chars - s->mCurrentStart;
                        s->mEndWord = s->mWordCount - 1;
                    }
                } else if (s->mNumberCount != 0)
                    break;
                s->mProgress = FIND_STREET;
            case FIND_STREET:
            findStreet:
                retryState = false;
                for (int wordsIndex = s->mStateWord - 1; wordsIndex >= 0; --wordsIndex) {
                    const UChar* test = s->mWords[wordsIndex];
                    UChar letter = test[0];
                    letter -= 'A';
                    if (letter > 'X' - 'A')
                        continue;
                    const char* names = longStreetNames[letter];
                    if (names == NULL)
                        continue;
                    int offset;
                    while ((offset = *names++) != 0) {
                        int testIndex = 1;
                        bool abbr = false;
                        for (int idx = 0; idx < offset; idx++) {
                            char nameLetter = names[idx];
                            char testUpper = WTF::toASCIIUpper(test[testIndex]);
                            if (nameLetter == '*') {
                                if (testUpper == 'S')
                                    testIndex++;
                                break;
                            }
                            bool fullOnly = WTF::isASCIILower(nameLetter);
                            nameLetter = WTF::toASCIIUpper(nameLetter);
                            if (testUpper == nameLetter) {
                                if (abbr && fullOnly)
                                    goto nextTest;
                                testIndex++;
                                continue;
                            }
                            if (fullOnly == false)
                                goto nextTest;
                            abbr = true;
                        }
                        letter = &test[testIndex] < s->mEnds[wordsIndex] ?
                            test[testIndex] : ' ';
                        if (WTF::isASCIIAlpha(letter) == false && WTF::isASCIIDigit(letter) == false) {
                            if (s->mNumberWords != 0) {
                                int shift = 0;
                                int wordReduction = -1;
                                do {
                                    while ((s->mNumberWords & (1 << shift)) == 0)
                                        shift++;
                                    if (shift > wordsIndex)
                                        break;
                                    wordReduction = shift;
                                } while (s->mNumberWords >> ++shift != 0);
                                if (wordReduction >= 0) {
                                    if (s->mContinuationNode) {
                                        if (retryState)
                                            break;
                                        return FOUND_NONE;
                                    }
                                    s->mStartResult = s->mWords[wordReduction] - s->mStarts[wordReduction];
                                }
                            }
                            if (wordsIndex != s->mStateWord - 1)
                                return FOUND_COMPLETE;
                            retryState = true;
                        }
                    nextTest:
                        names += offset;
                    }
                }
                if (retryState) {
                    s->mProgress = ADDRESS_LINE;
                    s->mStates = NULL;
                    continue;
                }
                if (s->mNumberWords != 0) {
                    unsigned shift = 0;
                    while ((s->mNumberWords & (1 << shift)) == 0)
                        shift++;
                    s->mNumberWords >>= ++shift;
                    if (s->mBases[0] != s->mBases[shift])
                        return FOUND_NONE;
                    s->shiftWords(shift);
                    s->mStartResult = s->mWords[0] - s->mStarts[0];
                    s->mWordCount -= shift;
                    s->mProgress = ADDRESS_LINE;
                    --chars;
                    continue;
                }
                break;
        }
        if (s->mContinuationNode)
            return FOUND_NONE;
        s->mProgress = NO_ADDRESS;
        s->mWordCount = s->mLineCount = 0;
        s->mNumberWords = 0;
    resetState:
        s->mStates = NULL;
    resetWord:
        s->mNumberCount = s->mLetterCount = 0;
        s->mFirstLower = NULL;
        s->mUnparsed = false;
    }
    s->mCurrent = ch;
    return s->mProgress == NO_ADDRESS ? FOUND_NONE : FOUND_PARTIAL;
}
// Recogize common email patterns only. Currently has lots of state, walks text forwards and backwards -- will be
// a real challenge to adapt to walk text across multiple nodes, I imagine
// FIXME: it's too hard for the caller to call these incrementally -- it's probably best for this to
// either walk the node tree directly or make a callout to get the next or previous node, if there is one
// walking directly will avoid adding logic in caller to track the multiple partial or full nodes that compose this 
// text pattern.
CacheBuilder::FoundState CacheBuilder::FindPartialEMail(const UChar* chars, unsigned length, 
    FindState* s)
{
    // the following tables were generated by tests/browser/focusNavigation/BrowserDebug.cpp
    // hand-edit at your own risk
    static const int domainTwoLetter[] = {
        0x02df797c,  // a followed by: [cdefgilmnoqrstuwxz]
        0x036e73fb,  // b followed by: [abdefghijmnorstvwyz]
        0x03b67ded,  // c followed by: [acdfghiklmnorsuvxyz]
        0x02005610,  // d followed by: [ejkmoz]
        0x001e00d4,  // e followed by: [ceghrstu]
        0x00025700,  // f followed by: [ijkmor]
        0x015fb9fb,  // g followed by: [abdefghilmnpqrstuwy]
        0x001a3400,  // h followed by: [kmnrtu]
        0x000f7818,  // i followed by: [delmnoqrst]
        0x0000d010,  // j followed by: [emop]
        0x0342b1d0,  // k followed by: [eghimnprwyz]
        0x013e0507,  // l followed by: [abcikrstuvy]
        0x03fffccd,  // m followed by: [acdghklmnopqrstuvwxyz]
        0x0212c975,  // n followed by: [acefgilopruz]
        0x00001000,  // o followed by: [m]
        0x014e3cf1,  // p followed by: [aefghklmnrstwy]
        0x00000001,  // q followed by: [a]
        0x00504010,  // r followed by: [eouw]
        0x032a7fdf,  // s followed by: [abcdeghijklmnortvyz]
        0x026afeec,  // t followed by: [cdfghjklmnoprtvwz]
        0x03041441,  // u followed by: [agkmsyz]
        0x00102155,  // v followed by: [aceginu]
        0x00040020,  // w followed by: [fs]
        0x00000000,  // x
        0x00180010,  // y followed by: [etu]
        0x00401001,  // z followed by: [amw]
    };
    static char const* const longDomainNames[] = {
        "\x03" "ero" "\x03" "rpa",  // aero, arpa  
        "\x02" "iz",  // biz  
        "\x02" "at" "\x02" "om" "\x03" "oop",  // cat, com, coop  
        NULL,  // d
        "\x02" "du",  // edu  
        NULL,  // f
        "\x02" "ov",  // gov  
        NULL,  // h
        "\x03" "nfo" "\x02" "nt",  // info, int  
        "\x03" "obs",  // jobs  
        NULL,  // k
        NULL,  // l
        "\x02" "il" "\x03" "obi" "\x05" "useum",  // mil, mobi, museum  
        "\x03" "ame" "\x02" "et",  // name, net  
        "\x02" "rg",  // , org  
        "\x02" "ro",  // pro  
        NULL,  // q  
        NULL,  // r
        NULL,  // s
        "\x05" "ravel",  // travel  
        NULL,  // u
        NULL,  // v
        NULL,  // w
        NULL,  // x
        NULL,  // y
        NULL,  // z
    };
    
    const UChar* start = chars;
    const UChar* end = chars + length;
    while (chars < end) {
        UChar ch = *chars++;
        if (ch != '@')
            continue;
        const UChar* atLocation = chars - 1;
        // search for domain
        ch = *chars++ | 0x20; // convert uppercase to lower
        if (ch < 'a' || ch > 'z')
            continue;
        while (chars < end) {
            ch = *chars++;
            if (IsDomainChar(ch) == false)
                goto nextAt;
            if (ch != '.')
                continue;
            UChar firstLetter = *chars++ | 0x20; // first letter of the domain
            if (chars >= end)
                return FOUND_NONE; // only one letter; must be at least two
            firstLetter -= 'a';
            if (firstLetter > 'z' - 'a')
                continue; // non-letter followed '.'
            int secondLetterMask = domainTwoLetter[firstLetter];
            ch = *chars | 0x20; // second letter of the domain
            ch -= 'a';
            if (ch >= 'z' - 'a')
                continue;
            bool secondMatch = (secondLetterMask & 1 << ch) != 0;
            const char* wordMatch = longDomainNames[firstLetter];
            int wordIndex = 0;
            while (wordMatch != NULL) {
                int len = *wordMatch++;
                char match;
                do {
                    match = wordMatch[wordIndex];
                    if (match < 0x20)
                        goto foundDomainStart;
                    if (chars[wordIndex] != match)
                        break;
                    wordIndex++;
                } while (true);
                wordMatch += len;
                if (*wordMatch == '\0')
                    break;
                wordIndex = 0;
            }
            if (secondMatch) {
                wordIndex = 1;
        foundDomainStart:
                chars += wordIndex;
                if (chars < end) {
                    ch = *chars;
                    if (ch != '.') {
                        if (IsDomainChar(ch))
                            goto nextDot;
                    } else if (chars + 1 < end && IsDomainChar(chars[1]))
                        goto nextDot;
                }
                // found domain. Search backwards from '@' for beginning of email address
                s->mEndResult = chars - start;
                chars = atLocation;
                if (chars <= start)
                    goto nextAt;
                ch = *--chars;
                if (ch == '.')
                    goto nextAt; // mailbox can't end in period
                do {
                    if (IsMailboxChar(ch) == false) {
                        chars++;
                        break;
                    }
                    if (chars == start)
                        break;
                    ch = *--chars;
                } while (true);
                UChar firstChar = *chars;
                if (firstChar == '.' || firstChar == '@') // mailbox can't start with period or be empty
                    goto nextAt;
                s->mStartResult = chars - start;
                return FOUND_COMPLETE;
            }
    nextDot:
            ;
        }
nextAt:
        chars = atLocation + 1;
    }
    return FOUND_NONE;
}
#define PHONE_PATTERN "(200) /-.\\ 100 -. 0000" // poor man's regex: parens optional, any one of punct, digit smallest allowed
CacheBuilder::FoundState CacheBuilder::FindPartialNumber(const UChar* chars, unsigned length, 
    FindState* s)
{
    char* pattern = s->mPattern;
    UChar* store = s->mStorePtr;
    const UChar* start = chars;
    const UChar* end = chars + length;
    const UChar* lastDigit = NULL;
    do {
        bool initialized = s->mInitialized;
        while (chars < end) {
            if (initialized == false) {
                s->mBackTwo = s->mBackOne;
                s->mBackOne = s->mCurrent;
            }
            UChar ch = s->mCurrent = *chars;
            do {
                char patternChar = *pattern;
                switch (patternChar) {
                    case '2':
                            if (initialized == false) {
                                s->mStartResult = chars - start;
                                initialized = true;
                            }
                    case '0':
                    case '1':
                        if (ch < patternChar || ch > '9')
                            goto resetPattern;
                        *store++ = ch;
                        pattern++;
                        lastDigit = chars;
                        goto nextChar;
                    case '\0':
                        if (WTF::isASCIIDigit(ch) == false) {
                            *store = '\0';
                            goto checkMatch;
                        }
                        goto resetPattern;
                    case ' ':
                        if (ch == patternChar)
                            goto nextChar;
                        break;
                    case '(':
                        if (ch == patternChar) {
                            s->mStartResult = chars - start;
                            initialized = true;
                            s->mOpenParen = true;
                        }
                        goto commonPunctuation;
                    case ')':
                        if ((ch == patternChar) ^ s->mOpenParen)
                            goto resetPattern;
                    default:
                    commonPunctuation:
                        if (ch == patternChar) {
                            pattern++;
                            goto nextChar;
                        }
                }
            } while (++pattern); // never false
    nextChar:
            chars++;
        }
        break;
resetPattern:
        if (s->mContinuationNode)
            return FOUND_NONE;
        FindResetNumber(s);
        pattern = s->mPattern;
        store = s->mStorePtr;
    } while (++chars < end);
checkMatch:
    if (WTF::isASCIIDigit(s->mBackOne != '1' ? s->mBackOne : s->mBackTwo))
        return FOUND_NONE;
    *store = '\0';
    s->mStorePtr = store;
    s->mPattern = pattern;
    s->mEndResult = lastDigit - start + 1;
    char pState = pattern[0];
    return pState == '\0' ? FOUND_COMPLETE : pState == '(' || (WTF::isASCIIDigit(pState) && WTF::isASCIIDigit(pattern[-1])) ? 
        FOUND_NONE : FOUND_PARTIAL;
}
CacheBuilder::FoundState CacheBuilder::FindPhoneNumber(const UChar* chars, unsigned length, 
    int* start, int* end)
{
    FindState state;
    FindReset(&state);
    FoundState result = FindPartialNumber(chars, length, &state);
    *start = state.mStartResult;
    *end = state.mEndResult;
    return result;
}
void CacheBuilder::FindReset(FindState* state)
{
    memset(state, 0, sizeof(FindState));
    state->mCurrent = ' ';
    FindResetNumber(state);
}
void CacheBuilder::FindResetNumber(FindState* state)
{
    state->mOpenParen = false;
    state->mPattern = (char*) PHONE_PATTERN;
    state->mStorePtr = state->mStore;
}
IntRect CacheBuilder::getAreaRect(const HTMLAreaElement* area)
{
    Node* node = area->document();
    while ((node = node->traverseNextNode()) != NULL) {
        RenderObject* renderer = node->renderer();
        if (renderer && renderer->isRenderImage()) {
            RenderImage* image = static_cast<RenderImage*>(renderer);
            HTMLMapElement* map = image->imageMap();
            if (map) {
                Node* n;
                for (n = map->firstChild(); n;
                        n = n->traverseNextNode(map)) {
                    if (n == area) {
                        if (area->isDefault())
                            return image->absoluteBoundingBoxRect();
                        return area->computeRect(image);
                    }
                }
            }
        }
    }
    return IntRect();
}
void CacheBuilder::GetGlobalOffset(Node* node, int* x, int * y) 
{ 
    GetGlobalOffset(node->document()->frame(), x, y); 
}
void CacheBuilder::GetGlobalOffset(Frame* frame, int* x, int* y)
{
//    TIMER_PROBE(__FUNCTION__);
    ASSERT(x);
    ASSERT(y);
    *x = 0;
    *y = 0;
    if (!frame->view())
        return;
    Frame* parent;
    while ((parent = frame->tree()->parent()) != NULL) {
        const WebCore::IntRect& rect = frame->view()->platformWidget()->getBounds();
        *x += rect.x();
        *y += rect.y();
        frame = parent;
    }
 //   TIMER_PROBE_END();
}
Frame* CacheBuilder::HasFrame(Node* node)
{
    RenderObject* renderer = node->renderer();
    if (renderer == NULL)
        return NULL;
    if (renderer->isWidget() == false)
        return NULL;
    Widget* widget = static_cast<RenderWidget*>(renderer)->widget();
    if (widget == NULL)
        return NULL;
    if (widget->isFrameView() == false)
        return NULL;
    return static_cast<FrameView*>(widget)->frame();
}
bool CacheBuilder::HasOverOrOut(Node* node)
{
    // eventNames are thread-local data, I avoid using 'static' variable here.
    AtomicString eventTypes[2] = {
        eventNames().mouseoverEvent,
        eventNames().mouseoutEvent
    };
    return NodeHasEventListeners(node, eventTypes, 2);
}
bool CacheBuilder::HasTriggerEvent(Node* node)
{
    AtomicString eventTypes[5] = {
        eventNames().clickEvent,
        eventNames().mousedownEvent,
        eventNames().mouseupEvent,
        eventNames().keydownEvent,
        eventNames().keyupEvent
    };
    return NodeHasEventListeners(node, eventTypes, 5);
}
// #define EMAIL_PATTERN "x@y.d" // where 'x' is letters, numbers, and '-', '.', '_' ; 'y' is 'x' without the underscore, and 'd' is a valid domain
//  - 0x2D . 0x2E 0-9 0x30-39 A-Z 0x41-5A  _ 0x5F a-z 0x61-7A 
bool CacheBuilder::IsDomainChar(UChar ch)
{
    static const unsigned body[] = {0x03ff6000, 0x07fffffe, 0x07fffffe}; // 0-9 . - A-Z a-z
    ch -= 0x20;
    if (ch > 'z' - 0x20)
        return false;
    return (body[ch >> 5] & 1 << (ch & 0x1f)) != 0;
}
bool CacheBuilder::isFocusableText(NodeWalk* walk, bool more, Node* node, 
    CachedNodeType* type, String* exported) const
{
    Text* textNode = static_cast<Text*>(node);
    StringImpl* string = textNode->dataImpl();
    const UChar* baseChars = string->characters();
//    const UChar* originalBase = baseChars;
    int length = string->length();
    int index = 0;
    while (index < length && isUnicodeSpace(baseChars[index]))
        index++;
    if (index >= length)
        return false;
    if (more == false) {
        walk->mStart = 0;
        walk->mEnd = 0;
        walk->mFinalNode = node;
        walk->mLastInline = NULL;
    }
    // starting with this node, search forward for email, phone number, and address
    // if any of the three is found, track it so that the remaining can be looked for later
    FoundState state = FOUND_NONE;
    RenderText* renderer = (RenderText*) node->renderer();
    bool foundBetter = false;
    InlineTextBox* baseInline = walk->mLastInline != NULL ? walk->mLastInline :
        renderer->firstTextBox();
    if (baseInline == NULL)
        return false;
    int start = walk->mEnd;
    InlineTextBox* saveInline;
    int baseStart, firstStart = start;
    saveInline = baseInline;
    baseStart = start;
    for (CachedNodeType checkType = ADDRESS_CACHEDNODETYPE;
        checkType <= PHONE_CACHEDNODETYPE; 
        checkType = static_cast<CachedNodeType>(checkType + 1))
    {
        if ((1 << (checkType - 1) & mAllowableTypes) == 0)
            continue;
        InlineTextBox* inlineTextBox = baseInline;
        FindState findState;
        FindReset(&findState);
        start = baseStart;
        if (checkType == ADDRESS_CACHEDNODETYPE) {
            findState.mBases[0] = baseChars;
            findState.mWords[0] = baseChars + start;
            findState.mStarts[0] = baseChars + start;
        }
        Node* lastPartialNode = NULL;
        int lastPartialEnd = -1;
        bool lastPartialMore = false;
        bool firstPartial = true;
        InlineTextBox* lastPartialInline = NULL;
        do {
            do {
                const UChar* chars = baseChars + start;
                length = inlineTextBox == NULL ? 0 :
                    inlineTextBox->end() - start + 1;
                bool wasInitialized = findState.mInitialized;
                switch (checkType) {
                    case ADDRESS_CACHEDNODETYPE:
                        state = FindPartialAddress(baseChars, chars, length, &findState);
                    break;
                    case EMAIL_CACHEDNODETYPE:
                        state = FindPartialEMail(chars, length, &findState);
                    break;
                    case PHONE_CACHEDNODETYPE:
                        state = FindPartialNumber(chars, length, &findState);
                    break;
                    default:
                        ASSERT(0);
                }
                findState.mInitialized = state != FOUND_NONE;
                if (wasInitialized != findState.mInitialized)
                    firstStart = start;
                if (state == FOUND_PARTIAL) {
                    lastPartialNode = node;
                    lastPartialEnd = findState.mEndResult + start;
                    lastPartialMore = firstPartial && 
                        lastPartialEnd < (int) string->length();
                    firstPartial = false;
                    lastPartialInline = inlineTextBox;
                    findState.mContinuationNode = true;
                } else if (state == FOUND_COMPLETE) {
                    if (foundBetter == false || walk->mStart > findState.mStartResult) {
                        walk->mStart = findState.mStartResult + firstStart; 
                        if (findState.mEndResult > 0) {
                            walk->mFinalNode = node;
                            walk->mEnd = findState.mEndResult + start;
                            walk->mMore = node == textNode &&
                                walk->mEnd < (int) string->length();
                            walk->mLastInline = inlineTextBox;
                        } else {
                            walk->mFinalNode = lastPartialNode;
                            walk->mEnd = lastPartialEnd;
                            walk->mMore = lastPartialMore;
                            walk->mLastInline = lastPartialInline;
                        }
                        *type = checkType;
                        if (checkType == PHONE_CACHEDNODETYPE) {
                            const UChar* store = findState.mStore;
                            *exported = String(store);
                        } else {
                            Node* temp = textNode;
                            length = 1;
                            start = walk->mStart;
                            exported->truncate(0);
                            do {
                                Text* tempText = static_cast<Text*>(temp);
                                StringImpl* string = tempText->dataImpl();
                                int end = tempText == walk->mFinalNode ? 
                                    walk->mEnd : string->length();
                                exported->append(String(string->substring(
                                    start, end - start)));
                                ASSERT(end > start);
                                length += end - start + 1;
                                if (temp == walk->mFinalNode)
                                    break;
                                start = 0;
                                do {
                                    temp = temp->traverseNextNode();
                                    ASSERT(temp);
                                } while (temp->isTextNode() == false);
                                // add a space in between text nodes to avoid 
                                // words collapsing together
                                exported->append(" ");
                            } while (true);
                        }
                        foundBetter = true;
                    }
                    goto tryNextCheckType;
                } else if (findState.mContinuationNode)
                    break;
                if (inlineTextBox == NULL)
                    break;
                inlineTextBox = inlineTextBox->nextTextBox();
                if (inlineTextBox == NULL)
                    break;
                start = inlineTextBox->start();
                if (state == FOUND_PARTIAL && node == textNode)
                    findState.mContinuationNode = false;
            } while (true);
            if (state == FOUND_NONE)
                break;
            // search for next text node, if any
            Text* nextNode;
            do {
                do {
                    do {
                        if (node)
                            node = node->traverseNextNode();
                        if (node == NULL || node->hasTagName(HTMLNames::aTag)
                                || node->hasTagName(HTMLNames::inputTag)
                                || node->hasTagName(HTMLNames::textareaTag)) {
                            if (state == FOUND_PARTIAL && 
                                    checkType == ADDRESS_CACHEDNODETYPE && 
                                    findState.mProgress == ZIP_CODE && 
                                    findState.mNumberCount == 0) {
                                baseChars = NULL;
                                inlineTextBox = NULL;
                                start = 0;
                                findState.mProgress = FIND_STREET;
                                goto finalNode;
                            }
                            goto tryNextCheckType;
                        }
                    } while (node->isTextNode() == false);
                    nextNode = static_cast<Text*>(node);
                    renderer = (RenderText*) nextNode->renderer();
                } while (renderer == NULL);
                baseInline = renderer->firstTextBox();
            } while (baseInline == NULL);
            string = nextNode->dataImpl();
            baseChars = string->characters();
            inlineTextBox = baseInline;
            start = inlineTextBox->start();
        finalNode:
            findState.mEndResult = 0;
        } while (true);
tryNextCheckType:
        node = textNode;
        baseInline = saveInline;
        string = textNode->dataImpl();
        baseChars = string->characters();
    }
    if (foundBetter) {
        CachedNodeType temp = *type;
        switch (temp) {
            case ADDRESS_CACHEDNODETYPE: {
                static const char geoString[] = "geo:0,0?q=";
                exported->insert(String(geoString), 0);
                int index = sizeof(geoString) - 1;
                String escapedComma("%2C");
                while ((index = exported->find(',', index)) >= 0)
                    exported->replace(index, 1, escapedComma);
                } break;
            case EMAIL_CACHEDNODETYPE: {
                String encoded = WebCore::encodeWithURLEscapeSequences(*exported);
                exported->swap(encoded);
                exported->insert(WTF::String("mailto:"), 0);
                } break;
            case PHONE_CACHEDNODETYPE:
                exported->insert(WTF::String("tel:"), 0);
                break;
            default:
                break;
        }
        return true;
    }
noTextMatch:
    walk->reset();
    return false;
}
bool CacheBuilder::IsMailboxChar(UChar ch)
{
    // According to http://en.wikipedia.org/wiki/Email_address
    // ! # $ % & ' * + - . / 0-9 = ?
    // A-Z ^ _
    // ` a-z { | } ~
    static const unsigned body[] = {0xa3ffecfa, 0xc7fffffe, 0x7fffffff};
    ch -= 0x20;
    if (ch > '~' - 0x20)
        return false;
    return (body[ch >> 5] & 1 << (ch & 0x1f)) != 0;
}
bool CacheBuilder::setData(CachedFrame* cachedFrame) 
{
    Frame* frame = FrameAnd(this);
    Document* doc = frame->document();
    if (doc == NULL)
        return false;
    RenderObject* renderer = doc->renderer();
    if (renderer == NULL)
        return false;
    RenderLayer* layer = renderer->enclosingLayer();
    if (layer == NULL)
        return false;
    if (!frame->view())
        return false;
    int x, y;
    GetGlobalOffset(frame, &x, &y);
    WebCore::IntRect viewBounds = frame->view()->platformWidget()->getBounds();
    if ((x | y) != 0)
        viewBounds.setLocation(WebCore::IntPoint(x, y));
    cachedFrame->setLocalViewBounds(viewBounds);
    cachedFrame->setContentsSize(layer->scrollWidth(), layer->scrollHeight());
    if (cachedFrame->childCount() == 0)
        return true;
    CachedFrame* lastCachedFrame = cachedFrame->lastChild();
    cachedFrame = cachedFrame->firstChild();
    do {
        CacheBuilder* cacheBuilder = Builder((Frame* )cachedFrame->framePointer());
        cacheBuilder->setData(cachedFrame);
    } while (cachedFrame++ != lastCachedFrame);
    return true;
}
#if USE(ACCELERATED_COMPOSITING)
void CacheBuilder::TrackLayer(WTF::Vector<LayerTracker>& layerTracker,
    RenderObject* nodeRenderer, Node* lastChild, int offsetX, int offsetY)
{
    RenderLayer* layer = nodeRenderer->enclosingLayer();
    RenderLayerBacking* back = layer->backing();
    if (!back)
        return;
    GraphicsLayer* grLayer = back->graphicsLayer();
    if (back->hasContentsLayer())
        grLayer = back->foregroundLayer();
    if (!grLayer)
        return;
    LayerAndroid* aLayer = grLayer->platformLayer();
    if (!aLayer)
        return;
    IntPoint scroll(layer->scrollXOffset(), layer->scrollYOffset());
#if ENABLE(ANDROID_OVERFLOW_SCROLL)
    // If this is an overflow element, track the content layer.
    if (layer->hasOverflowScroll() && aLayer->getChild(0))
        aLayer = aLayer->getChild(0)->getChild(0);
    if (!aLayer)
        return;
    // Prevent a crash when scrolling a layer that does not have a parent.
    if (layer->stackingContext())
        layer->scrollToOffset(0, 0);
#endif
    layerTracker.grow(layerTracker.size() + 1);
    LayerTracker& indexTracker = layerTracker.last();
    indexTracker.mLayer = aLayer;
    indexTracker.mRenderLayer = layer;
    indexTracker.mBounds = enclosingIntRect(aLayer->bounds());
    // Use the absolute location of the layer as the bounds location.  This
    // provides the original offset of nodes in the layer so that we can
    // translate nodes between their original location and the layer's new
    // location.
    indexTracker.mBounds.setLocation(layer->absoluteBoundingBox().location());
    indexTracker.mBounds.move(offsetX, offsetY);
    indexTracker.mScroll = scroll;
    indexTracker.mLastChild = OneAfter(lastChild);
    DBG_NAV_LOGD("layer=%p [%d] bounds=(%d,%d,w=%d,h=%d)", aLayer,
        aLayer->uniqueId(), indexTracker.mBounds.x(), indexTracker.mBounds.y(),
        indexTracker.mBounds.width(), indexTracker.mBounds.height());
}
#endif
bool CacheBuilder::validNode(Frame* startFrame, void* matchFrame,
        void* matchNode)
{
    if (matchFrame == startFrame) {
        if (matchNode == NULL)
            return true;
        Node* node = startFrame->document();
        while (node != NULL) {
            if (node == matchNode) {
                const IntRect& rect = node->hasTagName(HTMLNames::areaTag) ? 
                    getAreaRect(static_cast<HTMLAreaElement*>(node)) : node->getRect();
                // Consider nodes with empty rects that are not at the origin
                // to be valid, since news.google.com has valid nodes like this
                if (rect.x() == 0 && rect.y() == 0 && rect.isEmpty())
                    return false;
                return true;
            }
            node = node->traverseNextNode();
        }
        DBG_NAV_LOGD("frame=%p valid node=%p invalid\n", matchFrame, matchNode);
        return false;
    }
    Frame* child = startFrame->tree()->firstChild();
    while (child) {
        bool result = validNode(child, matchFrame, matchNode);
        if (result)
            return result;
        child = child->tree()->nextSibling();
    }
#if DEBUG_NAV_UI
    if (startFrame->tree()->parent() == NULL)
        DBG_NAV_LOGD("frame=%p node=%p false\n", matchFrame, matchNode);
#endif
    return false;
}
static int Area(const IntRect& rect)
{
    return rect.width() * rect.height();
}
bool CacheBuilder::AddPartRect(IntRect& bounds, int x, int y,
    WTF::Vector<IntRect>* result, IntRect* focusBounds)
{
    if (bounds.isEmpty())
        return true;
    bounds.move(x, y);
    if (bounds.maxX() <= 0 || bounds.maxY() <= 0)
        return true;
    IntRect* work = result->begin() - 1; 
    IntRect* end = result->end();
    while (++work < end) {
        if (work->contains(bounds))
            return true;
        if (bounds.contains(*work)) {
            *work = bounds;
            focusBounds->unite(bounds);
            return true;
        }
        if ((bounds.x() != work->x() || bounds.width() != work->width()) &&
               (bounds.y() != work->y() || bounds.height() != work->height()))
            continue;
        IntRect test = *work;
        test.unite(bounds);
        if (Area(test) > Area(*work) + Area(bounds))
            continue;
        *work = test;
        focusBounds->unite(bounds);
        return true;
    }
    if (result->size() >= MAXIMUM_FOCUS_RING_COUNT)
        return false;
    result->append(bounds);
    if (focusBounds->isEmpty())
        *focusBounds = bounds;
    else
        focusBounds->unite(bounds);
    return true;
}
static inline bool isNotSpace(UChar c)
{
    return c <= 0xA0 ? isUnicodeSpace(c) == false : 
        WTF::Unicode::direction(c) != WTF::Unicode::WhiteSpaceNeutral;
}
bool CacheBuilder::ConstructTextRect(Text* textNode,
    InlineTextBox* textBox, int start, int relEnd, int x, int y, 
    IntRect* focusBounds, const IntRect& clipBounds, WTF::Vector<IntRect>* result)
{
    RenderText* renderText = (RenderText*) textNode->renderer();
    EVisibility vis = renderText->style()->visibility();
    StringImpl* string = textNode->dataImpl();
    const UChar* chars = string->characters();
    FloatPoint pt = renderText->localToAbsolute();
    do {
        int textBoxStart = textBox->start();
        int textBoxEnd = textBoxStart + textBox->len();
        if (textBoxEnd <= start)
            continue;
        if (textBoxEnd > relEnd)
            textBoxEnd = relEnd;
        IntRect bounds = textBox->selectionRect((int) pt.x(), (int) pt.y(), 
            start, textBoxEnd);
        bounds.intersect(clipBounds);
        if (bounds.isEmpty())
            continue;
        bool drawable = false;
        for (int index = start; index < textBoxEnd; index++)
            if ((drawable |= isNotSpace(chars[index])) != false)
                break;
        if (drawable && vis != HIDDEN) {
            if (AddPartRect(bounds, x, y, result, focusBounds) == false)
                return false;
        }
        if (textBoxEnd == relEnd)
            break;
    } while ((textBox = textBox->nextTextBox()) != NULL);
    return true;
}
bool CacheBuilder::ConstructTextRects(Text* node, int start, 
    Text* last, int end, int x, int y, IntRect* focusBounds, 
    const IntRect& clipBounds, WTF::Vector<IntRect>* result)
{
    result->clear();
    *focusBounds = IntRect(0, 0, 0, 0);
    do {
        RenderText* renderText = (RenderText*) node->renderer();
        int relEnd = node == last ? end : renderText->textLength();
        InlineTextBox *textBox = renderText->firstTextBox();
        if (textBox != NULL) {
            do {
                if ((int) textBox->end() >= start)
                    break;
            } while ((textBox = textBox->nextTextBox()) != NULL);
            if (textBox && ConstructTextRect(node, textBox, start, relEnd,
                    x, y, focusBounds, clipBounds, result) == false)
                return false;
        }
        start = 0;
        do {
            if (node == last)
                return true;
            node = (Text*) node->traverseNextNode();
            ASSERT(node != NULL);
        } while (node->isTextNode() == false || node->renderer() == NULL);
    } while (true);
}
}
 |