jyy
2021-08-02 578e37543a5f552a3a8b071aa637cd27e68fad33
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
3694
3695
3696
3697
3698
3699
3700
3701
3702
3703
3704
3705
3706
3707
3708
3709
3710
3711
3712
3713
3714
3715
3716
3717
3718
3719
3720
3721
3722
3723
3724
3725
3726
3727
3728
3729
3730
3731
3732
3733
3734
3735
3736
3737
3738
3739
3740
3741
3742
3743
3744
3745
3746
3747
3748
3749
3750
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
3782
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
3793
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
3809
3810
3811
3812
3813
3814
3815
3816
3817
3818
3819
3820
3821
3822
3823
3824
3825
3826
3827
3828
3829
3830
3831
3832
3833
3834
3835
3836
3837
3838
3839
3840
3841
3842
3843
3844
3845
3846
3847
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
3865
3866
3867
3868
3869
3870
3871
3872
3873
3874
3875
3876
3877
3878
3879
3880
3881
3882
3883
3884
3885
3886
3887
3888
3889
3890
3891
3892
3893
3894
3895
3896
3897
3898
3899
3900
3901
3902
3903
3904
3905
3906
3907
3908
3909
3910
3911
3912
3913
3914
3915
3916
3917
3918
3919
3920
3921
3922
3923
3924
3925
3926
3927
3928
3929
3930
3931
3932
3933
3934
3935
3936
3937
3938
3939
3940
3941
3942
3943
3944
3945
3946
3947
3948
3949
3950
3951
3952
3953
3954
3955
3956
3957
3958
3959
3960
3961
3962
3963
3964
3965
3966
3967
3968
3969
3970
3971
3972
3973
3974
3975
3976
3977
3978
3979
3980
3981
3982
3983
3984
3985
3986
3987
3988
3989
3990
3991
3992
3993
3994
3995
3996
3997
3998
3999
4000
4001
4002
4003
4004
4005
4006
4007
4008
4009
4010
4011
4012
4013
4014
4015
4016
4017
4018
4019
4020
4021
4022
4023
4024
4025
4026
4027
4028
4029
4030
4031
4032
4033
4034
4035
4036
4037
4038
4039
4040
4041
4042
4043
4044
4045
4046
4047
4048
4049
4050
4051
4052
4053
4054
4055
4056
4057
4058
4059
4060
4061
4062
4063
4064
4065
4066
4067
4068
4069
4070
4071
4072
4073
4074
4075
4076
4077
4078
4079
4080
4081
4082
4083
4084
4085
4086
4087
4088
4089
4090
4091
4092
4093
4094
4095
4096
4097
4098
4099
4100
4101
4102
4103
4104
4105
4106
4107
4108
4109
4110
4111
4112
4113
4114
4115
4116
4117
4118
4119
4120
4121
4122
4123
4124
4125
4126
4127
4128
4129
4130
4131
4132
4133
4134
4135
4136
4137
4138
4139
4140
4141
4142
4143
4144
4145
4146
4147
4148
4149
4150
4151
4152
4153
4154
4155
4156
4157
4158
4159
4160
4161
4162
4163
4164
4165
4166
4167
4168
4169
4170
4171
4172
4173
4174
4175
4176
4177
4178
4179
4180
4181
4182
4183
4184
4185
4186
4187
4188
4189
4190
4191
4192
4193
4194
4195
4196
4197
4198
4199
4200
4201
4202
4203
4204
4205
4206
4207
4208
4209
4210
4211
4212
4213
4214
4215
4216
4217
4218
4219
4220
4221
4222
4223
4224
4225
4226
4227
4228
4229
4230
4231
4232
4233
4234
4235
4236
4237
4238
4239
4240
4241
4242
4243
4244
4245
4246
4247
4248
4249
4250
4251
4252
4253
4254
4255
4256
4257
4258
4259
4260
4261
4262
4263
4264
4265
4266
4267
4268
4269
4270
4271
4272
4273
4274
4275
4276
4277
4278
4279
4280
4281
4282
4283
4284
4285
4286
4287
4288
4289
4290
4291
4292
4293
4294
4295
4296
4297
4298
4299
4300
4301
4302
4303
4304
4305
4306
4307
4308
4309
4310
4311
4312
4313
4314
4315
4316
4317
4318
4319
4320
4321
4322
4323
4324
4325
4326
4327
4328
4329
4330
4331
4332
4333
4334
4335
4336
4337
4338
4339
4340
4341
4342
4343
4344
4345
4346
4347
4348
4349
4350
4351
4352
4353
4354
4355
4356
4357
4358
4359
4360
4361
4362
4363
4364
4365
4366
4367
4368
4369
4370
4371
4372
4373
4374
4375
4376
4377
4378
4379
4380
4381
4382
4383
4384
4385
4386
4387
4388
4389
4390
4391
4392
4393
4394
4395
4396
4397
4398
4399
4400
4401
4402
4403
4404
4405
4406
4407
4408
4409
4410
4411
4412
4413
4414
4415
4416
4417
4418
4419
4420
4421
4422
4423
4424
4425
4426
4427
4428
4429
4430
4431
4432
4433
4434
4435
4436
4437
4438
4439
4440
4441
4442
4443
4444
4445
4446
4447
4448
4449
4450
4451
4452
4453
4454
4455
4456
4457
4458
4459
4460
4461
4462
4463
4464
4465
4466
4467
4468
4469
4470
4471
4472
4473
4474
4475
4476
4477
4478
4479
4480
4481
4482
4483
4484
4485
4486
4487
4488
4489
4490
4491
4492
4493
4494
4495
4496
4497
4498
4499
4500
4501
4502
4503
4504
4505
4506
4507
4508
4509
4510
4511
4512
4513
4514
4515
4516
4517
4518
4519
4520
4521
4522
4523
4524
4525
4526
4527
4528
4529
4530
4531
4532
4533
4534
4535
4536
4537
4538
4539
4540
4541
4542
4543
4544
4545
4546
4547
4548
4549
4550
4551
4552
4553
4554
4555
4556
4557
4558
4559
4560
4561
4562
4563
4564
4565
4566
4567
4568
4569
4570
4571
4572
4573
4574
4575
4576
4577
4578
4579
4580
4581
4582
4583
4584
4585
4586
4587
4588
4589
4590
4591
4592
4593
4594
4595
4596
4597
4598
4599
4600
4601
4602
4603
4604
4605
4606
4607
4608
4609
4610
4611
4612
4613
4614
4615
4616
4617
4618
4619
4620
4621
4622
4623
4624
4625
4626
4627
4628
4629
4630
4631
4632
4633
4634
4635
4636
4637
4638
4639
4640
4641
4642
4643
4644
4645
4646
4647
4648
4649
4650
4651
4652
4653
4654
4655
4656
4657
4658
4659
4660
4661
4662
4663
4664
4665
4666
4667
4668
4669
4670
4671
4672
4673
4674
4675
4676
4677
4678
4679
4680
4681
4682
4683
4684
4685
4686
4687
4688
4689
4690
4691
4692
4693
4694
4695
4696
4697
4698
4699
4700
4701
4702
4703
4704
4705
4706
4707
4708
4709
4710
4711
4712
4713
4714
4715
4716
4717
4718
4719
4720
4721
4722
4723
4724
4725
4726
4727
4728
4729
4730
4731
4732
4733
4734
4735
4736
4737
4738
4739
4740
4741
4742
4743
4744
4745
4746
4747
4748
4749
4750
4751
4752
4753
4754
4755
4756
4757
4758
4759
4760
4761
4762
4763
4764
4765
4766
4767
4768
4769
4770
4771
4772
4773
4774
4775
4776
4777
4778
4779
4780
4781
4782
4783
4784
4785
4786
4787
4788
4789
4790
4791
4792
4793
4794
4795
4796
4797
4798
4799
4800
4801
4802
4803
4804
4805
4806
4807
4808
4809
4810
4811
4812
4813
4814
4815
4816
4817
4818
4819
4820
4821
4822
4823
4824
4825
4826
4827
4828
4829
4830
4831
4832
4833
4834
4835
4836
4837
4838
4839
4840
4841
4842
4843
4844
4845
4846
4847
4848
4849
4850
4851
4852
4853
4854
4855
4856
4857
4858
4859
4860
4861
4862
4863
4864
4865
4866
4867
4868
4869
4870
4871
4872
4873
4874
4875
4876
4877
4878
4879
4880
4881
4882
4883
4884
4885
4886
4887
4888
4889
4890
4891
4892
4893
4894
4895
4896
4897
4898
4899
4900
4901
4902
4903
4904
4905
4906
4907
4908
4909
4910
4911
4912
4913
4914
4915
4916
4917
4918
4919
4920
4921
4922
4923
4924
4925
4926
4927
4928
4929
4930
4931
4932
4933
4934
4935
4936
4937
4938
4939
4940
4941
4942
4943
4944
4945
4946
4947
4948
4949
4950
4951
4952
4953
4954
4955
4956
4957
4958
4959
4960
4961
4962
4963
4964
4965
4966
4967
4968
4969
4970
4971
4972
4973
4974
4975
4976
4977
4978
4979
4980
4981
4982
4983
4984
4985
4986
4987
4988
4989
4990
4991
4992
4993
4994
4995
4996
4997
4998
4999
5000
5001
5002
5003
5004
5005
5006
5007
5008
5009
5010
5011
5012
5013
5014
5015
5016
5017
5018
5019
5020
5021
5022
5023
5024
5025
5026
5027
5028
5029
5030
5031
5032
5033
5034
5035
5036
5037
5038
5039
5040
5041
5042
5043
5044
5045
5046
5047
5048
5049
5050
5051
5052
5053
5054
5055
5056
5057
5058
5059
5060
5061
5062
5063
5064
5065
5066
5067
5068
5069
5070
5071
5072
5073
5074
5075
5076
5077
5078
5079
5080
5081
5082
5083
5084
5085
5086
5087
5088
5089
5090
5091
5092
5093
5094
5095
5096
5097
5098
5099
5100
5101
5102
5103
5104
5105
5106
5107
5108
5109
5110
5111
5112
5113
5114
5115
5116
5117
5118
5119
5120
5121
5122
5123
5124
5125
5126
5127
5128
5129
5130
5131
5132
5133
5134
5135
5136
5137
5138
5139
5140
5141
5142
5143
5144
5145
5146
5147
5148
5149
5150
5151
5152
5153
5154
5155
5156
5157
5158
5159
5160
5161
5162
5163
5164
5165
5166
5167
5168
5169
5170
5171
5172
5173
5174
5175
5176
5177
5178
5179
5180
5181
5182
5183
5184
5185
5186
5187
5188
5189
5190
5191
5192
5193
5194
5195
5196
5197
5198
5199
5200
5201
5202
5203
5204
5205
5206
5207
5208
5209
5210
5211
5212
5213
5214
5215
5216
5217
5218
5219
5220
5221
5222
5223
5224
5225
5226
5227
5228
5229
5230
5231
5232
5233
5234
5235
5236
5237
5238
5239
5240
5241
5242
5243
5244
5245
5246
5247
5248
5249
5250
5251
5252
5253
5254
5255
5256
5257
5258
5259
5260
5261
5262
5263
5264
5265
5266
5267
5268
5269
5270
5271
5272
5273
5274
5275
5276
5277
5278
5279
5280
5281
5282
5283
5284
5285
5286
5287
5288
5289
5290
5291
5292
5293
5294
5295
5296
5297
5298
5299
5300
5301
5302
5303
5304
5305
5306
5307
5308
5309
5310
5311
5312
5313
5314
5315
5316
5317
5318
5319
5320
5321
5322
5323
5324
5325
5326
5327
5328
5329
5330
5331
5332
5333
5334
5335
5336
5337
5338
5339
5340
5341
5342
5343
5344
5345
5346
5347
5348
5349
5350
5351
5352
5353
5354
5355
5356
5357
5358
5359
5360
5361
5362
5363
5364
5365
5366
5367
5368
5369
5370
5371
5372
5373
5374
5375
5376
5377
5378
5379
5380
5381
5382
5383
5384
5385
5386
5387
5388
5389
5390
5391
5392
5393
5394
5395
5396
5397
5398
5399
5400
5401
5402
5403
5404
5405
5406
5407
5408
5409
5410
5411
5412
5413
5414
5415
5416
5417
5418
5419
5420
5421
5422
5423
5424
5425
5426
5427
5428
5429
5430
5431
5432
5433
5434
5435
5436
5437
5438
5439
5440
5441
5442
5443
5444
5445
5446
5447
5448
5449
5450
5451
5452
5453
5454
5455
5456
5457
5458
5459
5460
5461
5462
5463
5464
5465
5466
5467
5468
5469
5470
5471
5472
5473
5474
5475
5476
5477
5478
5479
5480
5481
5482
5483
5484
5485
5486
5487
5488
5489
5490
5491
5492
5493
5494
5495
5496
5497
5498
5499
5500
5501
5502
5503
5504
5505
5506
5507
5508
5509
5510
5511
5512
5513
5514
5515
5516
5517
5518
5519
5520
5521
5522
5523
5524
5525
5526
5527
5528
5529
5530
5531
5532
5533
5534
5535
5536
5537
5538
5539
5540
5541
5542
5543
5544
5545
5546
5547
5548
5549
5550
5551
5552
5553
5554
5555
5556
5557
5558
5559
5560
5561
5562
5563
5564
5565
5566
5567
5568
5569
5570
5571
5572
5573
5574
5575
5576
5577
5578
5579
5580
5581
5582
5583
5584
5585
5586
5587
5588
5589
5590
5591
5592
5593
5594
5595
5596
5597
5598
5599
5600
5601
5602
5603
5604
5605
5606
5607
5608
5609
5610
5611
5612
5613
5614
5615
5616
5617
5618
5619
5620
5621
5622
5623
5624
5625
5626
5627
5628
5629
5630
5631
5632
5633
5634
5635
5636
5637
5638
5639
5640
5641
5642
5643
5644
5645
5646
5647
5648
5649
5650
5651
5652
5653
5654
5655
5656
5657
5658
5659
5660
5661
5662
5663
5664
5665
5666
5667
5668
5669
5670
5671
5672
5673
5674
5675
5676
5677
5678
5679
5680
5681
5682
5683
5684
5685
5686
5687
5688
5689
5690
5691
5692
5693
5694
5695
5696
5697
5698
5699
5700
5701
5702
5703
5704
5705
5706
5707
5708
5709
5710
5711
5712
5713
5714
5715
5716
5717
5718
5719
5720
5721
5722
5723
5724
5725
5726
5727
5728
5729
5730
5731
5732
5733
5734
5735
5736
5737
5738
5739
5740
5741
5742
5743
5744
5745
5746
5747
5748
5749
5750
5751
5752
5753
5754
5755
5756
5757
5758
5759
5760
5761
5762
5763
5764
5765
5766
5767
5768
5769
5770
5771
5772
5773
5774
5775
5776
5777
5778
5779
5780
5781
5782
5783
5784
5785
5786
5787
5788
5789
5790
5791
5792
5793
5794
5795
5796
5797
5798
5799
5800
5801
5802
5803
5804
5805
5806
5807
5808
5809
5810
5811
5812
5813
5814
5815
5816
5817
5818
5819
5820
5821
5822
5823
5824
5825
5826
5827
5828
5829
5830
5831
5832
5833
5834
5835
5836
5837
5838
5839
5840
5841
5842
5843
5844
5845
5846
5847
5848
5849
5850
5851
5852
5853
5854
5855
5856
5857
5858
5859
5860
5861
5862
5863
5864
5865
5866
5867
5868
5869
5870
5871
5872
5873
5874
5875
5876
5877
5878
5879
5880
5881
5882
5883
5884
5885
5886
5887
5888
5889
5890
5891
5892
5893
5894
5895
5896
5897
5898
5899
5900
5901
5902
5903
5904
5905
5906
5907
5908
5909
5910
5911
5912
5913
5914
5915
5916
5917
5918
5919
5920
5921
5922
5923
5924
5925
5926
5927
5928
5929
5930
5931
5932
5933
5934
5935
5936
5937
5938
5939
5940
5941
5942
5943
5944
5945
5946
5947
5948
5949
5950
5951
5952
5953
5954
5955
5956
5957
5958
5959
5960
5961
5962
5963
5964
5965
5966
5967
5968
5969
5970
5971
5972
5973
5974
5975
5976
5977
5978
5979
5980
5981
5982
5983
5984
5985
5986
5987
5988
5989
5990
5991
5992
5993
5994
5995
5996
5997
5998
5999
6000
6001
6002
6003
6004
6005
6006
6007
6008
6009
6010
6011
6012
6013
6014
6015
6016
6017
/*******************************************************************************
* KindEditor - WYSIWYG HTML Editor for Internet
* Copyright (C) 2006-2013 kindsoft.net
*
* @author Roddy <luolonghao@gmail.com>
* @website http://www.kindsoft.net/
* @licence http://www.kindsoft.net/license.php
* @version 4.1.10 (2013-11-23)
*******************************************************************************/
(function (window, undefined) {
    if (window.KindEditor) {
        return;
    }
if (!window.console) {
    window.console = {};
}
if (!console.log) {
    console.log = function () {};
}
var _VERSION = '4.1.10 (2013-11-23)',
    _ua = navigator.userAgent.toLowerCase(),
    _IE = _ua.indexOf('msie') > -1 && _ua.indexOf('opera') == -1,
    _NEWIE = _ua.indexOf('msie') == -1 && _ua.indexOf('trident') > -1,
    _GECKO = _ua.indexOf('gecko') > -1 && _ua.indexOf('khtml') == -1,
    _WEBKIT = _ua.indexOf('applewebkit') > -1,
    _OPERA = _ua.indexOf('opera') > -1,
    _MOBILE = _ua.indexOf('mobile') > -1,
    _IOS = /ipad|iphone|ipod/.test(_ua),
    _QUIRKS = document.compatMode != 'CSS1Compat',
    _IERANGE = !window.getSelection,
    _matches = /(?:msie|firefox|webkit|opera)[\/:\s](\d+)/.exec(_ua),
    _V = _matches ? _matches[1] : '0',
    _TIME = new Date().getTime();
function _isArray(val) {
    if (!val) {
        return false;
    }
    return Object.prototype.toString.call(val) === '[object Array]';
}
function _isFunction(val) {
    if (!val) {
        return false;
    }
    return Object.prototype.toString.call(val) === '[object Function]';
}
function _inArray(val, arr) {
    for (var i = 0, len = arr.length; i < len; i++) {
        if (val === arr[i]) {
            return i;
        }
    }
    return -1;
}
function _each(obj, fn) {
    if (_isArray(obj)) {
        for (var i = 0, len = obj.length; i < len; i++) {
            if (fn.call(obj[i], i, obj[i]) === false) {
                break;
            }
        }
    } else {
        for (var key in obj) {
            if (obj.hasOwnProperty(key)) {
                if (fn.call(obj[key], key, obj[key]) === false) {
                    break;
                }
            }
        }
    }
}
function _trim(str) {
    return str.replace(/(?:^[ \t\n\r]+)|(?:[ \t\n\r]+$)/g, '');
}
function _inString(val, str, delimiter) {
    delimiter = delimiter === undefined ? ',' : delimiter;
    return (delimiter + str + delimiter).indexOf(delimiter + val + delimiter) >= 0;
}
function _addUnit(val, unit) {
    unit = unit || 'px';
    return val && /^\d+$/.test(val) ? val + unit : val;
}
function _removeUnit(val) {
    var match;
    return val && (match = /(\d+)/.exec(val)) ? parseInt(match[1], 10) : 0;
}
function _escape(val) {
    return val.replace(/&/g, '&amp;').replace(/</g, '&lt;').replace(/>/g, '&gt;').replace(/"/g, '&quot;');
}
function _unescape(val) {
    return val.replace(/&lt;/g, '<').replace(/&gt;/g, '>').replace(/&quot;/g, '"').replace(/&amp;/g, '&');
}
function _toCamel(str) {
    var arr = str.split('-');
    str = '';
    _each(arr, function(key, val) {
        str += (key > 0) ? val.charAt(0).toUpperCase() + val.substr(1) : val;
    });
    return str;
}
function _toHex(val) {
    function hex(d) {
        var s = parseInt(d, 10).toString(16).toUpperCase();
        return s.length > 1 ? s : '0' + s;
    }
    return val.replace(/rgb\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\)/ig,
        function($0, $1, $2, $3) {
            return '#' + hex($1) + hex($2) + hex($3);
        }
    );
}
function _toMap(val, delimiter) {
    delimiter = delimiter === undefined ? ',' : delimiter;
    var map = {}, arr = _isArray(val) ? val : val.split(delimiter), match;
    _each(arr, function(key, val) {
        if ((match = /^(\d+)\.\.(\d+)$/.exec(val))) {
            for (var i = parseInt(match[1], 10); i <= parseInt(match[2], 10); i++) {
                map[i.toString()] = true;
            }
        } else {
            map[val] = true;
        }
    });
    return map;
}
function _toArray(obj, offset) {
    return Array.prototype.slice.call(obj, offset || 0);
}
function _undef(val, defaultVal) {
    return val === undefined ? defaultVal : val;
}
function _invalidUrl(url) {
    return !url || /[<>"]/.test(url);
}
function _addParam(url, param) {
    return url.indexOf('?') >= 0 ? url + '&' + param : url + '?' + param;
}
function _extend(child, parent, proto) {
    if (!proto) {
        proto = parent;
        parent = null;
    }
    var childProto;
    if (parent) {
        var fn = function () {};
        fn.prototype = parent.prototype;
        childProto = new fn();
        _each(proto, function(key, val) {
            childProto[key] = val;
        });
    } else {
        childProto = proto;
    }
    childProto.constructor = child;
    child.prototype = childProto;
    child.parent = parent ? parent.prototype : null;
}
function _json(text) {
    var match;
    if ((match = /\{[\s\S]*\}|\[[\s\S]*\]/.exec(text))) {
        text = match[0];
    }
    var cx = /[\u0000\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g;
    cx.lastIndex = 0;
    if (cx.test(text)) {
        text = text.replace(cx, function (a) {
            return '\\u' + ('0000' + a.charCodeAt(0).toString(16)).slice(-4);
        });
    }
    if (/^[\],:{}\s]*$/.
    test(text.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g, '@').
    replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g, ']').
    replace(/(?:^|:|,)(?:\s*\[)+/g, ''))) {
        return eval('(' + text + ')');
    }
    throw 'JSON parse error';
}
var _round = Math.round;
var K = {
    DEBUG : false,
    VERSION : _VERSION,
    IE : _IE,
    GECKO : _GECKO,
    WEBKIT : _WEBKIT,
    OPERA : _OPERA,
    V : _V,
    TIME : _TIME,
    each : _each,
    isArray : _isArray,
    isFunction : _isFunction,
    inArray : _inArray,
    inString : _inString,
    trim : _trim,
    addUnit : _addUnit,
    removeUnit : _removeUnit,
    escape : _escape,
    unescape : _unescape,
    toCamel : _toCamel,
    toHex : _toHex,
    toMap : _toMap,
    toArray : _toArray,
    undef : _undef,
    invalidUrl : _invalidUrl,
    addParam : _addParam,
    extend : _extend,
    json : _json
};
var _INLINE_TAG_MAP = _toMap('a,abbr,acronym,b,basefont,bdo,big,br,button,cite,code,del,dfn,em,font,i,img,input,ins,kbd,label,map,q,s,samp,select,small,span,strike,strong,sub,sup,textarea,tt,u,var'),
    _BLOCK_TAG_MAP = _toMap('address,applet,blockquote,body,center,dd,dir,div,dl,dt,fieldset,form,frameset,h1,h2,h3,h4,h5,h6,head,hr,html,iframe,ins,isindex,li,map,menu,meta,noframes,noscript,object,ol,p,pre,script,style,table,tbody,td,tfoot,th,thead,title,tr,ul'),
    _SINGLE_TAG_MAP = _toMap('area,base,basefont,br,col,frame,hr,img,input,isindex,link,meta,param,embed'),
    _STYLE_TAG_MAP = _toMap('b,basefont,big,del,em,font,i,s,small,span,strike,strong,sub,sup,u'),
    _CONTROL_TAG_MAP = _toMap('img,table,input,textarea,button'),
    _PRE_TAG_MAP = _toMap('pre,style,script'),
    _NOSPLIT_TAG_MAP = _toMap('html,head,body,td,tr,table,ol,ul,li'),
    _AUTOCLOSE_TAG_MAP = _toMap('colgroup,dd,dt,li,options,p,td,tfoot,th,thead,tr'),
    _FILL_ATTR_MAP = _toMap('checked,compact,declare,defer,disabled,ismap,multiple,nohref,noresize,noshade,nowrap,readonly,selected'),
    _VALUE_TAG_MAP = _toMap('input,button,textarea,select');
function _getBasePath() {
    var els = document.getElementsByTagName('script'), src;
    for (var i = 0, len = els.length; i < len; i++) {
        src = els[i].src || '';
        if (/kindeditor[\w\-\.]*\.js/.test(src)) {
            return src.substring(0, src.lastIndexOf('/') + 1);
        }
    }
    return '';
}
K.basePath = _getBasePath();
K.options = {
    designMode : true,
    fullscreenMode : false,
    filterMode : true,
    wellFormatMode : true,
    shadowMode : true,
    loadStyleMode : true,
    basePath : K.basePath,
    themesPath : K.basePath + 'themes/',
    langPath : K.basePath + 'lang/',
    pluginsPath : K.basePath + 'plugins/',
    themeType : 'default',
    langType : 'zh_CN',
    urlType : '',
    newlineTag : 'p',
    resizeType : 2,
    syncType : 'form',
    pasteType : 2,
    dialogAlignType : 'page',
    useContextmenu : true,
    fullscreenShortcut : false,
    bodyClass : 'ke-content',
    indentChar : '\t',
    cssPath : '',
    cssData : '',
    minWidth : 650,
    minHeight : 100,
    minChangeSize : 50,
    zIndex : 811213,
    items : [
        'source', '|', 'undo', 'redo', '|', 'preview', 'print', 'template', 'code', 'cut', 'copy', 'paste',
        'plainpaste', 'wordpaste', '|', 'justifyleft', 'justifycenter', 'justifyright',
        'justifyfull', 'insertorderedlist', 'insertunorderedlist', 'indent', 'outdent', 'subscript',
        'superscript', 'clearhtml', 'quickformat', 'selectall', '|', 'fullscreen', '/',
        'formatblock', 'fontname', 'fontsize', '|', 'forecolor', 'hilitecolor', 'bold',
        'italic', 'underline', 'strikethrough', 'lineheight', 'removeformat', '|', 'image', 'multiimage',
        'flash', 'media', 'insertfile', 'table', 'hr', 'emoticons', 'baidumap', 'pagebreak',
        'anchor', 'link', 'unlink', '|', 'about'
    ],
    noDisableItems : ['source', 'fullscreen'],
    colorTable : [
        ['#E53333', '#E56600', '#FF9900', '#64451D', '#DFC5A4', '#FFE500'],
        ['#009900', '#006600', '#99BB00', '#B8D100', '#60D978', '#00D5FF'],
        ['#337FE5', '#003399', '#4C33E5', '#9933E5', '#CC33E5', '#EE33EE'],
        ['#FFFFFF', '#CCCCCC', '#999999', '#666666', '#333333', '#000000']
    ],
    fontSizeTable : ['9px', '10px', '12px', '14px', '16px', '18px', '24px', '32px'],
    htmlTags : {
        font : ['id', 'class', 'color', 'size', 'face', '.background-color'],
        span : [
            'id', 'class', '.color', '.background-color', '.font-size', '.font-family', '.background',
            '.font-weight', '.font-style', '.text-decoration', '.vertical-align', '.line-height'
        ],
        div : [
            'id', 'class', 'align', '.border', '.margin', '.padding', '.text-align', '.color',
            '.background-color', '.font-size', '.font-family', '.font-weight', '.background',
            '.font-style', '.text-decoration', '.vertical-align', '.margin-left'
        ],
        table: [
            'id', 'class', 'border', 'cellspacing', 'cellpadding', 'width', 'height', 'align', 'bordercolor',
            '.padding', '.margin', '.border', 'bgcolor', '.text-align', '.color', '.background-color',
            '.font-size', '.font-family', '.font-weight', '.font-style', '.text-decoration', '.background',
            '.width', '.height', '.border-collapse'
        ],
        'td,th': [
            'id', 'class', 'align', 'valign', 'width', 'height', 'colspan', 'rowspan', 'bgcolor',
            '.text-align', '.color', '.background-color', '.font-size', '.font-family', '.font-weight',
            '.font-style', '.text-decoration', '.vertical-align', '.background', '.border'
        ],
        a : ['id', 'class', 'href', 'target', 'name'],
        embed : ['id', 'class', 'src', 'width', 'height', 'type', 'loop', 'autostart', 'quality', '.width', '.height', 'align', 'allowscriptaccess'],
        img : ['id', 'class', 'src', 'width', 'height', 'border', 'alt', 'title', 'align', '.width', '.height', '.border'],
        'p,ol,ul,li,blockquote,h1,h2,h3,h4,h5,h6' : [
            'id', 'class', 'align', '.text-align', '.color', '.background-color', '.font-size', '.font-family', '.background',
            '.font-weight', '.font-style', '.text-decoration', '.vertical-align', '.text-indent', '.margin-left'
        ],
        pre : ['id', 'class'],
        hr : ['id', 'class', '.page-break-after'],
        'br,tbody,tr,strong,b,sub,sup,em,i,u,strike,s,del' : ['id', 'class'],
        iframe : ['id', 'class', 'src', 'frameborder', 'width', 'height', '.width', '.height']
    },
    layout : '<div class="container"><div class="toolbar"></div><div class="edit"></div><div class="statusbar"></div></div>'
};
var _useCapture = false;
var _INPUT_KEY_MAP = _toMap('8,9,13,32,46,48..57,59,61,65..90,106,109..111,188,190..192,219..222');
var _CURSORMOVE_KEY_MAP = _toMap('33..40');
var _CHANGE_KEY_MAP = {};
_each(_INPUT_KEY_MAP, function(key, val) {
    _CHANGE_KEY_MAP[key] = val;
});
_each(_CURSORMOVE_KEY_MAP, function(key, val) {
    _CHANGE_KEY_MAP[key] = val;
});
function _bindEvent(el, type, fn) {
    if (el.addEventListener){
        el.addEventListener(type, fn, _useCapture);
    } else if (el.attachEvent){
        el.attachEvent('on' + type, fn);
    }
}
function _unbindEvent(el, type, fn) {
    if (el.removeEventListener){
        el.removeEventListener(type, fn, _useCapture);
    } else if (el.detachEvent){
        el.detachEvent('on' + type, fn);
    }
}
var _EVENT_PROPS = ('altKey,attrChange,attrName,bubbles,button,cancelable,charCode,clientX,clientY,ctrlKey,currentTarget,' +
    'data,detail,eventPhase,fromElement,handler,keyCode,metaKey,newValue,offsetX,offsetY,originalTarget,pageX,' +
    'pageY,prevValue,relatedNode,relatedTarget,screenX,screenY,shiftKey,srcElement,target,toElement,view,wheelDelta,which').split(',');
function KEvent(el, event) {
    this.init(el, event);
}
_extend(KEvent, {
    init : function(el, event) {
        var self = this, doc = el.ownerDocument || el.document || el;
        self.event = event;
        _each(_EVENT_PROPS, function(key, val) {
            self[val] = event[val];
        });
        if (!self.target) {
            self.target = self.srcElement || doc;
        }
        if (self.target.nodeType === 3) {
            self.target = self.target.parentNode;
        }
        if (!self.relatedTarget && self.fromElement) {
            self.relatedTarget = self.fromElement === self.target ? self.toElement : self.fromElement;
        }
        if (self.pageX == null && self.clientX != null) {
            var d = doc.documentElement, body = doc.body;
            self.pageX = self.clientX + (d && d.scrollLeft || body && body.scrollLeft || 0) - (d && d.clientLeft || body && body.clientLeft || 0);
            self.pageY = self.clientY + (d && d.scrollTop  || body && body.scrollTop  || 0) - (d && d.clientTop  || body && body.clientTop  || 0);
        }
        if (!self.which && ((self.charCode || self.charCode === 0) ? self.charCode : self.keyCode)) {
            self.which = self.charCode || self.keyCode;
        }
        if (!self.metaKey && self.ctrlKey) {
            self.metaKey = self.ctrlKey;
        }
        if (!self.which && self.button !== undefined) {
            self.which = (self.button & 1 ? 1 : (self.button & 2 ? 3 : (self.button & 4 ? 2 : 0)));
        }
        switch (self.which) {
        case 186 :
            self.which = 59;
            break;
        case 187 :
        case 107 :
        case 43 :
            self.which = 61;
            break;
        case 189 :
        case 45 :
            self.which = 109;
            break;
        case 42 :
            self.which = 106;
            break;
        case 47 :
            self.which = 111;
            break;
        case 78 :
            self.which = 110;
            break;
        }
        if (self.which >= 96 && self.which <= 105) {
            self.which -= 48;
        }
    },
    preventDefault : function() {
        var ev = this.event;
        if (ev.preventDefault) {
            ev.preventDefault();
        } else {
            ev.returnValue = false;
        }
    },
    stopPropagation : function() {
        var ev = this.event;
        if (ev.stopPropagation) {
            ev.stopPropagation();
        } else {
            ev.cancelBubble = true;
        }
    },
    stop : function() {
        this.preventDefault();
        this.stopPropagation();
    }
});
var _eventExpendo = 'kindeditor_' + _TIME, _eventId = 0, _eventData = {};
function _getId(el) {
    return el[_eventExpendo] || null;
}
function _setId(el) {
    el[_eventExpendo] = ++_eventId;
    return _eventId;
}
function _removeId(el) {
    try {
        delete el[_eventExpendo];
    } catch(e) {
        if (el.removeAttribute) {
            el.removeAttribute(_eventExpendo);
        }
    }
}
function _bind(el, type, fn) {
    if (type.indexOf(',') >= 0) {
        _each(type.split(','), function() {
            _bind(el, this, fn);
        });
        return;
    }
    var id = _getId(el);
    if (!id) {
        id = _setId(el);
    }
    if (_eventData[id] === undefined) {
        _eventData[id] = {};
    }
    var events = _eventData[id][type];
    if (events && events.length > 0) {
        _unbindEvent(el, type, events[0]);
    } else {
        _eventData[id][type] = [];
        _eventData[id].el = el;
    }
    events = _eventData[id][type];
    if (events.length === 0) {
        events[0] = function(e) {
            var kevent = e ? new KEvent(el, e) : undefined;
            _each(events, function(i, event) {
                if (i > 0 && event) {
                    event.call(el, kevent);
                }
            });
        };
    }
    if (_inArray(fn, events) < 0) {
        events.push(fn);
    }
    _bindEvent(el, type, events[0]);
}
function _unbind(el, type, fn) {
    if (type && type.indexOf(',') >= 0) {
        _each(type.split(','), function() {
            _unbind(el, this, fn);
        });
        return;
    }
    var id = _getId(el);
    if (!id) {
        return;
    }
    if (type === undefined) {
        if (id in _eventData) {
            _each(_eventData[id], function(key, events) {
                if (key != 'el' && events.length > 0) {
                    _unbindEvent(el, key, events[0]);
                }
            });
            delete _eventData[id];
            _removeId(el);
        }
        return;
    }
    if (!_eventData[id]) {
        return;
    }
    var events = _eventData[id][type];
    if (events && events.length > 0) {
        if (fn === undefined) {
            _unbindEvent(el, type, events[0]);
            delete _eventData[id][type];
        } else {
            _each(events, function(i, event) {
                if (i > 0 && event === fn) {
                    events.splice(i, 1);
                }
            });
            if (events.length == 1) {
                _unbindEvent(el, type, events[0]);
                delete _eventData[id][type];
            }
        }
        var count = 0;
        _each(_eventData[id], function() {
            count++;
        });
        if (count < 2) {
            delete _eventData[id];
            _removeId(el);
        }
    }
}
function _fire(el, type) {
    if (type.indexOf(',') >= 0) {
        _each(type.split(','), function() {
            _fire(el, this);
        });
        return;
    }
    var id = _getId(el);
    if (!id) {
        return;
    }
    var events = _eventData[id][type];
    if (_eventData[id] && events && events.length > 0) {
        events[0]();
    }
}
function _ctrl(el, key, fn) {
    var self = this;
    key = /^\d{2,}$/.test(key) ? key : key.toUpperCase().charCodeAt(0);
    _bind(el, 'keydown', function(e) {
        if (e.ctrlKey && e.which == key && !e.shiftKey && !e.altKey) {
            fn.call(el);
            e.stop();
        }
    });
}
var _readyFinished = false;
function _ready(fn) {
    if (_readyFinished) {
        fn(KindEditor);
        return;
    }
    var loaded = false;
    function readyFunc() {
        if (!loaded) {
            loaded = true;
            fn(KindEditor);
            _readyFinished = true;
        }
    }
    function ieReadyFunc() {
        if (!loaded) {
            try {
                document.documentElement.doScroll('left');
            } catch(e) {
                setTimeout(ieReadyFunc, 100);
                return;
            }
            readyFunc();
        }
    }
    function ieReadyStateFunc() {
        if (document.readyState === 'complete') {
            readyFunc();
        }
    }
    if (document.addEventListener) {
        _bind(document, 'DOMContentLoaded', readyFunc);
    } else if (document.attachEvent) {
        _bind(document, 'readystatechange', ieReadyStateFunc);
        var toplevel = false;
        try {
            toplevel = window.frameElement == null;
        } catch(e) {}
        if (document.documentElement.doScroll && toplevel) {
            ieReadyFunc();
        }
    }
    _bind(window, 'load', readyFunc);
}
if (_IE) {
    window.attachEvent('onunload', function() {
        _each(_eventData, function(key, events) {
            if (events.el) {
                _unbind(events.el);
            }
        });
    });
}
K.ctrl = _ctrl;
K.ready = _ready;
function _getCssList(css) {
    var list = {},
        reg = /\s*([\w\-]+)\s*:([^;]*)(;|$)/g,
        match;
    while ((match = reg.exec(css))) {
        var key = _trim(match[1].toLowerCase()),
            val = _trim(_toHex(match[2]));
        list[key] = val;
    }
    return list;
}
function _getAttrList(tag) {
    var list = {},
        reg = /\s+(?:([\w\-:]+)|(?:([\w\-:]+)=([^\s"'<>]+))|(?:([\w\-:"]+)="([^"]*)")|(?:([\w\-:"]+)='([^']*)'))(?=(?:\s|\/|>)+)/g,
        match;
    while ((match = reg.exec(tag))) {
        var key = (match[1] || match[2] || match[4] || match[6]).toLowerCase(),
            val = (match[2] ? match[3] : (match[4] ? match[5] : match[7])) || '';
        list[key] = val;
    }
    return list;
}
function _addClassToTag(tag, className) {
    if (/\s+class\s*=/.test(tag)) {
        tag = tag.replace(/(\s+class=["']?)([^"']*)(["']?[\s>])/, function($0, $1, $2, $3) {
            if ((' ' + $2 + ' ').indexOf(' ' + className + ' ') < 0) {
                return $2 === '' ? $1 + className + $3 : $1 + $2 + ' ' + className + $3;
            } else {
                return $0;
            }
        });
    } else {
        tag = tag.substr(0, tag.length - 1) + ' class="' + className + '">';
    }
    return tag;
}
function _formatCss(css) {
    var str = '';
    _each(_getCssList(css), function(key, val) {
        str += key + ':' + val + ';';
    });
    return str;
}
function _formatUrl(url, mode, host, pathname) {
    mode = _undef(mode, '').toLowerCase();
    if (url.substr(0, 5) != 'data:') {
        url = url.replace(/([^:])\/\//g, '$1/');
    }
    if (_inArray(mode, ['absolute', 'relative', 'domain']) < 0) {
        return url;
    }
    host = host || location.protocol + '//' + location.host;
    if (pathname === undefined) {
        var m = location.pathname.match(/^(\/.*)\//);
        pathname = m ? m[1] : '';
    }
    var match;
    if ((match = /^(\w+:\/\/[^\/]*)/.exec(url))) {
        if (match[1] !== host) {
            return url;
        }
    } else if (/^\w+:/.test(url)) {
        return url;
    }
    function getRealPath(path) {
        var parts = path.split('/'), paths = [];
        for (var i = 0, len = parts.length; i < len; i++) {
            var part = parts[i];
            if (part == '..') {
                if (paths.length > 0) {
                    paths.pop();
                }
            } else if (part !== '' && part != '.') {
                paths.push(part);
            }
        }
        return '/' + paths.join('/');
    }
    if (/^\//.test(url)) {
        url = host + getRealPath(url.substr(1));
    } else if (!/^\w+:\/\//.test(url)) {
        url = host + getRealPath(pathname + '/' + url);
    }
    function getRelativePath(path, depth) {
        if (url.substr(0, path.length) === path) {
            var arr = [];
            for (var i = 0; i < depth; i++) {
                arr.push('..');
            }
            var prefix = '.';
            if (arr.length > 0) {
                prefix += '/' + arr.join('/');
            }
            if (pathname == '/') {
                prefix += '/';
            }
            return prefix + url.substr(path.length);
        } else {
            if ((match = /^(.*)\//.exec(path))) {
                return getRelativePath(match[1], ++depth);
            }
        }
    }
    if (mode === 'relative') {
        url = getRelativePath(host + pathname, 0).substr(2);
    } else if (mode === 'absolute') {
        if (url.substr(0, host.length) === host) {
            url = url.substr(host.length);
        }
    }
    return url;
}
function _formatHtml(html, htmlTags, urlType, wellFormatted, indentChar) {
    if (html == null) {
        html = '';
    }
    urlType = urlType || '';
    wellFormatted = _undef(wellFormatted, false);
    indentChar = _undef(indentChar, '\t');
    var fontSizeList = 'xx-small,x-small,small,medium,large,x-large,xx-large'.split(',');
    html = html.replace(/(<(?:pre|pre\s[^>]*)>)([\s\S]*?)(<\/pre>)/ig, function($0, $1, $2, $3) {
        return $1 + $2.replace(/<(?:br|br\s[^>]*)>/ig, '\n') + $3;
    });
    html = html.replace(/<(?:br|br\s[^>]*)\s*\/?>\s*<\/p>/ig, '</p>');
    html = html.replace(/(<(?:p|p\s[^>]*)>)\s*(<\/p>)/ig, '$1<br />$2');
    html = html.replace(/\u200B/g, '');
    html = html.replace(/\u00A9/g, '&copy;');
    html = html.replace(/\u00AE/g, '&reg;');
    html = html.replace(/<[^>]+/g, function($0) {
        return $0.replace(/\s+/g, ' ');
    });
    var htmlTagMap = {};
    if (htmlTags) {
        _each(htmlTags, function(key, val) {
            var arr = key.split(',');
            for (var i = 0, len = arr.length; i < len; i++) {
                htmlTagMap[arr[i]] = _toMap(val);
            }
        });
        if (!htmlTagMap.script) {
            html = html.replace(/(<(?:script|script\s[^>]*)>)([\s\S]*?)(<\/script>)/ig, '');
        }
        if (!htmlTagMap.style) {
            html = html.replace(/(<(?:style|style\s[^>]*)>)([\s\S]*?)(<\/style>)/ig, '');
        }
    }
    var re = /(\s*)<(\/)?([\w\-:]+)((?:\s+|(?:\s+[\w\-:]+)|(?:\s+[\w\-:]+=[^\s"'<>]+)|(?:\s+[\w\-:"]+="[^"]*")|(?:\s+[\w\-:"]+='[^']*'))*)(\/)?>(\s*)/g;
    var tagStack = [];
    html = html.replace(re, function($0, $1, $2, $3, $4, $5, $6) {
        var full = $0,
            startNewline = $1 || '',
            startSlash = $2 || '',
            tagName = $3.toLowerCase(),
            attr = $4 || '',
            endSlash = $5 ? ' ' + $5 : '',
            endNewline = $6 || '';
        if (htmlTags && !htmlTagMap[tagName]) {
            return '';
        }
        if (endSlash === '' && _SINGLE_TAG_MAP[tagName]) {
            endSlash = ' /';
        }
        if (_INLINE_TAG_MAP[tagName]) {
            if (startNewline) {
                startNewline = ' ';
            }
            if (endNewline) {
                endNewline = ' ';
            }
        }
        if (_PRE_TAG_MAP[tagName]) {
            if (startSlash) {
                endNewline = '\n';
            } else {
                startNewline = '\n';
            }
        }
        if (wellFormatted && tagName == 'br') {
            endNewline = '\n';
        }
        if (_BLOCK_TAG_MAP[tagName] && !_PRE_TAG_MAP[tagName]) {
            if (wellFormatted) {
                if (startSlash && tagStack.length > 0 && tagStack[tagStack.length - 1] === tagName) {
                    tagStack.pop();
                } else {
                    tagStack.push(tagName);
                }
                startNewline = '\n';
                endNewline = '\n';
                for (var i = 0, len = startSlash ? tagStack.length : tagStack.length - 1; i < len; i++) {
                    startNewline += indentChar;
                    if (!startSlash) {
                        endNewline += indentChar;
                    }
                }
                if (endSlash) {
                    tagStack.pop();
                } else if (!startSlash) {
                    endNewline += indentChar;
                }
            } else {
                startNewline = endNewline = '';
            }
        }
        if (attr !== '') {
            var attrMap = _getAttrList(full);
            if (tagName === 'font') {
                var fontStyleMap = {}, fontStyle = '';
                _each(attrMap, function(key, val) {
                    if (key === 'color') {
                        fontStyleMap.color = val;
                        delete attrMap[key];
                    }
                    if (key === 'size') {
                        fontStyleMap['font-size'] = fontSizeList[parseInt(val, 10) - 1] || '';
                        delete attrMap[key];
                    }
                    if (key === 'face') {
                        fontStyleMap['font-family'] = val;
                        delete attrMap[key];
                    }
                    if (key === 'style') {
                        fontStyle = val;
                    }
                });
                if (fontStyle && !/;$/.test(fontStyle)) {
                    fontStyle += ';';
                }
                _each(fontStyleMap, function(key, val) {
                    if (val === '') {
                        return;
                    }
                    if (/\s/.test(val)) {
                        val = "'" + val + "'";
                    }
                    fontStyle += key + ':' + val + ';';
                });
                attrMap.style = fontStyle;
            }
            _each(attrMap, function(key, val) {
                if (_FILL_ATTR_MAP[key]) {
                    attrMap[key] = key;
                }
                if (_inArray(key, ['src', 'href']) >= 0) {
                    attrMap[key] = _formatUrl(val, urlType);
                }
                if (htmlTags && key !== 'style' && !htmlTagMap[tagName]['*'] && !htmlTagMap[tagName][key] ||
                    tagName === 'body' && key === 'contenteditable' ||
                    /^kindeditor_\d+$/.test(key)) {
                    delete attrMap[key];
                }
                if (key === 'style' && val !== '') {
                    var styleMap = _getCssList(val);
                    _each(styleMap, function(k, v) {
                        if (htmlTags && !htmlTagMap[tagName].style && !htmlTagMap[tagName]['.' + k]) {
                            delete styleMap[k];
                        }
                    });
                    var style = '';
                    _each(styleMap, function(k, v) {
                        style += k + ':' + v + ';';
                    });
                    attrMap.style = style;
                }
            });
            attr = '';
            _each(attrMap, function(key, val) {
                if (key === 'style' && val === '') {
                    return;
                }
                val = val.replace(/"/g, '&quot;');
                attr += ' ' + key + '="' + val + '"';
            });
        }
        if (tagName === 'font') {
            tagName = 'span';
        }
        return startNewline + '<' + startSlash + tagName + attr + endSlash + '>' + endNewline;
    });
    html = html.replace(/(<(?:pre|pre\s[^>]*)>)([\s\S]*?)(<\/pre>)/ig, function($0, $1, $2, $3) {
        return $1 + $2.replace(/\n/g, '<span id="__kindeditor_pre_newline__">\n') + $3;
    });
    html = html.replace(/\n\s*\n/g, '\n');
    html = html.replace(/<span id="__kindeditor_pre_newline__">\n/g, '\n');
    return _trim(html);
}
function _clearMsWord(html, htmlTags) {
    html = html.replace(/<meta[\s\S]*?>/ig, '')
        .replace(/<![\s\S]*?>/ig, '')
        .replace(/<style[^>]*>[\s\S]*?<\/style>/ig, '')
        .replace(/<script[^>]*>[\s\S]*?<\/script>/ig, '')
        .replace(/<w:[^>]+>[\s\S]*?<\/w:[^>]+>/ig, '')
        .replace(/<o:[^>]+>[\s\S]*?<\/o:[^>]+>/ig, '')
        .replace(/<xml>[\s\S]*?<\/xml>/ig, '')
        .replace(/<(?:table|td)[^>]*>/ig, function(full) {
            return full.replace(/border-bottom:([#\w\s]+)/ig, 'border:$1');
        });
    return _formatHtml(html, htmlTags);
}
function _mediaType(src) {
    if (/\.(rm|rmvb)(\?|$)/i.test(src)) {
        return 'audio/x-pn-realaudio-plugin';
    }
    if (/\.(swf|flv)(\?|$)/i.test(src)) {
        return 'application/x-shockwave-flash';
    }
    return 'video/x-ms-asf-plugin';
}
function _mediaClass(type) {
    if (/realaudio/i.test(type)) {
        return 'ke-rm';
    }
    if (/flash/i.test(type)) {
        return 'ke-flash';
    }
    return 'ke-media';
}
function _mediaAttrs(srcTag) {
    return _getAttrList(unescape(srcTag));
}
function _mediaEmbed(attrs) {
    var html = '<embed ';
    _each(attrs, function(key, val) {
        html += key + '="' + val + '" ';
    });
    html += '/>';
    return html;
}
function _mediaImg(blankPath, attrs) {
    var width = attrs.width,
        height = attrs.height,
        type = attrs.type || _mediaType(attrs.src),
        srcTag = _mediaEmbed(attrs),
        style = '';
    if (/\D/.test(width)) {
        style += 'width:' + width + ';';
    } else if (width > 0) {
        style += 'width:' + width + 'px;';
    }
    if (/\D/.test(height)) {
        style += 'height:' + height + ';';
    } else if (height > 0) {
        style += 'height:' + height + 'px;';
    }
    var html = '<img class="' + _mediaClass(type) + '" src="' + blankPath + '" ';
    if (style !== '') {
        html += 'style="' + style + '" ';
    }
    html += 'data-ke-tag="' + escape(srcTag) + '" alt="" />';
    return html;
}
function _tmpl(str, data) {
    var fn = new Function("obj",
        "var p=[],print=function(){p.push.apply(p,arguments);};" +
        "with(obj){p.push('" +
        str.replace(/[\r\t\n]/g, " ")
            .split("<%").join("\t")
            .replace(/((^|%>)[^\t]*)'/g, "$1\r")
            .replace(/\t=(.*?)%>/g, "',$1,'")
            .split("\t").join("');")
            .split("%>").join("p.push('")
            .split("\r").join("\\'") + "');}return p.join('');");
    return data ? fn(data) : fn;
}
K.formatUrl = _formatUrl;
K.formatHtml = _formatHtml;
K.getCssList = _getCssList;
K.getAttrList = _getAttrList;
K.mediaType = _mediaType;
K.mediaAttrs = _mediaAttrs;
K.mediaEmbed = _mediaEmbed;
K.mediaImg = _mediaImg;
K.clearMsWord = _clearMsWord;
K.tmpl = _tmpl;
function _contains(nodeA, nodeB) {
    if (nodeA.nodeType == 9 && nodeB.nodeType != 9) {
        return true;
    }
    while ((nodeB = nodeB.parentNode)) {
        if (nodeB == nodeA) {
            return true;
        }
    }
    return false;
}
var _getSetAttrDiv = document.createElement('div');
_getSetAttrDiv.setAttribute('className', 't');
var _GET_SET_ATTRIBUTE = _getSetAttrDiv.className !== 't';
function _getAttr(el, key) {
    key = key.toLowerCase();
    var val = null;
    if (!_GET_SET_ATTRIBUTE && el.nodeName.toLowerCase() != 'script') {
        var div = el.ownerDocument.createElement('div');
        div.appendChild(el.cloneNode(false));
        var list = _getAttrList(_unescape(div.innerHTML));
        if (key in list) {
            val = list[key];
        }
    } else {
        try {
            val = el.getAttribute(key, 2);
        } catch(e) {
            val = el.getAttribute(key, 1);
        }
    }
    if (key === 'style' && val !== null) {
        val = _formatCss(val);
    }
    return val;
}
function _queryAll(expr, root) {
    var exprList = expr.split(',');
    if (exprList.length > 1) {
        var mergedResults = [];
        _each(exprList, function() {
            _each(_queryAll(this, root), function() {
                if (_inArray(this, mergedResults) < 0) {
                    mergedResults.push(this);
                }
            });
        });
        return mergedResults;
    }
    root = root || document;
    function escape(str) {
        if (typeof str != 'string') {
            return str;
        }
        return str.replace(/([^\w\-])/g, '\\$1');
    }
    function stripslashes(str) {
        return str.replace(/\\/g, '');
    }
    function cmpTag(tagA, tagB) {
        return tagA === '*' || tagA.toLowerCase() === escape(tagB.toLowerCase());
    }
    function byId(id, tag, root) {
        var arr = [],
            doc = root.ownerDocument || root,
            el = doc.getElementById(stripslashes(id));
        if (el) {
            if (cmpTag(tag, el.nodeName) && _contains(root, el)) {
                arr.push(el);
            }
        }
        return arr;
    }
    function byClass(className, tag, root) {
        var doc = root.ownerDocument || root, arr = [], els, i, len, el;
        if (root.getElementsByClassName) {
            els = root.getElementsByClassName(stripslashes(className));
            for (i = 0, len = els.length; i < len; i++) {
                el = els[i];
                if (cmpTag(tag, el.nodeName)) {
                    arr.push(el);
                }
            }
        } else if (doc.querySelectorAll) {
            els = doc.querySelectorAll((root.nodeName !== '#document' ? root.nodeName + ' ' : '') + tag + '.' + className);
            for (i = 0, len = els.length; i < len; i++) {
                el = els[i];
                if (_contains(root, el)) {
                    arr.push(el);
                }
            }
        } else {
            els = root.getElementsByTagName(tag);
            className = ' ' + className + ' ';
            for (i = 0, len = els.length; i < len; i++) {
                el = els[i];
                if (el.nodeType == 1) {
                    var cls = el.className;
                    if (cls && (' ' + cls + ' ').indexOf(className) > -1) {
                        arr.push(el);
                    }
                }
            }
        }
        return arr;
    }
    function byName(name, tag, root) {
        var arr = [], doc = root.ownerDocument || root,
            els = doc.getElementsByName(stripslashes(name)), el;
        for (var i = 0, len = els.length; i < len; i++) {
            el = els[i];
            if (cmpTag(tag, el.nodeName) && _contains(root, el)) {
                if (el.getAttribute('name') !== null) {
                    arr.push(el);
                }
            }
        }
        return arr;
    }
    function byAttr(key, val, tag, root) {
        var arr = [], els = root.getElementsByTagName(tag), el;
        for (var i = 0, len = els.length; i < len; i++) {
            el = els[i];
            if (el.nodeType == 1) {
                if (val === null) {
                    if (_getAttr(el, key) !== null) {
                        arr.push(el);
                    }
                } else {
                    if (val === escape(_getAttr(el, key))) {
                        arr.push(el);
                    }
                }
            }
        }
        return arr;
    }
    function select(expr, root) {
        var arr = [], matches;
        matches = /^((?:\\.|[^.#\s\[<>])+)/.exec(expr);
        var tag = matches ? matches[1] : '*';
        if ((matches = /#((?:[\w\-]|\\.)+)$/.exec(expr))) {
            arr = byId(matches[1], tag, root);
        } else if ((matches = /\.((?:[\w\-]|\\.)+)$/.exec(expr))) {
            arr = byClass(matches[1], tag, root);
        } else if ((matches = /\[((?:[\w\-]|\\.)+)\]/.exec(expr))) {
            arr = byAttr(matches[1].toLowerCase(), null, tag, root);
        } else if ((matches = /\[((?:[\w\-]|\\.)+)\s*=\s*['"]?((?:\\.|[^'"]+)+)['"]?\]/.exec(expr))) {
            var key = matches[1].toLowerCase(), val = matches[2];
            if (key === 'id') {
                arr = byId(val, tag, root);
            } else if (key === 'class') {
                arr = byClass(val, tag, root);
            } else if (key === 'name') {
                arr = byName(val, tag, root);
            } else {
                arr = byAttr(key, val, tag, root);
            }
        } else {
            var els = root.getElementsByTagName(tag), el;
            for (var i = 0, len = els.length; i < len; i++) {
                el = els[i];
                if (el.nodeType == 1) {
                    arr.push(el);
                }
            }
        }
        return arr;
    }
    var parts = [], arr, re = /((?:\\.|[^\s>])+|[\s>])/g;
    while ((arr = re.exec(expr))) {
        if (arr[1] !== ' ') {
            parts.push(arr[1]);
        }
    }
    var results = [];
    if (parts.length == 1) {
        return select(parts[0], root);
    }
    var isChild = false, part, els, subResults, val, v, i, j, k, length, len, l;
    for (i = 0, lenth = parts.length; i < lenth; i++) {
        part = parts[i];
        if (part === '>') {
            isChild = true;
            continue;
        }
        if (i > 0) {
            els = [];
            for (j = 0, len = results.length; j < len; j++) {
                val = results[j];
                subResults = select(part, val);
                for (k = 0, l = subResults.length; k < l; k++) {
                    v = subResults[k];
                    if (isChild) {
                        if (val === v.parentNode) {
                            els.push(v);
                        }
                    } else {
                        els.push(v);
                    }
                }
            }
            results = els;
        } else {
            results = select(part, root);
        }
        if (results.length === 0) {
            return [];
        }
    }
    return results;
}
function _query(expr, root) {
    var arr = _queryAll(expr, root);
    return arr.length > 0 ? arr[0] : null;
}
K.query = _query;
K.queryAll = _queryAll;
function _get(val) {
    return K(val)[0];
}
function _getDoc(node) {
    if (!node) {
        return document;
    }
    return node.ownerDocument || node.document || node;
}
function _getWin(node) {
    if (!node) {
        return window;
    }
    var doc = _getDoc(node);
    return doc.parentWindow || doc.defaultView;
}
function _setHtml(el, html) {
    if (el.nodeType != 1) {
        return;
    }
    var doc = _getDoc(el);
    try {
        el.innerHTML = '<img id="__kindeditor_temp_tag__" width="0" height="0" style="display:none;" />' + html;
        var temp = doc.getElementById('__kindeditor_temp_tag__');
        temp.parentNode.removeChild(temp);
    } catch(e) {
        K(el).empty();
        K('@' + html, doc).each(function() {
            el.appendChild(this);
        });
    }
}
function _hasClass(el, cls) {
    return _inString(cls, el.className, ' ');
}
function _setAttr(el, key, val) {
    if (_IE && _V < 8 && key.toLowerCase() == 'class') {
        key = 'className';
    }
    el.setAttribute(key, '' + val);
}
function _removeAttr(el, key) {
    if (_IE && _V < 8 && key.toLowerCase() == 'class') {
        key = 'className';
    }
    _setAttr(el, key, '');
    el.removeAttribute(key);
}
function _getNodeName(node) {
    if (!node || !node.nodeName) {
        return '';
    }
    return node.nodeName.toLowerCase();
}
function _computedCss(el, key) {
    var self = this, win = _getWin(el), camelKey = _toCamel(key), val = '';
    if (win.getComputedStyle) {
        var style = win.getComputedStyle(el, null);
        val = style[camelKey] || style.getPropertyValue(key) || el.style[camelKey];
    } else if (el.currentStyle) {
        val = el.currentStyle[camelKey] || el.style[camelKey];
    }
    return val;
}
function _hasVal(node) {
    return !!_VALUE_TAG_MAP[_getNodeName(node)];
}
function _docElement(doc) {
    doc = doc || document;
    return _QUIRKS ? doc.body : doc.documentElement;
}
function _docHeight(doc) {
    var el = _docElement(doc);
    return Math.max(el.scrollHeight, el.clientHeight);
}
function _docWidth(doc) {
    var el = _docElement(doc);
    return Math.max(el.scrollWidth, el.clientWidth);
}
function _getScrollPos(doc) {
    doc = doc || document;
    var x, y;
    if (_IE || _NEWIE || _OPERA) {
        x = _docElement(doc).scrollLeft;
        y = _docElement(doc).scrollTop;
    } else {
        x = _getWin(doc).scrollX;
        y = _getWin(doc).scrollY;
    }
    return {x : x, y : y};
}
function KNode(node) {
    this.init(node);
}
_extend(KNode, {
    init : function(node) {
        var self = this;
        node = _isArray(node) ? node : [node];
        var length = 0;
        for (var i = 0, len = node.length; i < len; i++) {
            if (node[i]) {
                self[i] = node[i].constructor === KNode ? node[i][0] : node[i];
                length++;
            }
        }
        self.length = length;
        self.doc = _getDoc(self[0]);
        self.name = _getNodeName(self[0]);
        self.type = self.length > 0 ? self[0].nodeType : null;
        self.win = _getWin(self[0]);
    },
    each : function(fn) {
        var self = this;
        for (var i = 0; i < self.length; i++) {
            if (fn.call(self[i], i, self[i]) === false) {
                return self;
            }
        }
        return self;
    },
    bind : function(type, fn) {
        this.each(function() {
            _bind(this, type, fn);
        });
        return this;
    },
    unbind : function(type, fn) {
        this.each(function() {
            _unbind(this, type, fn);
        });
        return this;
    },
    fire : function(type) {
        if (this.length < 1) {
            return this;
        }
        _fire(this[0], type);
        return this;
    },
    hasAttr : function(key) {
        if (this.length < 1) {
            return false;
        }
        return !!_getAttr(this[0], key);
    },
    attr : function(key, val) {
        var self = this;
        if (key === undefined) {
            return _getAttrList(self.outer());
        }
        if (typeof key === 'object') {
            _each(key, function(k, v) {
                self.attr(k, v);
            });
            return self;
        }
        if (val === undefined) {
            val = self.length < 1 ? null : _getAttr(self[0], key);
            return val === null ? '' : val;
        }
        self.each(function() {
            _setAttr(this, key, val);
        });
        return self;
    },
    removeAttr : function(key) {
        this.each(function() {
            _removeAttr(this, key);
        });
        return this;
    },
    get : function(i) {
        if (this.length < 1) {
            return null;
        }
        return this[i || 0];
    },
    eq : function(i) {
        if (this.length < 1) {
            return null;
        }
        return this[i] ? new KNode(this[i]) : null;
    },
    hasClass : function(cls) {
        if (this.length < 1) {
            return false;
        }
        return _hasClass(this[0], cls);
    },
    addClass : function(cls) {
        this.each(function() {
            if (!_hasClass(this, cls)) {
                this.className = _trim(this.className + ' ' + cls);
            }
        });
        return this;
    },
    removeClass : function(cls) {
        this.each(function() {
            if (_hasClass(this, cls)) {
                this.className = _trim(this.className.replace(new RegExp('(^|\\s)' + cls + '(\\s|$)'), ' '));
            }
        });
        return this;
    },
    html : function(val) {
        var self = this;
        if (val === undefined) {
            if (self.length < 1 || self.type != 1) {
                return '';
            }
            return _formatHtml(self[0].innerHTML);
        }
        self.each(function() {
            _setHtml(this, val);
        });
        return self;
    },
    text : function() {
        var self = this;
        if (self.length < 1) {
            return '';
        }
        return _IE ? self[0].innerText : self[0].textContent;
    },
    hasVal : function() {
        if (this.length < 1) {
            return false;
        }
        return _hasVal(this[0]);
    },
    val : function(val) {
        var self = this;
        if (val === undefined) {
            if (self.length < 1) {
                return '';
            }
            return self.hasVal() ? self[0].value : self.attr('value');
        } else {
            self.each(function() {
                if (_hasVal(this)) {
                    this.value = val;
                } else {
                    _setAttr(this, 'value' , val);
                }
            });
            return self;
        }
    },
    css : function(key, val) {
        var self = this;
        if (key === undefined) {
            return _getCssList(self.attr('style'));
        }
        if (typeof key === 'object') {
            _each(key, function(k, v) {
                self.css(k, v);
            });
            return self;
        }
        if (val === undefined) {
            if (self.length < 1) {
                return '';
            }
            return self[0].style[_toCamel(key)] || _computedCss(self[0], key) || '';
        }
        self.each(function() {
            this.style[_toCamel(key)] = val;
        });
        return self;
    },
    width : function(val) {
        var self = this;
        if (val === undefined) {
            if (self.length < 1) {
                return 0;
            }
            return self[0].offsetWidth;
        }
        return self.css('width', _addUnit(val));
    },
    height : function(val) {
        var self = this;
        if (val === undefined) {
            if (self.length < 1) {
                return 0;
            }
            return self[0].offsetHeight;
        }
        return self.css('height', _addUnit(val));
    },
    opacity : function(val) {
        this.each(function() {
            if (this.style.opacity === undefined) {
                this.style.filter = val == 1 ? '' : 'alpha(opacity=' + (val * 100) + ')';
            } else {
                this.style.opacity = val == 1 ? '' : val;
            }
        });
        return this;
    },
    data : function(key, val) {
        var self = this;
        key = 'kindeditor_data_' + key;
        if (val === undefined) {
            if (self.length < 1) {
                return null;
            }
            return self[0][key];
        }
        this.each(function() {
            this[key] = val;
        });
        return self;
    },
    pos : function() {
        var self = this, node = self[0], x = 0, y = 0;
        if (node) {
            if (node.getBoundingClientRect) {
                var box = node.getBoundingClientRect(),
                    pos = _getScrollPos(self.doc);
                x = box.left + pos.x;
                y = box.top + pos.y;
            } else {
                while (node) {
                    x += node.offsetLeft;
                    y += node.offsetTop;
                    node = node.offsetParent;
                }
            }
        }
        return {x : _round(x), y : _round(y)};
    },
    clone : function(bool) {
        if (this.length < 1) {
            return new KNode([]);
        }
        return new KNode(this[0].cloneNode(bool));
    },
    append : function(expr) {
        this.each(function() {
            if (this.appendChild) {
                this.appendChild(_get(expr));
            }
        });
        return this;
    },
    appendTo : function(expr) {
        this.each(function() {
            _get(expr).appendChild(this);
        });
        return this;
    },
    before : function(expr) {
        this.each(function() {
            this.parentNode.insertBefore(_get(expr), this);
        });
        return this;
    },
    after : function(expr) {
        this.each(function() {
            if (this.nextSibling) {
                this.parentNode.insertBefore(_get(expr), this.nextSibling);
            } else {
                this.parentNode.appendChild(_get(expr));
            }
        });
        return this;
    },
    replaceWith : function(expr) {
        var nodes = [];
        this.each(function(i, node) {
            _unbind(node);
            var newNode = _get(expr);
            node.parentNode.replaceChild(newNode, node);
            nodes.push(newNode);
        });
        return K(nodes);
    },
    empty : function() {
        var self = this;
        self.each(function(i, node) {
            var child = node.firstChild;
            while (child) {
                if (!node.parentNode) {
                    return;
                }
                var next = child.nextSibling;
                child.parentNode.removeChild(child);
                child = next;
            }
        });
        return self;
    },
    remove : function(keepChilds) {
        var self = this;
        self.each(function(i, node) {
            if (!node.parentNode) {
                return;
            }
            _unbind(node);
            if (keepChilds) {
                var child = node.firstChild;
                while (child) {
                    var next = child.nextSibling;
                    node.parentNode.insertBefore(child, node);
                    child = next;
                }
            }
            node.parentNode.removeChild(node);
            delete self[i];
        });
        self.length = 0;
        return self;
    },
    show : function(val) {
        var self = this;
        if (val === undefined) {
            val = self._originDisplay || '';
        }
        if (self.css('display') != 'none') {
            return self;
        }
        return self.css('display', val);
    },
    hide : function() {
        var self = this;
        if (self.length < 1) {
            return self;
        }
        self._originDisplay = self[0].style.display;
        return self.css('display', 'none');
    },
    outer : function() {
        var self = this;
        if (self.length < 1) {
            return '';
        }
        var div = self.doc.createElement('div'), html;
        div.appendChild(self[0].cloneNode(true));
        html = _formatHtml(div.innerHTML);
        div = null;
        return html;
    },
    isSingle : function() {
        return !!_SINGLE_TAG_MAP[this.name];
    },
    isInline : function() {
        return !!_INLINE_TAG_MAP[this.name];
    },
    isBlock : function() {
        return !!_BLOCK_TAG_MAP[this.name];
    },
    isStyle : function() {
        return !!_STYLE_TAG_MAP[this.name];
    },
    isControl : function() {
        return !!_CONTROL_TAG_MAP[this.name];
    },
    contains : function(otherNode) {
        if (this.length < 1) {
            return false;
        }
        return _contains(this[0], _get(otherNode));
    },
    parent : function() {
        if (this.length < 1) {
            return null;
        }
        var node = this[0].parentNode;
        return node ? new KNode(node) : null;
    },
    children : function() {
        if (this.length < 1) {
            return new KNode([]);
        }
        var list = [], child = this[0].firstChild;
        while (child) {
            if (child.nodeType != 3 || _trim(child.nodeValue) !== '') {
                list.push(child);
            }
            child = child.nextSibling;
        }
        return new KNode(list);
    },
    first : function() {
        var list = this.children();
        return list.length > 0 ? list.eq(0) : null;
    },
    last : function() {
        var list = this.children();
        return list.length > 0 ? list.eq(list.length - 1) : null;
    },
    index : function() {
        if (this.length < 1) {
            return -1;
        }
        var i = -1, sibling = this[0];
        while (sibling) {
            i++;
            sibling = sibling.previousSibling;
        }
        return i;
    },
    prev : function() {
        if (this.length < 1) {
            return null;
        }
        var node = this[0].previousSibling;
        return node ? new KNode(node) : null;
    },
    next : function() {
        if (this.length < 1) {
            return null;
        }
        var node = this[0].nextSibling;
        return node ? new KNode(node) : null;
    },
    scan : function(fn, order) {
        if (this.length < 1) {
            return;
        }
        order = (order === undefined) ? true : order;
        function walk(node) {
            var n = order ? node.firstChild : node.lastChild;
            while (n) {
                var next = order ? n.nextSibling : n.previousSibling;
                if (fn(n) === false) {
                    return false;
                }
                if (walk(n) === false) {
                    return false;
                }
                n = next;
            }
        }
        walk(this[0]);
        return this;
    }
});
_each(('blur,focus,focusin,focusout,load,resize,scroll,unload,click,dblclick,' +
    'mousedown,mouseup,mousemove,mouseover,mouseout,mouseenter,mouseleave,' +
    'change,select,submit,keydown,keypress,keyup,error,contextmenu').split(','), function(i, type) {
    KNode.prototype[type] = function(fn) {
        return fn ? this.bind(type, fn) : this.fire(type);
    };
});
var _K = K;
K = function(expr, root) {
    if (expr === undefined || expr === null) {
        return;
    }
    function newNode(node) {
        if (!node[0]) {
            node = [];
        }
        return new KNode(node);
    }
    if (typeof expr === 'string') {
        if (root) {
            root = _get(root);
        }
        var length = expr.length;
        if (expr.charAt(0) === '@') {
            expr = expr.substr(1);
        }
        if (expr.length !== length || /<.+>/.test(expr)) {
            var doc = root ? root.ownerDocument || root : document,
                div = doc.createElement('div'), list = [];
            div.innerHTML = '<img id="__kindeditor_temp_tag__" width="0" height="0" style="display:none;" />' + expr;
            for (var i = 0, len = div.childNodes.length; i < len; i++) {
                var child = div.childNodes[i];
                if (child.id == '__kindeditor_temp_tag__') {
                    continue;
                }
                list.push(child);
            }
            return newNode(list);
        }
        return newNode(_queryAll(expr, root));
    }
    if (expr && expr.constructor === KNode) {
        return expr;
    }
    if (expr.toArray) {
        expr = expr.toArray();
    }
    if (_isArray(expr)) {
        return newNode(expr);
    }
    return newNode(_toArray(arguments));
};
_each(_K, function(key, val) {
    K[key] = val;
});
K.NodeClass = KNode;
window.KindEditor = K;
var _START_TO_START = 0,
    _START_TO_END = 1,
    _END_TO_END = 2,
    _END_TO_START = 3,
    _BOOKMARK_ID = 0;
function _updateCollapsed(range) {
    range.collapsed = (range.startContainer === range.endContainer && range.startOffset === range.endOffset);
    return range;
}
function _copyAndDelete(range, isCopy, isDelete) {
    var doc = range.doc, nodeList = [];
    function splitTextNode(node, startOffset, endOffset) {
        var length = node.nodeValue.length, centerNode;
        if (isCopy) {
            var cloneNode = node.cloneNode(true);
            if (startOffset > 0) {
                centerNode = cloneNode.splitText(startOffset);
            } else {
                centerNode = cloneNode;
            }
            if (endOffset < length) {
                centerNode.splitText(endOffset - startOffset);
            }
        }
        if (isDelete) {
            var center = node;
            if (startOffset > 0) {
                center = node.splitText(startOffset);
                range.setStart(node, startOffset);
            }
            if (endOffset < length) {
                var right = center.splitText(endOffset - startOffset);
                range.setEnd(right, 0);
            }
            nodeList.push(center);
        }
        return centerNode;
    }
    function removeNodes() {
        if (isDelete) {
            range.up().collapse(true);
        }
        for (var i = 0, len = nodeList.length; i < len; i++) {
            var node = nodeList[i];
            if (node.parentNode) {
                node.parentNode.removeChild(node);
            }
        }
    }
    var copyRange = range.cloneRange().down();
    var start = -1, incStart = -1, incEnd = -1, end = -1,
        ancestor = range.commonAncestor(), frag = doc.createDocumentFragment();
    if (ancestor.nodeType == 3) {
        var textNode = splitTextNode(ancestor, range.startOffset, range.endOffset);
        if (isCopy) {
            frag.appendChild(textNode);
        }
        removeNodes();
        return isCopy ? frag : range;
    }
    function extractNodes(parent, frag) {
        var node = parent.firstChild, nextNode;
        while (node) {
            var testRange = new KRange(doc).selectNode(node);
            start = testRange.compareBoundaryPoints(_START_TO_END, range);
            if (start >= 0 && incStart <= 0) {
                incStart = testRange.compareBoundaryPoints(_START_TO_START, range);
            }
            if (incStart >= 0 && incEnd <= 0) {
                incEnd = testRange.compareBoundaryPoints(_END_TO_END, range);
            }
            if (incEnd >= 0 && end <= 0) {
                end = testRange.compareBoundaryPoints(_END_TO_START, range);
            }
            if (end >= 0) {
                return false;
            }
            nextNode = node.nextSibling;
            if (start > 0) {
                if (node.nodeType == 1) {
                    if (incStart >= 0 && incEnd <= 0) {
                        if (isCopy) {
                            frag.appendChild(node.cloneNode(true));
                        }
                        if (isDelete) {
                            nodeList.push(node);
                        }
                    } else {
                        var childFlag;
                        if (isCopy) {
                            childFlag = node.cloneNode(false);
                            frag.appendChild(childFlag);
                        }
                        if (extractNodes(node, childFlag) === false) {
                            return false;
                        }
                    }
                } else if (node.nodeType == 3) {
                    var textNode;
                    if (node == copyRange.startContainer) {
                        textNode = splitTextNode(node, copyRange.startOffset, node.nodeValue.length);
                    } else if (node == copyRange.endContainer) {
                        textNode = splitTextNode(node, 0, copyRange.endOffset);
                    } else {
                        textNode = splitTextNode(node, 0, node.nodeValue.length);
                    }
                    if (isCopy) {
                        try {
                            frag.appendChild(textNode);
                        } catch(e) {}
                    }
                }
            }
            node = nextNode;
        }
    }
    extractNodes(ancestor, frag);
    if (isDelete) {
        range.up().collapse(true);
    }
    for (var i = 0, len = nodeList.length; i < len; i++) {
        var node = nodeList[i];
        if (node.parentNode) {
            node.parentNode.removeChild(node);
        }
    }
    return isCopy ? frag : range;
}
function _moveToElementText(range, el) {
    var node = el;
    while (node) {
        var knode = K(node);
        if (knode.name == 'marquee' || knode.name == 'select') {
            return;
        }
        node = node.parentNode;
    }
    try {
        range.moveToElementText(el);
    } catch(e) {}
}
function _getStartEnd(rng, isStart) {
    var doc = rng.parentElement().ownerDocument,
        pointRange = rng.duplicate();
    pointRange.collapse(isStart);
    var parent = pointRange.parentElement(),
        nodes = parent.childNodes;
    if (nodes.length === 0) {
        return {node: parent.parentNode, offset: K(parent).index()};
    }
    var startNode = doc, startPos = 0, cmp = -1;
    var testRange = rng.duplicate();
    _moveToElementText(testRange, parent);
    for (var i = 0, len = nodes.length; i < len; i++) {
        var node = nodes[i];
        cmp = testRange.compareEndPoints('StartToStart', pointRange);
        if (cmp === 0) {
            return {node: node.parentNode, offset: i};
        }
        if (node.nodeType == 1) {
            var nodeRange = rng.duplicate(), dummy, knode = K(node), newNode = node;
            if (knode.isControl()) {
                dummy = doc.createElement('span');
                knode.after(dummy);
                newNode = dummy;
                startPos += knode.text().replace(/\r\n|\n|\r/g, '').length;
            }
            _moveToElementText(nodeRange, newNode);
            testRange.setEndPoint('StartToEnd', nodeRange);
            if (cmp > 0) {
                startPos += nodeRange.text.replace(/\r\n|\n|\r/g, '').length;
            } else {
                startPos = 0;
            }
            if (dummy) {
                K(dummy).remove();
            }
        } else if (node.nodeType == 3) {
            testRange.moveStart('character', node.nodeValue.length);
            startPos += node.nodeValue.length;
        }
        if (cmp < 0) {
            startNode = node;
        }
    }
    if (cmp < 0 && startNode.nodeType == 1) {
        return {node: parent, offset: K(parent.lastChild).index() + 1};
    }
    if (cmp > 0) {
        while (startNode.nextSibling && startNode.nodeType == 1) {
            startNode = startNode.nextSibling;
        }
    }
    testRange = rng.duplicate();
    _moveToElementText(testRange, parent);
    testRange.setEndPoint('StartToEnd', pointRange);
    startPos -= testRange.text.replace(/\r\n|\n|\r/g, '').length;
    if (cmp > 0 && startNode.nodeType == 3) {
        var prevNode = startNode.previousSibling;
        while (prevNode && prevNode.nodeType == 3) {
            startPos -= prevNode.nodeValue.length;
            prevNode = prevNode.previousSibling;
        }
    }
    return {node: startNode, offset: startPos};
}
function _getEndRange(node, offset) {
    var doc = node.ownerDocument || node,
        range = doc.body.createTextRange();
    if (doc == node) {
        range.collapse(true);
        return range;
    }
    if (node.nodeType == 1 && node.childNodes.length > 0) {
        var children = node.childNodes, isStart, child;
        if (offset === 0) {
            child = children[0];
            isStart = true;
        } else {
            child = children[offset - 1];
            isStart = false;
        }
        if (!child) {
            return range;
        }
        if (K(child).name === 'head') {
            if (offset === 1) {
                isStart = true;
            }
            if (offset === 2) {
                isStart = false;
            }
            range.collapse(isStart);
            return range;
        }
        if (child.nodeType == 1) {
            var kchild = K(child), span;
            if (kchild.isControl()) {
                span = doc.createElement('span');
                if (isStart) {
                    kchild.before(span);
                } else {
                    kchild.after(span);
                }
                child = span;
            }
            _moveToElementText(range, child);
            range.collapse(isStart);
            if (span) {
                K(span).remove();
            }
            return range;
        }
        node = child;
        offset = isStart ? 0 : child.nodeValue.length;
    }
    var dummy = doc.createElement('span');
    K(node).before(dummy);
    _moveToElementText(range, dummy);
    range.moveStart('character', offset);
    K(dummy).remove();
    return range;
}
function _toRange(rng) {
    var doc, range;
    function tr2td(start) {
        if (K(start.node).name == 'tr') {
            start.node = start.node.cells[start.offset];
            start.offset = 0;
        }
    }
    if (_IERANGE) {
        if (rng.item) {
            doc = _getDoc(rng.item(0));
            range = new KRange(doc);
            range.selectNode(rng.item(0));
            return range;
        }
        doc = rng.parentElement().ownerDocument;
        var start = _getStartEnd(rng, true),
            end = _getStartEnd(rng, false);
        tr2td(start);
        tr2td(end);
        range = new KRange(doc);
        range.setStart(start.node, start.offset);
        range.setEnd(end.node, end.offset);
        return range;
    }
    var startContainer = rng.startContainer;
    doc = startContainer.ownerDocument || startContainer;
    range = new KRange(doc);
    range.setStart(startContainer, rng.startOffset);
    range.setEnd(rng.endContainer, rng.endOffset);
    return range;
}
function KRange(doc) {
    this.init(doc);
}
_extend(KRange, {
    init : function(doc) {
        var self = this;
        self.startContainer = doc;
        self.startOffset = 0;
        self.endContainer = doc;
        self.endOffset = 0;
        self.collapsed = true;
        self.doc = doc;
    },
    commonAncestor : function() {
        function getParents(node) {
            var parents = [];
            while (node) {
                parents.push(node);
                node = node.parentNode;
            }
            return parents;
        }
        var parentsA = getParents(this.startContainer),
            parentsB = getParents(this.endContainer),
            i = 0, lenA = parentsA.length, lenB = parentsB.length, parentA, parentB;
        while (++i) {
            parentA = parentsA[lenA - i];
            parentB = parentsB[lenB - i];
            if (!parentA || !parentB || parentA !== parentB) {
                break;
            }
        }
        return parentsA[lenA - i + 1];
    },
    setStart : function(node, offset) {
        var self = this, doc = self.doc;
        self.startContainer = node;
        self.startOffset = offset;
        if (self.endContainer === doc) {
            self.endContainer = node;
            self.endOffset = offset;
        }
        return _updateCollapsed(this);
    },
    setEnd : function(node, offset) {
        var self = this, doc = self.doc;
        self.endContainer = node;
        self.endOffset = offset;
        if (self.startContainer === doc) {
            self.startContainer = node;
            self.startOffset = offset;
        }
        return _updateCollapsed(this);
    },
    setStartBefore : function(node) {
        return this.setStart(node.parentNode || this.doc, K(node).index());
    },
    setStartAfter : function(node) {
        return this.setStart(node.parentNode || this.doc, K(node).index() + 1);
    },
    setEndBefore : function(node) {
        return this.setEnd(node.parentNode || this.doc, K(node).index());
    },
    setEndAfter : function(node) {
        return this.setEnd(node.parentNode || this.doc, K(node).index() + 1);
    },
    selectNode : function(node) {
        return this.setStartBefore(node).setEndAfter(node);
    },
    selectNodeContents : function(node) {
        var knode = K(node);
        if (knode.type == 3 || knode.isSingle()) {
            return this.selectNode(node);
        }
        var children = knode.children();
        if (children.length > 0) {
            return this.setStartBefore(children[0]).setEndAfter(children[children.length - 1]);
        }
        return this.setStart(node, 0).setEnd(node, 0);
    },
    collapse : function(toStart) {
        if (toStart) {
            return this.setEnd(this.startContainer, this.startOffset);
        }
        return this.setStart(this.endContainer, this.endOffset);
    },
    compareBoundaryPoints : function(how, range) {
        var rangeA = this.get(), rangeB = range.get();
        if (_IERANGE) {
            var arr = {};
            arr[_START_TO_START] = 'StartToStart';
            arr[_START_TO_END] = 'EndToStart';
            arr[_END_TO_END] = 'EndToEnd';
            arr[_END_TO_START] = 'StartToEnd';
            var cmp = rangeA.compareEndPoints(arr[how], rangeB);
            if (cmp !== 0) {
                return cmp;
            }
            var nodeA, nodeB, nodeC, posA, posB;
            if (how === _START_TO_START || how === _END_TO_START) {
                nodeA = this.startContainer;
                posA = this.startOffset;
            }
            if (how === _START_TO_END || how === _END_TO_END) {
                nodeA = this.endContainer;
                posA = this.endOffset;
            }
            if (how === _START_TO_START || how === _START_TO_END) {
                nodeB = range.startContainer;
                posB = range.startOffset;
            }
            if (how === _END_TO_END || how === _END_TO_START) {
                nodeB = range.endContainer;
                posB = range.endOffset;
            }
            if (nodeA === nodeB) {
                var diff = posA - posB;
                return diff > 0 ? 1 : (diff < 0 ? -1 : 0);
            }
            nodeC = nodeB;
            while (nodeC && nodeC.parentNode !== nodeA) {
                nodeC = nodeC.parentNode;
            }
            if (nodeC) {
                return K(nodeC).index() >= posA ? -1 : 1;
            }
            nodeC = nodeA;
            while (nodeC && nodeC.parentNode !== nodeB) {
                nodeC = nodeC.parentNode;
            }
            if (nodeC) {
                return K(nodeC).index() >= posB ? 1 : -1;
            }
            nodeC = K(nodeB).next();
            if (nodeC && nodeC.contains(nodeA)) {
                return 1;
            }
            nodeC = K(nodeA).next();
            if (nodeC && nodeC.contains(nodeB)) {
                return -1;
            }
        } else {
            return rangeA.compareBoundaryPoints(how, rangeB);
        }
    },
    cloneRange : function() {
        return new KRange(this.doc).setStart(this.startContainer, this.startOffset).setEnd(this.endContainer, this.endOffset);
    },
    toString : function() {
        var rng = this.get(), str = _IERANGE ? rng.text : rng.toString();
        return str.replace(/\r\n|\n|\r/g, '');
    },
    cloneContents : function() {
        return _copyAndDelete(this, true, false);
    },
    deleteContents : function() {
        return _copyAndDelete(this, false, true);
    },
    extractContents : function() {
        return _copyAndDelete(this, true, true);
    },
    insertNode : function(node) {
        var self = this,
            sc = self.startContainer, so = self.startOffset,
            ec = self.endContainer, eo = self.endOffset,
            firstChild, lastChild, c, nodeCount = 1;
        if (node.nodeName.toLowerCase() === '#document-fragment') {
            firstChild = node.firstChild;
            lastChild = node.lastChild;
            nodeCount = node.childNodes.length;
        }
        if (sc.nodeType == 1) {
            c = sc.childNodes[so];
            if (c) {
                sc.insertBefore(node, c);
                if (sc === ec) {
                    eo += nodeCount;
                }
            } else {
                sc.appendChild(node);
            }
        } else if (sc.nodeType == 3) {
            if (so === 0) {
                sc.parentNode.insertBefore(node, sc);
                if (sc.parentNode === ec) {
                    eo += nodeCount;
                }
            } else if (so >= sc.nodeValue.length) {
                if (sc.nextSibling) {
                    sc.parentNode.insertBefore(node, sc.nextSibling);
                } else {
                    sc.parentNode.appendChild(node);
                }
            } else {
                if (so > 0) {
                    c = sc.splitText(so);
                } else {
                    c = sc;
                }
                sc.parentNode.insertBefore(node, c);
                if (sc === ec) {
                    ec = c;
                    eo -= so;
                }
            }
        }
        if (firstChild) {
            self.setStartBefore(firstChild).setEndAfter(lastChild);
        } else {
            self.selectNode(node);
        }
        if (self.compareBoundaryPoints(_END_TO_END, self.cloneRange().setEnd(ec, eo)) >= 1) {
            return self;
        }
        return self.setEnd(ec, eo);
    },
    surroundContents : function(node) {
        node.appendChild(this.extractContents());
        return this.insertNode(node).selectNode(node);
    },
    isControl : function() {
        var self = this,
            sc = self.startContainer, so = self.startOffset,
            ec = self.endContainer, eo = self.endOffset, rng;
        return sc.nodeType == 1 && sc === ec && so + 1 === eo && K(sc.childNodes[so]).isControl();
    },
    get : function(hasControlRange) {
        var self = this, doc = self.doc, node, rng;
        if (!_IERANGE) {
            rng = doc.createRange();
            try {
                rng.setStart(self.startContainer, self.startOffset);
                rng.setEnd(self.endContainer, self.endOffset);
            } catch (e) {}
            return rng;
        }
        if (hasControlRange && self.isControl()) {
            rng = doc.body.createControlRange();
            rng.addElement(self.startContainer.childNodes[self.startOffset]);
            return rng;
        }
        var range = self.cloneRange().down();
        rng = doc.body.createTextRange();
        rng.setEndPoint('StartToStart', _getEndRange(range.startContainer, range.startOffset));
        rng.setEndPoint('EndToStart', _getEndRange(range.endContainer, range.endOffset));
        return rng;
    },
    html : function() {
        return K(this.cloneContents()).outer();
    },
    down : function() {
        var self = this;
        function downPos(node, pos, isStart) {
            if (node.nodeType != 1) {
                return;
            }
            var children = K(node).children();
            if (children.length === 0) {
                return;
            }
            var left, right, child, offset;
            if (pos > 0) {
                left = children.eq(pos - 1);
            }
            if (pos < children.length) {
                right = children.eq(pos);
            }
            if (left && left.type == 3) {
                child = left[0];
                offset = child.nodeValue.length;
            }
            if (right && right.type == 3) {
                child = right[0];
                offset = 0;
            }
            if (!child) {
                return;
            }
            if (isStart) {
                self.setStart(child, offset);
            } else {
                self.setEnd(child, offset);
            }
        }
        downPos(self.startContainer, self.startOffset, true);
        downPos(self.endContainer, self.endOffset, false);
        return self;
    },
    up : function() {
        var self = this;
        function upPos(node, pos, isStart) {
            if (node.nodeType != 3) {
                return;
            }
            if (pos === 0) {
                if (isStart) {
                    self.setStartBefore(node);
                } else {
                    self.setEndBefore(node);
                }
            } else if (pos == node.nodeValue.length) {
                if (isStart) {
                    self.setStartAfter(node);
                } else {
                    self.setEndAfter(node);
                }
            }
        }
        upPos(self.startContainer, self.startOffset, true);
        upPos(self.endContainer, self.endOffset, false);
        return self;
    },
    enlarge : function(toBlock) {
        var self = this;
        self.up();
        function enlargePos(node, pos, isStart) {
            var knode = K(node), parent;
            if (knode.type == 3 || _NOSPLIT_TAG_MAP[knode.name] || !toBlock && knode.isBlock()) {
                return;
            }
            if (pos === 0) {
                while (!knode.prev()) {
                    parent = knode.parent();
                    if (!parent || _NOSPLIT_TAG_MAP[parent.name] || !toBlock && parent.isBlock()) {
                        break;
                    }
                    knode = parent;
                }
                if (isStart) {
                    self.setStartBefore(knode[0]);
                } else {
                    self.setEndBefore(knode[0]);
                }
            } else if (pos == knode.children().length) {
                while (!knode.next()) {
                    parent = knode.parent();
                    if (!parent || _NOSPLIT_TAG_MAP[parent.name] || !toBlock && parent.isBlock()) {
                        break;
                    }
                    knode = parent;
                }
                if (isStart) {
                    self.setStartAfter(knode[0]);
                } else {
                    self.setEndAfter(knode[0]);
                }
            }
        }
        enlargePos(self.startContainer, self.startOffset, true);
        enlargePos(self.endContainer, self.endOffset, false);
        return self;
    },
    shrink : function() {
        var self = this, child, collapsed = self.collapsed;
        while (self.startContainer.nodeType == 1 && (child = self.startContainer.childNodes[self.startOffset]) && child.nodeType == 1 && !K(child).isSingle()) {
            self.setStart(child, 0);
        }
        if (collapsed) {
            return self.collapse(collapsed);
        }
        while (self.endContainer.nodeType == 1 && self.endOffset > 0 && (child = self.endContainer.childNodes[self.endOffset - 1]) && child.nodeType == 1 && !K(child).isSingle()) {
            self.setEnd(child, child.childNodes.length);
        }
        return self;
    },
    createBookmark : function(serialize) {
        var self = this, doc = self.doc, endNode,
            startNode = K('<span style="display:none;"></span>', doc)[0];
        startNode.id = '__kindeditor_bookmark_start_' + (_BOOKMARK_ID++) + '__';
        if (!self.collapsed) {
            endNode = startNode.cloneNode(true);
            endNode.id = '__kindeditor_bookmark_end_' + (_BOOKMARK_ID++) + '__';
        }
        if (endNode) {
            self.cloneRange().collapse(false).insertNode(endNode).setEndBefore(endNode);
        }
        self.insertNode(startNode).setStartAfter(startNode);
        return {
            start : serialize ? '#' + startNode.id : startNode,
            end : endNode ? (serialize ? '#' + endNode.id : endNode) : null
        };
    },
    moveToBookmark : function(bookmark) {
        var self = this, doc = self.doc,
            start = K(bookmark.start, doc), end = bookmark.end ? K(bookmark.end, doc) : null;
        if (!start || start.length < 1) {
            return self;
        }
        self.setStartBefore(start[0]);
        start.remove();
        if (end && end.length > 0) {
            self.setEndBefore(end[0]);
            end.remove();
        } else {
            self.collapse(true);
        }
        return self;
    },
    dump : function() {
        console.log('--------------------');
        console.log(this.startContainer.nodeType == 3 ? this.startContainer.nodeValue : this.startContainer, this.startOffset);
        console.log(this.endContainer.nodeType == 3 ? this.endContainer.nodeValue : this.endContainer, this.endOffset);
    }
});
function _range(mixed) {
    if (!mixed.nodeName) {
        return mixed.constructor === KRange ? mixed : _toRange(mixed);
    }
    return new KRange(mixed);
}
K.RangeClass = KRange;
K.range = _range;
K.START_TO_START = _START_TO_START;
K.START_TO_END = _START_TO_END;
K.END_TO_END = _END_TO_END;
K.END_TO_START = _END_TO_START;
function _nativeCommand(doc, key, val) {
    try {
        doc.execCommand(key, false, val);
    } catch(e) {}
}
function _nativeCommandValue(doc, key) {
    var val = '';
    try {
        val = doc.queryCommandValue(key);
    } catch (e) {}
    if (typeof val !== 'string') {
        val = '';
    }
    return val;
}
function _getSel(doc) {
    var win = _getWin(doc);
    return _IERANGE ? doc.selection : win.getSelection();
}
function _getRng(doc) {
    var sel = _getSel(doc), rng;
    try {
        if (sel.rangeCount > 0) {
            rng = sel.getRangeAt(0);
        } else {
            rng = sel.createRange();
        }
    } catch(e) {}
    if (_IERANGE && (!rng || (!rng.item && rng.parentElement().ownerDocument !== doc))) {
        return null;
    }
    return rng;
}
function _singleKeyMap(map) {
    var newMap = {}, arr, v;
    _each(map, function(key, val) {
        arr = key.split(',');
        for (var i = 0, len = arr.length; i < len; i++) {
            v = arr[i];
            newMap[v] = val;
        }
    });
    return newMap;
}
function _hasAttrOrCss(knode, map) {
    return _hasAttrOrCssByKey(knode, map, '*') || _hasAttrOrCssByKey(knode, map);
}
function _hasAttrOrCssByKey(knode, map, mapKey) {
    mapKey = mapKey || knode.name;
    if (knode.type !== 1) {
        return false;
    }
    var newMap = _singleKeyMap(map);
    if (!newMap[mapKey]) {
        return false;
    }
    var arr = newMap[mapKey].split(',');
    for (var i = 0, len = arr.length; i < len; i++) {
        var key = arr[i];
        if (key === '*') {
            return true;
        }
        var match = /^(\.?)([^=]+)(?:=([^=]*))?$/.exec(key);
        var method = match[1] ? 'css' : 'attr';
        key = match[2];
        var val = match[3] || '';
        if (val === '' && knode[method](key) !== '') {
            return true;
        }
        if (val !== '' && knode[method](key) === val) {
            return true;
        }
    }
    return false;
}
function _removeAttrOrCss(knode, map) {
    if (knode.type != 1) {
        return;
    }
    _removeAttrOrCssByKey(knode, map, '*');
    _removeAttrOrCssByKey(knode, map);
}
function _removeAttrOrCssByKey(knode, map, mapKey) {
    mapKey = mapKey || knode.name;
    if (knode.type !== 1) {
        return;
    }
    var newMap = _singleKeyMap(map);
    if (!newMap[mapKey]) {
        return;
    }
    var arr = newMap[mapKey].split(','), allFlag = false;
    for (var i = 0, len = arr.length; i < len; i++) {
        var key = arr[i];
        if (key === '*') {
            allFlag = true;
            break;
        }
        var match = /^(\.?)([^=]+)(?:=([^=]*))?$/.exec(key);
        key = match[2];
        if (match[1]) {
            key = _toCamel(key);
            if (knode[0].style[key]) {
                knode[0].style[key] = '';
            }
        } else {
            knode.removeAttr(key);
        }
    }
    if (allFlag) {
        knode.remove(true);
    }
}
function _getInnerNode(knode) {
    var inner = knode;
    while (inner.first()) {
        inner = inner.first();
    }
    return inner;
}
function _isEmptyNode(knode) {
    if (knode.type != 1 || knode.isSingle()) {
        return false;
    }
    return knode.html().replace(/<[^>]+>/g, '') === '';
}
function _mergeWrapper(a, b) {
    a = a.clone(true);
    var lastA = _getInnerNode(a), childA = a, merged = false;
    while (b) {
        while (childA) {
            if (childA.name === b.name) {
                _mergeAttrs(childA, b.attr(), b.css());
                merged = true;
            }
            childA = childA.first();
        }
        if (!merged) {
            lastA.append(b.clone(false));
        }
        merged = false;
        b = b.first();
    }
    return a;
}
function _wrapNode(knode, wrapper) {
    wrapper = wrapper.clone(true);
    if (knode.type == 3) {
        _getInnerNode(wrapper).append(knode.clone(false));
        knode.replaceWith(wrapper);
        return wrapper;
    }
    var nodeWrapper = knode, child;
    while ((child = knode.first()) && child.children().length == 1) {
        knode = child;
    }
    child = knode.first();
    var frag = knode.doc.createDocumentFragment();
    while (child) {
        frag.appendChild(child[0]);
        child = child.next();
    }
    wrapper = _mergeWrapper(nodeWrapper, wrapper);
    if (frag.firstChild) {
        _getInnerNode(wrapper).append(frag);
    }
    nodeWrapper.replaceWith(wrapper);
    return wrapper;
}
function _mergeAttrs(knode, attrs, styles) {
    _each(attrs, function(key, val) {
        if (key !== 'style') {
            knode.attr(key, val);
        }
    });
    _each(styles, function(key, val) {
        knode.css(key, val);
    });
}
function _inPreElement(knode) {
    while (knode && knode.name != 'body') {
        if (_PRE_TAG_MAP[knode.name] || knode.name == 'div' && knode.hasClass('ke-script')) {
            return true;
        }
        knode = knode.parent();
    }
    return false;
}
function KCmd(range) {
    this.init(range);
}
_extend(KCmd, {
    init : function(range) {
        var self = this, doc = range.doc;
        self.doc = doc;
        self.win = _getWin(doc);
        self.sel = _getSel(doc);
        self.range = range;
    },
    selection : function(forceReset) {
        var self = this, doc = self.doc, rng = _getRng(doc);
        self.sel = _getSel(doc);
        if (rng) {
            self.range = _range(rng);
            if (K(self.range.startContainer).name == 'html') {
                self.range.selectNodeContents(doc.body).collapse(false);
            }
            return self;
        }
        if (forceReset) {
            self.range.selectNodeContents(doc.body).collapse(false);
        }
        return self;
    },
    select : function(hasDummy) {
        hasDummy = _undef(hasDummy, true);
        var self = this, sel = self.sel, range = self.range.cloneRange().shrink(),
            sc = range.startContainer, so = range.startOffset,
            ec = range.endContainer, eo = range.endOffset,
            doc = _getDoc(sc), win = self.win, rng, hasU200b = false;
        if (hasDummy && sc.nodeType == 1 && range.collapsed) {
            if (_IERANGE) {
                var dummy = K('<span>&nbsp;</span>', doc);
                range.insertNode(dummy[0]);
                rng = doc.body.createTextRange();
                try {
                    rng.moveToElementText(dummy[0]);
                } catch(ex) {}
                rng.collapse(false);
                rng.select();
                dummy.remove();
                win.focus();
                return self;
            }
            if (_WEBKIT) {
                var children = sc.childNodes;
                if (K(sc).isInline() || so > 0 && K(children[so - 1]).isInline() || children[so] && K(children[so]).isInline()) {
                    range.insertNode(doc.createTextNode('\u200B'));
                    hasU200b = true;
                }
            }
        }
        if (_IERANGE) {
            try {
                rng = range.get(true);
                rng.select();
            } catch(e) {}
        } else {
            if (hasU200b) {
                range.collapse(false);
            }
            rng = range.get(true);
            sel.removeAllRanges();
            sel.addRange(rng);
            if (doc !== document) {
                var pos = K(rng.endContainer).pos();
                win.scrollTo(pos.x, pos.y);
            }
        }
        win.focus();
        return self;
    },
    wrap : function(val) {
        var self = this, doc = self.doc, range = self.range, wrapper;
        wrapper = K(val, doc);
        if (range.collapsed) {
            range.shrink();
            range.insertNode(wrapper[0]).selectNodeContents(wrapper[0]);
            return self;
        }
        if (wrapper.isBlock()) {
            var copyWrapper = wrapper.clone(true), child = copyWrapper;
            while (child.first()) {
                child = child.first();
            }
            child.append(range.extractContents());
            range.insertNode(copyWrapper[0]).selectNode(copyWrapper[0]);
            return self;
        }
        range.enlarge();
        var bookmark = range.createBookmark(), ancestor = range.commonAncestor(), isStart = false;
        K(ancestor).scan(function(node) {
            if (!isStart && node == bookmark.start) {
                isStart = true;
                return;
            }
            if (isStart) {
                if (node == bookmark.end) {
                    return false;
                }
                var knode = K(node);
                if (_inPreElement(knode)) {
                    return;
                }
                if (knode.type == 3 && _trim(node.nodeValue).length > 0) {
                    var parent;
                    while ((parent = knode.parent()) && parent.isStyle() && parent.children().length == 1) {
                        knode = parent;
                    }
                    _wrapNode(knode, wrapper);
                }
            }
        });
        range.moveToBookmark(bookmark);
        return self;
    },
    split : function(isStart, map) {
        var range = this.range, doc = range.doc;
        var tempRange = range.cloneRange().collapse(isStart);
        var node = tempRange.startContainer, pos = tempRange.startOffset,
            parent = node.nodeType == 3 ? node.parentNode : node,
            needSplit = false, knode;
        while (parent && parent.parentNode) {
            knode = K(parent);
            if (map) {
                if (!knode.isStyle()) {
                    break;
                }
                if (!_hasAttrOrCss(knode, map)) {
                    break;
                }
            } else {
                if (_NOSPLIT_TAG_MAP[knode.name]) {
                    break;
                }
            }
            needSplit = true;
            parent = parent.parentNode;
        }
        if (needSplit) {
            var dummy = doc.createElement('span');
            range.cloneRange().collapse(!isStart).insertNode(dummy);
            if (isStart) {
                tempRange.setStartBefore(parent.firstChild).setEnd(node, pos);
            } else {
                tempRange.setStart(node, pos).setEndAfter(parent.lastChild);
            }
            var frag = tempRange.extractContents(),
                first = frag.firstChild, last = frag.lastChild;
            if (isStart) {
                tempRange.insertNode(frag);
                range.setStartAfter(last).setEndBefore(dummy);
            } else {
                parent.appendChild(frag);
                range.setStartBefore(dummy).setEndBefore(first);
            }
            var dummyParent = dummy.parentNode;
            if (dummyParent == range.endContainer) {
                var prev = K(dummy).prev(), next = K(dummy).next();
                if (prev && next && prev.type == 3 && next.type == 3) {
                    range.setEnd(prev[0], prev[0].nodeValue.length);
                } else if (!isStart) {
                    range.setEnd(range.endContainer, range.endOffset - 1);
                }
            }
            dummyParent.removeChild(dummy);
        }
        return this;
    },
    remove : function(map) {
        var self = this, doc = self.doc, range = self.range;
        range.enlarge();
        if (range.startOffset === 0) {
            var ksc = K(range.startContainer), parent;
            while ((parent = ksc.parent()) && parent.isStyle() && parent.children().length == 1) {
                ksc = parent;
            }
            range.setStart(ksc[0], 0);
            ksc = K(range.startContainer);
            if (ksc.isBlock()) {
                _removeAttrOrCss(ksc, map);
            }
            var kscp = ksc.parent();
            if (kscp && kscp.isBlock()) {
                _removeAttrOrCss(kscp, map);
            }
        }
        var sc, so;
        if (range.collapsed) {
            self.split(true, map);
            sc = range.startContainer;
            so = range.startOffset;
            if (so > 0) {
                var sb = K(sc.childNodes[so - 1]);
                if (sb && _isEmptyNode(sb)) {
                    sb.remove();
                    range.setStart(sc, so - 1);
                }
            }
            var sa = K(sc.childNodes[so]);
            if (sa && _isEmptyNode(sa)) {
                sa.remove();
            }
            if (_isEmptyNode(sc)) {
                range.startBefore(sc);
                sc.remove();
            }
            range.collapse(true);
            return self;
        }
        self.split(true, map);
        self.split(false, map);
        var startDummy = doc.createElement('span'), endDummy = doc.createElement('span');
        range.cloneRange().collapse(false).insertNode(endDummy);
        range.cloneRange().collapse(true).insertNode(startDummy);
        var nodeList = [], cmpStart = false;
        K(range.commonAncestor()).scan(function(node) {
            if (!cmpStart && node == startDummy) {
                cmpStart = true;
                return;
            }
            if (node == endDummy) {
                return false;
            }
            if (cmpStart) {
                nodeList.push(node);
            }
        });
        K(startDummy).remove();
        K(endDummy).remove();
        sc = range.startContainer;
        so = range.startOffset;
        var ec = range.endContainer, eo = range.endOffset;
        if (so > 0) {
            var startBefore = K(sc.childNodes[so - 1]);
            if (startBefore && _isEmptyNode(startBefore)) {
                startBefore.remove();
                range.setStart(sc, so - 1);
                if (sc == ec) {
                    range.setEnd(ec, eo - 1);
                }
            }
            var startAfter = K(sc.childNodes[so]);
            if (startAfter && _isEmptyNode(startAfter)) {
                startAfter.remove();
                if (sc == ec) {
                    range.setEnd(ec, eo - 1);
                }
            }
        }
        var endAfter = K(ec.childNodes[range.endOffset]);
        if (endAfter && _isEmptyNode(endAfter)) {
            endAfter.remove();
        }
        var bookmark = range.createBookmark(true);
        _each(nodeList, function(i, node) {
            _removeAttrOrCss(K(node), map);
        });
        range.moveToBookmark(bookmark);
        return self;
    },
    commonNode : function(map) {
        var range = this.range;
        var ec = range.endContainer, eo = range.endOffset,
            node = (ec.nodeType == 3 || eo === 0) ? ec : ec.childNodes[eo - 1];
        function find(node) {
            var child = node, parent = node;
            while (parent) {
                if (_hasAttrOrCss(K(parent), map)) {
                    return K(parent);
                }
                parent = parent.parentNode;
            }
            while (child && (child = child.lastChild)) {
                if (_hasAttrOrCss(K(child), map)) {
                    return K(child);
                }
            }
            return null;
        }
        var cNode = find(node);
        if (cNode) {
            return cNode;
        }
        if (node.nodeType == 1 || (ec.nodeType == 3 && eo === 0)) {
            var prev = K(node).prev();
            if (prev) {
                return find(prev);
            }
        }
        return null;
    },
    commonAncestor : function(tagName) {
        var range = this.range,
            sc = range.startContainer, so = range.startOffset,
            ec = range.endContainer, eo = range.endOffset,
            startNode = (sc.nodeType == 3 || so === 0) ? sc : sc.childNodes[so - 1],
            endNode = (ec.nodeType == 3 || eo === 0) ? ec : ec.childNodes[eo - 1];
        function find(node) {
            while (node) {
                if (node.nodeType == 1) {
                    if (node.tagName.toLowerCase() === tagName) {
                        return node;
                    }
                }
                node = node.parentNode;
            }
            return null;
        }
        var start = find(startNode), end = find(endNode);
        if (start && end && start === end) {
            return K(start);
        }
        return null;
    },
    state : function(key) {
        var self = this, doc = self.doc, bool = false;
        try {
            bool = doc.queryCommandState(key);
        } catch (e) {}
        return bool;
    },
    val : function(key) {
        var self = this, doc = self.doc, range = self.range;
        function lc(val) {
            return val.toLowerCase();
        }
        key = lc(key);
        var val = '', knode;
        if (key === 'fontfamily' || key === 'fontname') {
            val = _nativeCommandValue(doc, 'fontname');
            val = val.replace(/['"]/g, '');
            return lc(val);
        }
        if (key === 'formatblock') {
            val = _nativeCommandValue(doc, key);
            if (val === '') {
                knode = self.commonNode({'h1,h2,h3,h4,h5,h6,p,div,pre,address' : '*'});
                if (knode) {
                    val = knode.name;
                }
            }
            if (val === 'Normal') {
                val = 'p';
            }
            return lc(val);
        }
        if (key === 'fontsize') {
            knode = self.commonNode({'*' : '.font-size'});
            if (knode) {
                val = knode.css('font-size');
            }
            return lc(val);
        }
        if (key === 'forecolor') {
            knode = self.commonNode({'*' : '.color'});
            if (knode) {
                val = knode.css('color');
            }
            val = _toHex(val);
            if (val === '') {
                val = 'default';
            }
            return lc(val);
        }
        if (key === 'hilitecolor') {
            knode = self.commonNode({'*' : '.background-color'});
            if (knode) {
                val = knode.css('background-color');
            }
            val = _toHex(val);
            if (val === '') {
                val = 'default';
            }
            return lc(val);
        }
        return val;
    },
    toggle : function(wrapper, map) {
        var self = this;
        if (self.commonNode(map)) {
            self.remove(map);
        } else {
            self.wrap(wrapper);
        }
        return self.select();
    },
    bold : function() {
        return this.toggle('<strong></strong>', {
            span : '.font-weight=bold',
            strong : '*',
            b : '*'
        });
    },
    italic : function() {
        return this.toggle('<em></em>', {
            span : '.font-style=italic',
            em : '*',
            i : '*'
        });
    },
    underline : function() {
        return this.toggle('<u></u>', {
            span : '.text-decoration=underline',
            u : '*'
        });
    },
    strikethrough : function() {
        return this.toggle('<s></s>', {
            span : '.text-decoration=line-through',
            s : '*'
        });
    },
    forecolor : function(val) {
        return this.wrap('<span style="color:' + val + ';"></span>').select();
    },
    hilitecolor : function(val) {
        return this.wrap('<span style="background-color:' + val + ';"></span>').select();
    },
    fontsize : function(val) {
        return this.wrap('<span style="font-size:' + val + ';"></span>').select();
    },
    fontname : function(val) {
        return this.fontfamily(val);
    },
    fontfamily : function(val) {
        return this.wrap('<span style="font-family:' + val + ';"></span>').select();
    },
    removeformat : function() {
        var map = {
            '*' : '.font-weight,.font-style,.text-decoration,.color,.background-color,.font-size,.font-family,.text-indent'
        },
        tags = _STYLE_TAG_MAP;
        _each(tags, function(key, val) {
            map[key] = '*';
        });
        this.remove(map);
        return this.select();
    },
    inserthtml : function(val, quickMode) {
        var self = this, range = self.range;
        if (val === '') {
            return self;
        }
        function pasteHtml(range, val) {
            val = '<img id="__kindeditor_temp_tag__" width="0" height="0" style="display:none;" />' + val;
            var rng = range.get();
            if (rng.item) {
                rng.item(0).outerHTML = val;
            } else {
                rng.pasteHTML(val);
            }
            var temp = range.doc.getElementById('__kindeditor_temp_tag__');
            temp.parentNode.removeChild(temp);
            var newRange = _toRange(rng);
            range.setEnd(newRange.endContainer, newRange.endOffset);
            range.collapse(false);
            self.select(false);
        }
        function insertHtml(range, val) {
            var doc = range.doc,
                frag = doc.createDocumentFragment();
            K('@' + val, doc).each(function() {
                frag.appendChild(this);
            });
            range.deleteContents();
            range.insertNode(frag);
            range.collapse(false);
            self.select(false);
        }
        if (_IERANGE && quickMode) {
            try {
                pasteHtml(range, val);
            } catch(e) {
                insertHtml(range, val);
            }
            return self;
        }
        insertHtml(range, val);
        return self;
    },
    hr : function() {
        return this.inserthtml('<hr />');
    },
    print : function() {
        this.win.print();
        return this;
    },
    insertimage : function(url, title, width, height, border, align) {
        title = _undef(title, '');
        border = _undef(border, 0);
        var html = '<img src="' + _escape(url) + '" data-ke-src="' + _escape(url) + '" ';
        if (width) {
            html += 'width="' + _escape(width) + '" ';
        }
        if (height) {
            html += 'height="' + _escape(height) + '" ';
        }
        if (title) {
            html += 'title="' + _escape(title) + '" ';
        }
        if (align) {
            html += 'align="' + _escape(align) + '" ';
        }
        html += 'alt="' + _escape(title) + '" ';
        html += '/>';
        return this.inserthtml(html);
    },
    createlink : function(url, type) {
        var self = this, doc = self.doc, range = self.range;
        self.select();
        var a = self.commonNode({ a : '*' });
        if (a && !range.isControl()) {
            range.selectNode(a.get());
            self.select();
        }
        var html = '<a href="' + _escape(url) + '" data-ke-src="' + _escape(url) + '" ';
        if (type) {
            html += ' target="' + _escape(type) + '"';
        }
        if (range.collapsed) {
            html += '>' + _escape(url) + '</a>';
            return self.inserthtml(html);
        }
        if (range.isControl()) {
            var node = K(range.startContainer.childNodes[range.startOffset]);
            html += '></a>';
            node.after(K(html, doc));
            node.next().append(node);
            range.selectNode(node[0]);
            return self.select();
        }
        function setAttr(node, url, type) {
            K(node).attr('href', url).attr('data-ke-src', url);
            if (type) {
                K(node).attr('target', type);
            } else {
                K(node).removeAttr('target');
            }
        }
        var sc = range.startContainer, so = range.startOffset,
            ec = range.endContainer, eo = range.endOffset;
        if (sc.nodeType == 1 && sc === ec && so + 1 === eo) {
            var child = sc.childNodes[so];
            if (child.nodeName.toLowerCase() == 'a') {
                setAttr(child, url, type);
                return self;
            }
        }
        _nativeCommand(doc, 'createlink', '__kindeditor_temp_url__');
        K('a[href="__kindeditor_temp_url__"]', doc).each(function() {
            setAttr(this, url, type);
        });
        return self;
    },
    unlink : function() {
        var self = this, doc = self.doc, range = self.range;
        self.select();
        if (range.collapsed) {
            var a = self.commonNode({ a : '*' });
            if (a) {
                range.selectNode(a.get());
                self.select();
            }
            _nativeCommand(doc, 'unlink', null);
            if (_WEBKIT && K(range.startContainer).name === 'img') {
                var parent = K(range.startContainer).parent();
                if (parent.name === 'a') {
                    parent.remove(true);
                }
            }
        } else {
            _nativeCommand(doc, 'unlink', null);
        }
        return self;
    }
});
_each(('formatblock,selectall,justifyleft,justifycenter,justifyright,justifyfull,insertorderedlist,' +
    'insertunorderedlist,indent,outdent,subscript,superscript').split(','), function(i, name) {
    KCmd.prototype[name] = function(val) {
        var self = this;
        self.select();
        _nativeCommand(self.doc, name, val);
        if (_IERANGE && _inArray(name, 'justifyleft,justifycenter,justifyright,justifyfull'.split(',')) >= 0) {
            self.selection();
        }
        if (!_IERANGE || _inArray(name, 'formatblock,selectall,insertorderedlist,insertunorderedlist'.split(',')) >= 0) {
            self.selection();
        }
        return self;
    };
});
_each('cut,copy,paste'.split(','), function(i, name) {
    KCmd.prototype[name] = function() {
        var self = this;
        if (!self.doc.queryCommandSupported(name)) {
            throw 'not supported';
        }
        self.select();
        _nativeCommand(self.doc, name, null);
        return self;
    };
});
function _cmd(mixed) {
    if (mixed.nodeName) {
        var doc = _getDoc(mixed);
        mixed = _range(doc).selectNodeContents(doc.body).collapse(false);
    }
    return new KCmd(mixed);
}
K.CmdClass = KCmd;
K.cmd = _cmd;
function _drag(options) {
    var moveEl = options.moveEl,
        moveFn = options.moveFn,
        clickEl = options.clickEl || moveEl,
        beforeDrag = options.beforeDrag,
        iframeFix = options.iframeFix === undefined ? true : options.iframeFix;
    var docs = [document];
    if (iframeFix) {
        K('iframe').each(function() {
            var src = _formatUrl(this.src || '', 'absolute');
            if (/^https?:\/\//.test(src)) {
                return;
            }
            var doc;
            try {
                doc = _iframeDoc(this);
            } catch(e) {}
            if (doc) {
                var pos = K(this).pos();
                K(doc).data('pos-x', pos.x);
                K(doc).data('pos-y', pos.y);
                docs.push(doc);
            }
        });
    }
    clickEl.mousedown(function(e) {
        e.stopPropagation();
        var self = clickEl.get(),
            x = _removeUnit(moveEl.css('left')),
            y = _removeUnit(moveEl.css('top')),
            width = moveEl.width(),
            height = moveEl.height(),
            pageX = e.pageX,
            pageY = e.pageY;
        if (beforeDrag) {
            beforeDrag();
        }
        function moveListener(e) {
            e.preventDefault();
            var kdoc = K(_getDoc(e.target));
            var diffX = _round((kdoc.data('pos-x') || 0) + e.pageX - pageX);
            var diffY = _round((kdoc.data('pos-y') || 0) + e.pageY - pageY);
            moveFn.call(clickEl, x, y, width, height, diffX, diffY);
        }
        function selectListener(e) {
            e.preventDefault();
        }
        function upListener(e) {
            e.preventDefault();
            K(docs).unbind('mousemove', moveListener)
                .unbind('mouseup', upListener)
                .unbind('selectstart', selectListener);
            if (self.releaseCapture) {
                self.releaseCapture();
            }
        }
        K(docs).mousemove(moveListener)
            .mouseup(upListener)
            .bind('selectstart', selectListener);
        if (self.setCapture) {
            self.setCapture();
        }
    });
}
function KWidget(options) {
    this.init(options);
}
_extend(KWidget, {
    init : function(options) {
        var self = this;
        self.name = options.name || '';
        self.doc = options.doc || document;
        self.win = _getWin(self.doc);
        self.x = _addUnit(options.x);
        self.y = _addUnit(options.y);
        self.z = options.z;
        self.width = _addUnit(options.width);
        self.height = _addUnit(options.height);
        self.div = K('<div style="display:block;"></div>');
        self.options = options;
        self._alignEl = options.alignEl;
        if (self.width) {
            self.div.css('width', self.width);
        }
        if (self.height) {
            self.div.css('height', self.height);
        }
        if (self.z) {
            self.div.css({
                position : 'absolute',
                left : self.x,
                top : self.y,
                'z-index' : self.z
            });
        }
        if (self.z && (self.x === undefined || self.y === undefined)) {
            self.autoPos(self.width, self.height);
        }
        if (options.cls) {
            self.div.addClass(options.cls);
        }
        if (options.shadowMode) {
            self.div.addClass('ke-shadow');
        }
        if (options.css) {
            self.div.css(options.css);
        }
        if (options.src) {
            K(options.src).replaceWith(self.div);
        } else {
            K(self.doc.body).append(self.div);
        }
        if (options.html) {
            self.div.html(options.html);
        }
        if (options.autoScroll) {
            if (_IE && _V < 7 || _QUIRKS) {
                var scrollPos = _getScrollPos();
                K(self.win).bind('scroll', function(e) {
                    var pos = _getScrollPos(),
                        diffX = pos.x - scrollPos.x,
                        diffY = pos.y - scrollPos.y;
                    self.pos(_removeUnit(self.x) + diffX, _removeUnit(self.y) + diffY, false);
                });
            } else {
                self.div.css('position', 'fixed');
            }
        }
    },
    pos : function(x, y, updateProp) {
        var self = this;
        updateProp = _undef(updateProp, true);
        if (x !== null) {
            x = x < 0 ? 0 : _addUnit(x);
            self.div.css('left', x);
            if (updateProp) {
                self.x = x;
            }
        }
        if (y !== null) {
            y = y < 0 ? 0 : _addUnit(y);
            self.div.css('top', y);
            if (updateProp) {
                self.y = y;
            }
        }
        return self;
    },
    autoPos : function(width, height) {
        var self = this,
            w = _removeUnit(width) || 0,
            h = _removeUnit(height) || 0,
            scrollPos = _getScrollPos();
        if (self._alignEl) {
            var knode = K(self._alignEl),
                pos = knode.pos(),
                diffX = _round(knode[0].clientWidth / 2 - w / 2),
                diffY = _round(knode[0].clientHeight / 2 - h / 2);
            x = diffX < 0 ? pos.x : pos.x + diffX;
            y = diffY < 0 ? pos.y : pos.y + diffY;
        } else {
            var docEl = _docElement(self.doc);
            x = _round(scrollPos.x + (docEl.clientWidth - w) / 2);
            y = _round(scrollPos.y + (docEl.clientHeight - h) / 2);
        }
        if (!(_IE && _V < 7 || _QUIRKS)) {
            x -= scrollPos.x;
            y -= scrollPos.y;
        }
        return self.pos(x, y);
    },
    remove : function() {
        var self = this;
        if (_IE && _V < 7 || _QUIRKS) {
            K(self.win).unbind('scroll');
        }
        self.div.remove();
        _each(self, function(i) {
            self[i] = null;
        });
        return this;
    },
    show : function() {
        this.div.show();
        return this;
    },
    hide : function() {
        this.div.hide();
        return this;
    },
    draggable : function(options) {
        var self = this;
        options = options || {};
        options.moveEl = self.div;
        options.moveFn = function(x, y, width, height, diffX, diffY) {
            if ((x = x + diffX) < 0) {
                x = 0;
            }
            if ((y = y + diffY) < 0) {
                y = 0;
            }
            self.pos(x, y);
        };
        _drag(options);
        return self;
    }
});
function _widget(options) {
    return new KWidget(options);
}
K.WidgetClass = KWidget;
K.widget = _widget;
function _iframeDoc(iframe) {
    iframe = _get(iframe);
    return iframe.contentDocument || iframe.contentWindow.document;
}
var html, _direction = '';
if ((html = document.getElementsByTagName('html'))) {
    _direction = html[0].dir;
}
function _getInitHtml(themesPath, bodyClass, cssPath, cssData) {
    var arr = [
        (_direction === '' ? '<html>' : '<html dir="' + _direction + '">'),
        '<head><meta charset="utf-8" /><title></title>',
        '<style>',
        'html {margin:0;padding:0;}',
        'body {margin:0;padding:5px;}',
        'body, td {font:12px/1.5 "sans serif",tahoma,verdana,helvetica;}',
        'body, p, div {word-wrap: break-word;}',
        'p {margin:5px 0;}',
        'table {border-collapse:collapse;}',
        'img {border:0;}',
        'noscript {display:none;}',
        'table.ke-zeroborder td {border:1px dotted #AAA;}',
        'img.ke-flash {',
        '    border:1px solid #AAA;',
        '    background-image:url(' + themesPath + 'common/flash.gif);',
        '    background-position:center center;',
        '    background-repeat:no-repeat;',
        '    width:100px;',
        '    height:100px;',
        '}',
        'img.ke-rm {',
        '    border:1px solid #AAA;',
        '    background-image:url(' + themesPath + 'common/rm.gif);',
        '    background-position:center center;',
        '    background-repeat:no-repeat;',
        '    width:100px;',
        '    height:100px;',
        '}',
        'img.ke-media {',
        '    border:1px solid #AAA;',
        '    background-image:url(' + themesPath + 'common/media.gif);',
        '    background-position:center center;',
        '    background-repeat:no-repeat;',
        '    width:100px;',
        '    height:100px;',
        '}',
        'img.ke-anchor {',
        '    border:1px dashed #666;',
        '    width:16px;',
        '    height:16px;',
        '}',
        '.ke-script, .ke-noscript, .ke-display-none {',
        '    display:none;',
        '    font-size:0;',
        '    width:0;',
        '    height:0;',
        '}',
        '.ke-pagebreak {',
        '    border:1px dotted #AAA;',
        '    font-size:0;',
        '    height:2px;',
        '}',
        '</style>'
    ];
    if (!_isArray(cssPath)) {
        cssPath = [cssPath];
    }
    _each(cssPath, function(i, path) {
        if (path) {
            arr.push('<link href="' + path + '" rel="stylesheet" />');
        }
    });
    if (cssData) {
        arr.push('<style>' + cssData + '</style>');
    }
    arr.push('</head><body ' + (bodyClass ? 'class="' + bodyClass + '"' : '') + '></body></html>');
    return arr.join('\n');
}
function _elementVal(knode, val) {
    if (knode.hasVal()) {
        if (val === undefined) {
            var html = knode.val();
            html = html.replace(/(<(?:p|p\s[^>]*)>) *(<\/p>)/ig, '');
            return html;
        }
        return knode.val(val);
    }
    return knode.html(val);
}
function KEdit(options) {
    this.init(options);
}
_extend(KEdit, KWidget, {
    init : function(options) {
        var self = this;
        KEdit.parent.init.call(self, options);
        self.srcElement = K(options.srcElement);
        self.div.addClass('ke-edit');
        self.designMode = _undef(options.designMode, true);
        self.beforeGetHtml = options.beforeGetHtml;
        self.beforeSetHtml = options.beforeSetHtml;
        self.afterSetHtml = options.afterSetHtml;
        var themesPath = _undef(options.themesPath, ''),
            bodyClass = options.bodyClass,
            cssPath = options.cssPath,
            cssData = options.cssData,
            isDocumentDomain = location.protocol != 'res:' && location.host.replace(/:\d+/, '') !== document.domain,
            srcScript = ('document.open();' +
                (isDocumentDomain ? 'document.domain="' + document.domain + '";' : '') +
                'document.close();'),
            iframeSrc = _IE ? ' src="javascript:void(function(){' + encodeURIComponent(srcScript) + '}())"' : '';
        self.iframe = K('<iframe class="ke-edit-iframe" hidefocus="true" frameborder="0"' + iframeSrc + '></iframe>').css('width', '100%');
        self.textarea = K('<textarea class="ke-edit-textarea" hidefocus="true"></textarea>').css('width', '100%');
        self.tabIndex = isNaN(parseInt(options.tabIndex, 10)) ? self.srcElement.attr('tabindex') : parseInt(options.tabIndex, 10);
        self.iframe.attr('tabindex', self.tabIndex);
        self.textarea.attr('tabindex', self.tabIndex);
        if (self.width) {
            self.setWidth(self.width);
        }
        if (self.height) {
            self.setHeight(self.height);
        }
        if (self.designMode) {
            self.textarea.hide();
        } else {
            self.iframe.hide();
        }
        function ready() {
            var doc = _iframeDoc(self.iframe);
            doc.open();
            if (isDocumentDomain) {
                doc.domain = document.domain;
            }
            doc.write(_getInitHtml(themesPath, bodyClass, cssPath, cssData));
            doc.close();
            self.win = self.iframe[0].contentWindow;
            self.doc = doc;
            var cmd = _cmd(doc);
            self.afterChange(function(e) {
                cmd.selection();
            });
            if (_WEBKIT) {
                K(doc).click(function(e) {
                    if (K(e.target).name === 'img') {
                        cmd.selection(true);
                        cmd.range.selectNode(e.target);
                        cmd.select();
                    }
                });
            }
            if (_IE) {
                self._mousedownHandler = function() {
                    var newRange = cmd.range.cloneRange();
                    newRange.shrink();
                    if (newRange.isControl()) {
                        self.blur();
                    }
                };
                K(document).mousedown(self._mousedownHandler);
                K(doc).keydown(function(e) {
                    if (e.which == 8) {
                        cmd.selection();
                        var rng = cmd.range;
                        if (rng.isControl()) {
                            rng.collapse(true);
                            K(rng.startContainer.childNodes[rng.startOffset]).remove();
                            e.preventDefault();
                        }
                    }
                });
            }
            self.cmd = cmd;
            self.html(_elementVal(self.srcElement));
            if (_IE) {
                doc.body.disabled = true;
                doc.body.contentEditable = true;
                doc.body.removeAttribute('disabled');
            } else {
                doc.designMode = 'on';
            }
            if (options.afterCreate) {
                options.afterCreate.call(self);
            }
        }
        if (isDocumentDomain) {
            self.iframe.bind('load', function(e) {
                self.iframe.unbind('load');
                if (_IE) {
                    ready();
                } else {
                    setTimeout(ready, 0);
                }
            });
        }
        self.div.append(self.iframe);
        self.div.append(self.textarea);
        self.srcElement.hide();
        !isDocumentDomain && ready();
    },
    setWidth : function(val) {
        var self = this;
        val = _addUnit(val);
        self.width = val;
        self.div.css('width', val);
        return self;
    },
    setHeight : function(val) {
        var self = this;
        val = _addUnit(val);
        self.height = val;
        self.div.css('height', val);
        self.iframe.css('height', val);
        if ((_IE && _V < 8) || _QUIRKS) {
            val = _addUnit(_removeUnit(val) - 2);
        }
        self.textarea.css('height', val);
        return self;
    },
    remove : function() {
        var self = this, doc = self.doc;
        K(doc.body).unbind();
        K(doc).unbind();
        K(self.win).unbind();
        if (self._mousedownHandler) {
            K(document).unbind('mousedown', self._mousedownHandler);
        }
        _elementVal(self.srcElement, self.html());
        self.srcElement.show();
        doc.write('');
        self.iframe.unbind();
        self.textarea.unbind();
        KEdit.parent.remove.call(self);
    },
    html : function(val, isFull) {
        var self = this, doc = self.doc;
        if (self.designMode) {
            var body = doc.body;
            if (val === undefined) {
                if (isFull) {
                    val = '<!doctype html><html>' + body.parentNode.innerHTML + '</html>';
                } else {
                    val = body.innerHTML;
                }
                if (self.beforeGetHtml) {
                    val = self.beforeGetHtml(val);
                }
                if (_GECKO && val == '<br />') {
                    val = '';
                }
                return val;
            }
            if (self.beforeSetHtml) {
                val = self.beforeSetHtml(val);
            }
            if (_IE && _V >= 9) {
                val = val.replace(/(<.*?checked=")checked(".*>)/ig, '$1$2');
            }
            K(body).html(val);
            if (self.afterSetHtml) {
                self.afterSetHtml();
            }
            return self;
        }
        if (val === undefined) {
            return self.textarea.val();
        }
        self.textarea.val(val);
        return self;
    },
    design : function(bool) {
        var self = this, val;
        if (bool === undefined ? !self.designMode : bool) {
            if (!self.designMode) {
                val = self.html();
                self.designMode = true;
                self.html(val);
                self.textarea.hide();
                self.iframe.show();
            }
        } else {
            if (self.designMode) {
                val = self.html();
                self.designMode = false;
                self.html(val);
                self.iframe.hide();
                self.textarea.show();
            }
        }
        return self.focus();
    },
    focus : function() {
        var self = this;
        self.designMode ? self.win.focus() : self.textarea[0].focus();
        return self;
    },
    blur : function() {
        var self = this;
        if (_IE) {
            var input = K('<input  type="text" style="float:left;width:0;height:0;padding:0;margin:0;border:0;" value="" />', self.div);
            self.div.append(input);
            input[0].focus();
            input.remove();
        } else {
            self.designMode ? self.win.blur() : self.textarea[0].blur();
        }
        return self;
    },
    afterChange : function(fn) {
        var self = this, doc = self.doc, body = doc.body;
        K(doc).keyup(function(e) {
            if (!e.ctrlKey && !e.altKey && _CHANGE_KEY_MAP[e.which]) {
                fn(e);
            }
        });
        K(doc).mouseup(fn).contextmenu(fn);
        K(self.win).blur(fn);
        function timeoutHandler(e) {
            setTimeout(function() {
                fn(e);
            }, 1);
        }
        K(body).bind('paste', timeoutHandler);
        K(body).bind('cut', timeoutHandler);
        return self;
    }
});
function _edit(options) {
    return new KEdit(options);
}
K.EditClass = KEdit;
K.edit = _edit;
K.iframeDoc = _iframeDoc;
function _selectToolbar(name, fn) {
    var self = this,
        knode = self.get(name);
    if (knode) {
        if (knode.hasClass('ke-disabled')) {
            return;
        }
        fn(knode);
    }
}
function KToolbar(options) {
    this.init(options);
}
_extend(KToolbar, KWidget, {
    init : function(options) {
        var self = this;
        KToolbar.parent.init.call(self, options);
        self.disableMode = _undef(options.disableMode, false);
        self.noDisableItemMap = _toMap(_undef(options.noDisableItems, []));
        self._itemMap = {};
        self.div.addClass('ke-toolbar').bind('contextmenu,mousedown,mousemove', function(e) {
            e.preventDefault();
        }).attr('unselectable', 'on');
        function find(target) {
            var knode = K(target);
            if (knode.hasClass('ke-outline')) {
                return knode;
            }
            if (knode.hasClass('ke-toolbar-icon')) {
                return knode.parent();
            }
        }
        function hover(e, method) {
            var knode = find(e.target);
            if (knode) {
                if (knode.hasClass('ke-disabled')) {
                    return;
                }
                if (knode.hasClass('ke-selected')) {
                    return;
                }
                knode[method]('ke-on');
            }
        }
        self.div.mouseover(function(e) {
            hover(e, 'addClass');
        })
        .mouseout(function(e) {
            hover(e, 'removeClass');
        })
        .click(function(e) {
            var knode = find(e.target);
            if (knode) {
                if (knode.hasClass('ke-disabled')) {
                    return;
                }
                self.options.click.call(this, e, knode.attr('data-name'));
            }
        });
    },
    get : function(name) {
        if (this._itemMap[name]) {
            return this._itemMap[name];
        }
        return (this._itemMap[name] = K('span.ke-icon-' + name, this.div).parent());
    },
    select : function(name) {
        _selectToolbar.call(this, name, function(knode) {
            knode.addClass('ke-selected');
        });
        return self;
    },
    unselect : function(name) {
        _selectToolbar.call(this, name, function(knode) {
            knode.removeClass('ke-selected').removeClass('ke-on');
        });
        return self;
    },
    enable : function(name) {
        var self = this,
            knode = name.get ? name : self.get(name);
        if (knode) {
            knode.removeClass('ke-disabled');
            knode.opacity(1);
        }
        return self;
    },
    disable : function(name) {
        var self = this,
            knode = name.get ? name : self.get(name);
        if (knode) {
            knode.removeClass('ke-selected').addClass('ke-disabled');
            knode.opacity(0.5);
        }
        return self;
    },
    disableAll : function(bool, noDisableItems) {
        var self = this, map = self.noDisableItemMap, item;
        if (noDisableItems) {
            map = _toMap(noDisableItems);
        }
        if (bool === undefined ? !self.disableMode : bool) {
            K('span.ke-outline', self.div).each(function() {
                var knode = K(this),
                    name = knode[0].getAttribute('data-name', 2);
                if (!map[name]) {
                    self.disable(knode);
                }
            });
            self.disableMode = true;
        } else {
            K('span.ke-outline', self.div).each(function() {
                var knode = K(this),
                    name = knode[0].getAttribute('data-name', 2);
                if (!map[name]) {
                    self.enable(knode);
                }
            });
            self.disableMode = false;
        }
        return self;
    }
});
function _toolbar(options) {
    return new KToolbar(options);
}
K.ToolbarClass = KToolbar;
K.toolbar = _toolbar;
function KMenu(options) {
    this.init(options);
}
_extend(KMenu, KWidget, {
    init : function(options) {
        var self = this;
        options.z = options.z || 811213;
        KMenu.parent.init.call(self, options);
        self.centerLineMode = _undef(options.centerLineMode, true);
        self.div.addClass('ke-menu').bind('click,mousedown', function(e){
            e.stopPropagation();
        }).attr('unselectable', 'on');
    },
    addItem : function(item) {
        var self = this;
        if (item.title === '-') {
            self.div.append(K('<div class="ke-menu-separator"></div>'));
            return;
        }
        var itemDiv = K('<div class="ke-menu-item" unselectable="on"></div>'),
            leftDiv = K('<div class="ke-inline-block ke-menu-item-left"></div>'),
            rightDiv = K('<div class="ke-inline-block ke-menu-item-right"></div>'),
            height = _addUnit(item.height),
            iconClass = _undef(item.iconClass, '');
        self.div.append(itemDiv);
        if (height) {
            itemDiv.css('height', height);
            rightDiv.css('line-height', height);
        }
        var centerDiv;
        if (self.centerLineMode) {
            centerDiv = K('<div class="ke-inline-block ke-menu-item-center"></div>');
            if (height) {
                centerDiv.css('height', height);
            }
        }
        itemDiv.mouseover(function(e) {
            K(this).addClass('ke-menu-item-on');
            if (centerDiv) {
                centerDiv.addClass('ke-menu-item-center-on');
            }
        })
        .mouseout(function(e) {
            K(this).removeClass('ke-menu-item-on');
            if (centerDiv) {
                centerDiv.removeClass('ke-menu-item-center-on');
            }
        })
        .click(function(e) {
            item.click.call(K(this));
            e.stopPropagation();
        })
        .append(leftDiv);
        if (centerDiv) {
            itemDiv.append(centerDiv);
        }
        itemDiv.append(rightDiv);
        if (item.checked) {
            iconClass = 'ke-icon-checked';
        }
        if (iconClass !== '') {
            leftDiv.html('<span class="ke-inline-block ke-toolbar-icon ke-toolbar-icon-url ' + iconClass + '"></span>');
        }
        rightDiv.html(item.title);
        return self;
    },
    remove : function() {
        var self = this;
        if (self.options.beforeRemove) {
            self.options.beforeRemove.call(self);
        }
        K('.ke-menu-item', self.div[0]).unbind();
        KMenu.parent.remove.call(self);
        return self;
    }
});
function _menu(options) {
    return new KMenu(options);
}
K.MenuClass = KMenu;
K.menu = _menu;
function KColorPicker(options) {
    this.init(options);
}
_extend(KColorPicker, KWidget, {
    init : function(options) {
        var self = this;
        options.z = options.z || 811213;
        KColorPicker.parent.init.call(self, options);
        var colors = options.colors || [
            ['#E53333', '#E56600', '#FF9900', '#64451D', '#DFC5A4', '#FFE500'],
            ['#009900', '#006600', '#99BB00', '#B8D100', '#60D978', '#00D5FF'],
            ['#337FE5', '#003399', '#4C33E5', '#9933E5', '#CC33E5', '#EE33EE'],
            ['#FFFFFF', '#CCCCCC', '#999999', '#666666', '#333333', '#000000']
        ];
        self.selectedColor = (options.selectedColor || '').toLowerCase();
        self._cells = [];
        self.div.addClass('ke-colorpicker').bind('click,mousedown', function(e){
            e.stopPropagation();
        }).attr('unselectable', 'on');
        var table = self.doc.createElement('table');
        self.div.append(table);
        table.className = 'ke-colorpicker-table';
        table.cellPadding = 0;
        table.cellSpacing = 0;
        table.border = 0;
        var row = table.insertRow(0), cell = row.insertCell(0);
        cell.colSpan = colors[0].length;
        self._addAttr(cell, '', 'ke-colorpicker-cell-top');
        for (var i = 0; i < colors.length; i++) {
            row = table.insertRow(i + 1);
            for (var j = 0; j < colors[i].length; j++) {
                cell = row.insertCell(j);
                self._addAttr(cell, colors[i][j], 'ke-colorpicker-cell');
            }
        }
    },
    _addAttr : function(cell, color, cls) {
        var self = this;
        cell = K(cell).addClass(cls);
        if (self.selectedColor === color.toLowerCase()) {
            cell.addClass('ke-colorpicker-cell-selected');
        }
        cell.attr('title', color || self.options.noColor);
        cell.mouseover(function(e) {
            K(this).addClass('ke-colorpicker-cell-on');
        });
        cell.mouseout(function(e) {
            K(this).removeClass('ke-colorpicker-cell-on');
        });
        cell.click(function(e) {
            e.stop();
            self.options.click.call(K(this), color);
        });
        if (color) {
            cell.append(K('<div class="ke-colorpicker-cell-color" unselectable="on"></div>').css('background-color', color));
        } else {
            cell.html(self.options.noColor);
        }
        K(cell).attr('unselectable', 'on');
        self._cells.push(cell);
    },
    remove : function() {
        var self = this;
        _each(self._cells, function() {
            this.unbind();
        });
        KColorPicker.parent.remove.call(self);
        return self;
    }
});
function _colorpicker(options) {
    return new KColorPicker(options);
}
K.ColorPickerClass = KColorPicker;
K.colorpicker = _colorpicker;
function KUploadButton(options) {
    this.init(options);
}
_extend(KUploadButton, {
    init : function(options) {
        var self = this,
            button = K(options.button),
            fieldName = options.fieldName || 'file',
            url = options.url || '',
            title = button.val(),
            extraParams = options.extraParams || {},
            cls = button[0].className || '',
            target = options.target || 'kindeditor_upload_iframe_' + new Date().getTime();
        options.afterError = options.afterError || function(str) {
            alert(str);
        };
        var hiddenElements = [];
        for(var k in extraParams){
            hiddenElements.push('<input  type="hidden" name="' + k + '" value="' + extraParams[k] + '" />');
        }
        var html = [
            '<div class="ke-inline-block ' + cls + '">',
            (options.target ? '' : '<iframe name="' + target + '" style="display:none;"></iframe>'),
            (options.form ? '<div class="ke-upload-area">' : '<form class="ke-upload-area ke-form" method="post" enctype="multipart/form-data" target="' + target + '" action="' + url + '">'),
            '<span class="ke-button-common">',
            hiddenElements.join(''),
            '<input  type="button" class="ke-button-common ke-button" value="' + title + '" />',
            '</span>',
            '<input  type="file" class="ke-upload-file" name="' + fieldName + '" tabindex="-1" />',
            (options.form ? '</div>' : '</form>'),
            '</div>'].join('');
        var div = K(html, button.doc);
        button.hide();
        button.before(div);
        self.div = div;
        self.button = button;
        self.iframe = options.target ? K('iframe[name="' + target + '"]') : K('iframe', div);
        self.form = options.form ? K(options.form) : K('form', div);
        self.fileBox = K('.ke-upload-file', div);
        var width = options.width || K('.ke-button-common', div).width();
        K('.ke-upload-area', div).width(width);
        self.options = options;
    },
    submit : function() {
        var self = this,
            iframe = self.iframe;
        iframe.bind('load', function() {
            iframe.unbind();
            var tempForm = document.createElement('form');
            self.fileBox.before(tempForm);
            K(tempForm).append(self.fileBox);
            tempForm.reset();
            K(tempForm).remove(true);
            var doc = K.iframeDoc(iframe),
                pre = doc.getElementsByTagName('pre')[0],
                str = '', data;
            if (pre) {
                str = pre.innerHTML;
            } else {
                str = doc.body.innerHTML;
            }
            str = _unescape(str);
            iframe[0].src = 'javascript:false';
            try {
                data = K.json(str);
            } catch (e) {
                self.options.afterError.call(self, '<!doctype html><html>' + doc.body.parentNode.innerHTML + '</html>');
            }
            if (data) {
                self.options.afterUpload.call(self, data);
            }
        });
        self.form[0].submit();
        return self;
    },
    remove : function() {
        var self = this;
        if (self.fileBox) {
            self.fileBox.unbind();
        }
        self.iframe.remove();
        self.div.remove();
        self.button.show();
        return self;
    }
});
function _uploadbutton(options) {
    return new KUploadButton(options);
}
K.UploadButtonClass = KUploadButton;
K.uploadbutton = _uploadbutton;
function _createButton(arg) {
    arg = arg || {};
    var name = arg.name || '',
        span = K('<span class="ke-button-common ke-button-outer" title="' + name + '"></span>'),
        btn = K('<input  class="ke-button-common ke-button" type="button" value="' + name + '" />');
    if (arg.click) {
        btn.click(arg.click);
    }
    span.append(btn);
    return span;
}
function KDialog(options) {
    this.init(options);
}
_extend(KDialog, KWidget, {
    init : function(options) {
        var self = this;
        var shadowMode = _undef(options.shadowMode, true);
        options.z = options.z || 811213;
        options.shadowMode = false;
        options.autoScroll = _undef(options.autoScroll, true);
        KDialog.parent.init.call(self, options);
        var title = options.title,
            body = K(options.body, self.doc),
            previewBtn = options.previewBtn,
            yesBtn = options.yesBtn,
            noBtn = options.noBtn,
            closeBtn = options.closeBtn,
            showMask = _undef(options.showMask, true);
        self.div.addClass('ke-dialog').bind('click,mousedown', function(e){
            e.stopPropagation();
        });
        var contentDiv = K('<div class="ke-dialog-content"></div>').appendTo(self.div);
        if (_IE && _V < 7) {
            self.iframeMask = K('<iframe src="about:blank" class="ke-dialog-shadow"></iframe>').appendTo(self.div);
        } else if (shadowMode) {
            K('<div class="ke-dialog-shadow"></div>').appendTo(self.div);
        }
        var headerDiv = K('<div class="ke-dialog-header"></div>');
        contentDiv.append(headerDiv);
        headerDiv.html(title);
        self.closeIcon = K('<span class="ke-dialog-icon-close" title="' + closeBtn.name + '"></span>').click(closeBtn.click);
        headerDiv.append(self.closeIcon);
        self.draggable({
            clickEl : headerDiv,
            beforeDrag : options.beforeDrag
        });
        var bodyDiv = K('<div class="ke-dialog-body"></div>');
        contentDiv.append(bodyDiv);
        bodyDiv.append(body);
        var footerDiv = K('<div class="ke-dialog-footer"></div>');
        if (previewBtn || yesBtn || noBtn) {
            contentDiv.append(footerDiv);
        }
        _each([
            { btn : previewBtn, name : 'preview' },
            { btn : yesBtn, name : 'yes' },
            { btn : noBtn, name : 'no' }
        ], function() {
            if (this.btn) {
                var button = _createButton(this.btn);
                button.addClass('ke-dialog-' + this.name);
                footerDiv.append(button);
            }
        });
        if (self.height) {
            bodyDiv.height(_removeUnit(self.height) - headerDiv.height() - footerDiv.height());
        }
        self.div.width(self.div.width());
        self.div.height(self.div.height());
        self.mask = null;
        if (showMask) {
            var docEl = _docElement(self.doc),
                docWidth = Math.max(docEl.scrollWidth, docEl.clientWidth),
                docHeight = Math.max(docEl.scrollHeight, docEl.clientHeight);
            self.mask = _widget({
                x : 0,
                y : 0,
                z : self.z - 1,
                cls : 'ke-dialog-mask',
                width : docWidth,
                height : docHeight
            });
        }
        self.autoPos(self.div.width(), self.div.height());
        self.footerDiv = footerDiv;
        self.bodyDiv = bodyDiv;
        self.headerDiv = headerDiv;
        self.isLoading = false;
    },
    setMaskIndex : function(z) {
        var self = this;
        self.mask.div.css('z-index', z);
    },
    showLoading : function(msg) {
        msg = _undef(msg, '');
        var self = this, body = self.bodyDiv;
        self.loading = K('<div class="ke-dialog-loading"><div class="ke-inline-block ke-dialog-loading-content" style="margin-top:' + Math.round(body.height() / 3) + 'px;">' + msg + '</div></div>')
            .width(body.width()).height(body.height())
            .css('top', self.headerDiv.height() + 'px');
        body.css('visibility', 'hidden').after(self.loading);
        self.isLoading = true;
        return self;
    },
    hideLoading : function() {
        this.loading && this.loading.remove();
        this.bodyDiv.css('visibility', 'visible');
        this.isLoading = false;
        return this;
    },
    remove : function() {
        var self = this;
        if (self.options.beforeRemove) {
            self.options.beforeRemove.call(self);
        }
        self.mask && self.mask.remove();
        self.iframeMask && self.iframeMask.remove();
        self.closeIcon.unbind();
        K('input', self.div).unbind();
        K('button', self.div).unbind();
        self.footerDiv.unbind();
        self.bodyDiv.unbind();
        self.headerDiv.unbind();
        K('iframe', self.div).each(function() {
            K(this).remove();
        });
        KDialog.parent.remove.call(self);
        return self;
    }
});
function _dialog(options) {
    return new KDialog(options);
}
K.DialogClass = KDialog;
K.dialog = _dialog;
function _tabs(options) {
    var self = _widget(options),
        remove = self.remove,
        afterSelect = options.afterSelect,
        div = self.div,
        liList = [];
    div.addClass('ke-tabs')
        .bind('contextmenu,mousedown,mousemove', function(e) {
            e.preventDefault();
        });
    var ul = K('<ul class="ke-tabs-ul ke-clearfix"></ul>');
    div.append(ul);
    self.add = function(tab) {
        var li = K('<li class="ke-tabs-li">' + tab.title + '</li>');
        li.data('tab', tab);
        liList.push(li);
        ul.append(li);
    };
    self.selectedIndex = 0;
    self.select = function(index) {
        self.selectedIndex = index;
        _each(liList, function(i, li) {
            li.unbind();
            if (i === index) {
                li.addClass('ke-tabs-li-selected');
                K(li.data('tab').panel).show('');
            } else {
                li.removeClass('ke-tabs-li-selected').removeClass('ke-tabs-li-on')
                .mouseover(function() {
                    K(this).addClass('ke-tabs-li-on');
                })
                .mouseout(function() {
                    K(this).removeClass('ke-tabs-li-on');
                })
                .click(function() {
                    self.select(i);
                });
                K(li.data('tab').panel).hide();
            }
        });
        if (afterSelect) {
            afterSelect.call(self, index);
        }
    };
    self.remove = function() {
        _each(liList, function() {
            this.remove();
        });
        ul.remove();
        remove.call(self);
    };
    return self;
}
K.tabs = _tabs;
function _loadScript(url, fn) {
    var head = document.getElementsByTagName('head')[0] || (_QUIRKS ? document.body : document.documentElement),
        script = document.createElement('script');
    head.appendChild(script);
    script.src = url;
    script.charset = 'utf-8';
    script.onload = script.onreadystatechange = function() {
        if (!this.readyState || this.readyState === 'loaded') {
            if (fn) {
                fn();
            }
            script.onload = script.onreadystatechange = null;
            head.removeChild(script);
        }
    };
}
function _chopQuery(url) {
    var index = url.indexOf('?');
    return index > 0 ? url.substr(0, index) : url;
}
function _loadStyle(url) {
    var head = document.getElementsByTagName('head')[0] || (_QUIRKS ? document.body : document.documentElement),
        link = document.createElement('link'),
        absoluteUrl = _chopQuery(_formatUrl(url, 'absolute'));
    var links = K('link[rel="stylesheet"]', head);
    for (var i = 0, len = links.length; i < len; i++) {
        if (_chopQuery(_formatUrl(links[i].href, 'absolute')) === absoluteUrl) {
            return;
        }
    }
    head.appendChild(link);
    link.href = url;
    link.rel = 'stylesheet';
}
function _ajax(url, fn, method, param, dataType) {
    method = method || 'GET';
    dataType = dataType || 'json';
    var xhr = window.XMLHttpRequest ? new window.XMLHttpRequest() : new ActiveXObject('Microsoft.XMLHTTP');
    xhr.open(method, url, true);
    xhr.onreadystatechange = function () {
        if (xhr.readyState == 4 && xhr.status == 200) {
            if (fn) {
                var data = _trim(xhr.responseText);
                if (dataType == 'json') {
                    data = _json(data);
                }
                fn(data);
            }
        }
    };
    if (method == 'POST') {
        var params = [];
        _each(param, function(key, val) {
            params.push(encodeURIComponent(key) + '=' + encodeURIComponent(val));
        });
        try {
            xhr.setRequestHeader('Content-Type', 'application/x-www-form-urlencoded');
        } catch (e) {}
        xhr.send(params.join('&'));
    } else {
        xhr.send(null);
    }
}
K.loadScript = _loadScript;
K.loadStyle = _loadStyle;
K.ajax = _ajax;
var _plugins = {};
function _plugin(name, fn) {
    if (name === undefined) {
        return _plugins;
    }
    if (!fn) {
        return _plugins[name];
    }
    _plugins[name] = fn;
}
var _language = {};
function _parseLangKey(key) {
    var match, ns = 'core';
    if ((match = /^(\w+)\.(\w+)$/.exec(key))) {
        ns = match[1];
        key = match[2];
    }
    return { ns : ns, key : key };
}
function _lang(mixed, langType) {
    langType = langType === undefined ? K.options.langType : langType;
    if (typeof mixed === 'string') {
        if (!_language[langType]) {
            return 'no language';
        }
        var pos = mixed.length - 1;
        if (mixed.substr(pos) === '.') {
            return _language[langType][mixed.substr(0, pos)];
        }
        var obj = _parseLangKey(mixed);
        return _language[langType][obj.ns][obj.key];
    }
    _each(mixed, function(key, val) {
        var obj = _parseLangKey(key);
        if (!_language[langType]) {
            _language[langType] = {};
        }
        if (!_language[langType][obj.ns]) {
            _language[langType][obj.ns] = {};
        }
        _language[langType][obj.ns][obj.key] = val;
    });
}
function _getImageFromRange(range, fn) {
    if (range.collapsed) {
        return;
    }
    range = range.cloneRange().up();
    var sc = range.startContainer, so = range.startOffset;
    if (!_WEBKIT && !range.isControl()) {
        return;
    }
    var img = K(sc.childNodes[so]);
    if (!img || img.name != 'img') {
        return;
    }
    if (fn(img)) {
        return img;
    }
}
function _bindContextmenuEvent() {
    var self = this, doc = self.edit.doc;
    K(doc).contextmenu(function(e) {
        if (self.menu) {
            self.hideMenu();
        }
        if (!self.useContextmenu) {
            e.preventDefault();
            return;
        }
        if (self._contextmenus.length === 0) {
            return;
        }
        var maxWidth = 0, items = [];
        _each(self._contextmenus, function() {
            if (this.title == '-') {
                items.push(this);
                return;
            }
            if (this.cond && this.cond()) {
                items.push(this);
                if (this.width && this.width > maxWidth) {
                    maxWidth = this.width;
                }
            }
        });
        while (items.length > 0 && items[0].title == '-') {
            items.shift();
        }
        while (items.length > 0 && items[items.length - 1].title == '-') {
            items.pop();
        }
        var prevItem = null;
        _each(items, function(i) {
            if (this.title == '-' && prevItem.title == '-') {
                delete items[i];
            }
            prevItem = this;
        });
        if (items.length > 0) {
            e.preventDefault();
            var pos = K(self.edit.iframe).pos(),
                menu = _menu({
                    x : pos.x + e.clientX,
                    y : pos.y + e.clientY,
                    width : maxWidth,
                    css : { visibility: 'hidden' },
                    shadowMode : self.shadowMode
                });
            _each(items, function() {
                if (this.title) {
                    menu.addItem(this);
                }
            });
            var docEl = _docElement(menu.doc),
                menuHeight = menu.div.height();
            if (e.clientY + menuHeight >= docEl.clientHeight - 100) {
                menu.pos(menu.x, _removeUnit(menu.y) - menuHeight);
            }
            menu.div.css('visibility', 'visible');
            self.menu = menu;
        }
    });
}
function _bindNewlineEvent() {
    var self = this, doc = self.edit.doc, newlineTag = self.newlineTag;
    if (_IE && newlineTag !== 'br') {
        return;
    }
    if (_GECKO && _V < 3 && newlineTag !== 'p') {
        return;
    }
    if (_OPERA && _V < 9) {
        return;
    }
    var brSkipTagMap = _toMap('h1,h2,h3,h4,h5,h6,pre,li'),
        pSkipTagMap = _toMap('p,h1,h2,h3,h4,h5,h6,pre,li,blockquote');
    function getAncestorTagName(range) {
        var ancestor = K(range.commonAncestor());
        while (ancestor) {
            if (ancestor.type == 1 && !ancestor.isStyle()) {
                break;
            }
            ancestor = ancestor.parent();
        }
        return ancestor.name;
    }
    K(doc).keydown(function(e) {
        if (e.which != 13 || e.shiftKey || e.ctrlKey || e.altKey) {
            return;
        }
        self.cmd.selection();
        var tagName = getAncestorTagName(self.cmd.range);
        if (tagName == 'marquee' || tagName == 'select') {
            return;
        }
        if (newlineTag === 'br' && !brSkipTagMap[tagName]) {
            e.preventDefault();
            self.insertHtml('<br />' + (_IE && _V < 9 ? '' : '\u200B'));
            return;
        }
        if (!pSkipTagMap[tagName]) {
            _nativeCommand(doc, 'formatblock', '<p>');
        }
    });
    K(doc).keyup(function(e) {
        if (e.which != 13 || e.shiftKey || e.ctrlKey || e.altKey) {
            return;
        }
        if (newlineTag == 'br') {
            return;
        }
        if (_GECKO) {
            var root = self.cmd.commonAncestor('p');
            var a = self.cmd.commonAncestor('a');
            if (a && a.text() == '') {
                a.remove(true);
                self.cmd.range.selectNodeContents(root[0]).collapse(true);
                self.cmd.select();
            }
            return;
        }
        self.cmd.selection();
        var tagName = getAncestorTagName(self.cmd.range);
        if (tagName == 'marquee' || tagName == 'select') {
            return;
        }
        if (!pSkipTagMap[tagName]) {
            _nativeCommand(doc, 'formatblock', '<p>');
        }
        var div = self.cmd.commonAncestor('div');
        if (div) {
            var p = K('<p></p>'),
                child = div[0].firstChild;
            while (child) {
                var next = child.nextSibling;
                p.append(child);
                child = next;
            }
            div.before(p);
            div.remove();
            self.cmd.range.selectNodeContents(p[0]);
            self.cmd.select();
        }
    });
}
function _bindTabEvent() {
    var self = this, doc = self.edit.doc;
    K(doc).keydown(function(e) {
        if (e.which == 9) {
            e.preventDefault();
            if (self.afterTab) {
                self.afterTab.call(self, e);
                return;
            }
            var cmd = self.cmd, range = cmd.range;
            range.shrink();
            if (range.collapsed && range.startContainer.nodeType == 1) {
                range.insertNode(K('@&nbsp;', doc)[0]);
                cmd.select();
            }
            self.insertHtml('&nbsp;&nbsp;&nbsp;&nbsp;');
        }
    });
}
function _bindFocusEvent() {
    var self = this;
    K(self.edit.textarea[0], self.edit.win).focus(function(e) {
        if (self.afterFocus) {
            self.afterFocus.call(self, e);
        }
    }).blur(function(e) {
        if (self.afterBlur) {
            self.afterBlur.call(self, e);
        }
    });
}
function _removeBookmarkTag(html) {
    return _trim(html.replace(/<span [^>]*id="?__kindeditor_bookmark_\w+_\d+__"?[^>]*><\/span>/ig, ''));
}
function _removeTempTag(html) {
    return html.replace(/<div[^>]+class="?__kindeditor_paste__"?[^>]*>[\s\S]*?<\/div>/ig, '');
}
function _addBookmarkToStack(stack, bookmark) {
    if (stack.length === 0) {
        stack.push(bookmark);
        return;
    }
    var prev = stack[stack.length - 1];
    if (_removeBookmarkTag(bookmark.html) !== _removeBookmarkTag(prev.html)) {
        stack.push(bookmark);
    }
}
function _undoToRedo(fromStack, toStack) {
    var self = this, edit = self.edit,
        body = edit.doc.body,
        range, bookmark;
    if (fromStack.length === 0) {
        return self;
    }
    if (edit.designMode) {
        range = self.cmd.range;
        bookmark = range.createBookmark(true);
        bookmark.html = body.innerHTML;
    } else {
        bookmark = {
            html : body.innerHTML
        };
    }
    _addBookmarkToStack(toStack, bookmark);
    var prev = fromStack.pop();
    if (_removeBookmarkTag(bookmark.html) === _removeBookmarkTag(prev.html) && fromStack.length > 0) {
        prev = fromStack.pop();
    }
    if (edit.designMode) {
        edit.html(prev.html);
        if (prev.start) {
            range.moveToBookmark(prev);
            self.select();
        }
    } else {
        K(body).html(_removeBookmarkTag(prev.html));
    }
    return self;
}
function KEditor(options) {
    var self = this;
    self.options = {};
    function setOption(key, val) {
        if (KEditor.prototype[key] === undefined) {
            self[key] = val;
        }
        self.options[key] = val;
    }
    _each(options, function(key, val) {
        setOption(key, options[key]);
    });
    _each(K.options, function(key, val) {
        if (self[key] === undefined) {
            setOption(key, val);
        }
    });
    var se = K(self.srcElement || '<textarea/>');
    if (!self.width) {
        self.width = se[0].style.width || se.width();
    }
    if (!self.height) {
        self.height = se[0].style.height || se.height();
    }
    setOption('width', _undef(self.width, self.minWidth));
    setOption('height', _undef(self.height, self.minHeight));
    setOption('width', _addUnit(self.width));
    setOption('height', _addUnit(self.height));
    if (_MOBILE && (!_IOS || _V < 534)) {
        self.designMode = false;
    }
    self.srcElement = se;
    self.initContent = '';
    self.plugin = {};
    self.isCreated = false;
    self._handlers = {};
    self._contextmenus = [];
    self._undoStack = [];
    self._redoStack = [];
    self._firstAddBookmark = true;
    self.menu = self.contextmenu = null;
    self.dialogs = [];
}
KEditor.prototype = {
    lang : function(mixed) {
        return _lang(mixed, this.langType);
    },
    loadPlugin : function(name, fn) {
        var self = this;
        if (_plugins[name]) {
            if (!_isFunction(_plugins[name])) {
                setTimeout(function() {
                    self.loadPlugin(name, fn);
                }, 100);
                return self;
            }
            _plugins[name].call(self, KindEditor);
            if (fn) {
                fn.call(self);
            }
            return self;
        }
        _plugins[name] = 'loading';
        _loadScript(self.pluginsPath + name + '/' + name + '.js?ver=' + encodeURIComponent(K.DEBUG ? _TIME : _VERSION), function() {
            setTimeout(function() {
                if (_plugins[name]) {
                    self.loadPlugin(name, fn);
                }
            }, 0);
        });
        return self;
    },
    handler : function(key, fn) {
        var self = this;
        if (!self._handlers[key]) {
            self._handlers[key] = [];
        }
        if (_isFunction(fn)) {
            self._handlers[key].push(fn);
            return self;
        }
        _each(self._handlers[key], function() {
            fn = this.call(self, fn);
        });
        return fn;
    },
    clickToolbar : function(name, fn) {
        var self = this, key = 'clickToolbar' + name;
        if (fn === undefined) {
            if (self._handlers[key]) {
                return self.handler(key);
            }
            self.loadPlugin(name, function() {
                self.handler(key);
            });
            return self;
        }
        return self.handler(key, fn);
    },
    updateState : function() {
        var self = this;
        _each(('justifyleft,justifycenter,justifyright,justifyfull,insertorderedlist,insertunorderedlist,' +
            'subscript,superscript,bold,italic,underline,strikethrough').split(','), function(i, name) {
            self.cmd.state(name) ? self.toolbar.select(name) : self.toolbar.unselect(name);
        });
        return self;
    },
    addContextmenu : function(item) {
        this._contextmenus.push(item);
        return this;
    },
    afterCreate : function(fn) {
        return this.handler('afterCreate', fn);
    },
    beforeRemove : function(fn) {
        return this.handler('beforeRemove', fn);
    },
    beforeGetHtml : function(fn) {
        return this.handler('beforeGetHtml', fn);
    },
    beforeSetHtml : function(fn) {
        return this.handler('beforeSetHtml', fn);
    },
    afterSetHtml : function(fn) {
        return this.handler('afterSetHtml', fn);
    },
    create : function() {
        var self = this, fullscreenMode = self.fullscreenMode;
        if (self.isCreated) {
            return self;
        }
        if (self.srcElement.data('kindeditor')) {
            return self;
        }
        self.srcElement.data('kindeditor', 'true');
        if (fullscreenMode) {
            _docElement().style.overflow = 'hidden';
        } else {
            _docElement().style.overflow = '';
        }
        var width = fullscreenMode ? _docElement().clientWidth + 'px' : self.width,
            height = fullscreenMode ? _docElement().clientHeight + 'px' : self.height;
        if ((_IE && _V < 8) || _QUIRKS) {
            height = _addUnit(_removeUnit(height) + 2);
        }
        var container = self.container = K(self.layout);
        if (fullscreenMode) {
            K(document.body).append(container);
        } else {
            self.srcElement.before(container);
        }
        var toolbarDiv = K('.toolbar', container),
            editDiv = K('.edit', container),
            statusbar = self.statusbar = K('.statusbar', container);
        container.removeClass('container')
            .addClass('ke-container ke-container-' + self.themeType).css('width', width);
        if (fullscreenMode) {
            container.css({
                position : 'absolute',
                left : 0,
                top : 0,
                'z-index' : 811211
            });
            if (!_GECKO) {
                self._scrollPos = _getScrollPos();
            }
            window.scrollTo(0, 0);
            K(document.body).css({
                'height' : '1px',
                'overflow' : 'hidden'
            });
            K(document.body.parentNode).css('overflow', 'hidden');
            self._fullscreenExecuted = true;
        } else {
            if (self._fullscreenExecuted) {
                K(document.body).css({
                    'height' : '',
                    'overflow' : ''
                });
                K(document.body.parentNode).css('overflow', '');
            }
            if (self._scrollPos) {
                window.scrollTo(self._scrollPos.x, self._scrollPos.y);
            }
        }
        var htmlList = [];
        K.each(self.items, function(i, name) {
            if (name == '|') {
                htmlList.push('<span class="ke-inline-block ke-separator"></span>');
            } else if (name == '/') {
                htmlList.push('<div class="ke-hr"></div>');
            } else {
                htmlList.push('<span class="ke-outline" data-name="' + name + '" title="' + self.lang(name) + '" unselectable="on">');
                htmlList.push('<span class="ke-toolbar-icon ke-toolbar-icon-url ke-icon-' + name + '" unselectable="on"></span></span>');
            }
        });
        var toolbar = self.toolbar = _toolbar({
            src : toolbarDiv,
            html : htmlList.join(''),
            noDisableItems : self.noDisableItems,
            click : function(e, name) {
                e.stop();
                if (self.menu) {
                    var menuName = self.menu.name;
                    self.hideMenu();
                    if (menuName === name) {
                        return;
                    }
                }
                self.clickToolbar(name);
            }
        });
        var editHeight = _removeUnit(height) - toolbar.div.height();
        var edit = self.edit = _edit({
            height : editHeight > 0 && _removeUnit(height) > self.minHeight ? editHeight : self.minHeight,
            src : editDiv,
            srcElement : self.srcElement,
            designMode : self.designMode,
            themesPath : self.themesPath,
            bodyClass : self.bodyClass,
            cssPath : self.cssPath,
            cssData : self.cssData,
            beforeGetHtml : function(html) {
                html = self.beforeGetHtml(html);
                html = _removeBookmarkTag(_removeTempTag(html));
                return _formatHtml(html, self.filterMode ? self.htmlTags : null, self.urlType, self.wellFormatMode, self.indentChar);
            },
            beforeSetHtml : function(html) {
                html = _formatHtml(html, self.filterMode ? self.htmlTags : null, '', false);
                return self.beforeSetHtml(html);
            },
            afterSetHtml : function() {
                self.edit = edit = this;
                self.afterSetHtml();
            },
            afterCreate : function() {
                self.edit = edit = this;
                self.cmd = edit.cmd;
                self._docMousedownFn = function(e) {
                    if (self.menu) {
                        self.hideMenu();
                    }
                };
                K(edit.doc, document).mousedown(self._docMousedownFn);
                _bindContextmenuEvent.call(self);
                _bindNewlineEvent.call(self);
                _bindTabEvent.call(self);
                _bindFocusEvent.call(self);
                edit.afterChange(function(e) {
                    if (!edit.designMode) {
                        return;
                    }
                    self.updateState();
                    self.addBookmark();
                    if (self.options.afterChange) {
                        self.options.afterChange.call(self);
                    }
                });
                edit.textarea.keyup(function(e) {
                    if (!e.ctrlKey && !e.altKey && _INPUT_KEY_MAP[e.which]) {
                        if (self.options.afterChange) {
                            self.options.afterChange.call(self);
                        }
                    }
                });
                if (self.readonlyMode) {
                    self.readonly();
                }
                self.isCreated = true;
                if (self.initContent === '') {
                    self.initContent = self.html();
                }
                if (self._undoStack.length > 0) {
                    var prev = self._undoStack.pop();
                    if (prev.start) {
                        self.html(prev.html);
                        edit.cmd.range.moveToBookmark(prev);
                        self.select();
                    }
                }
                self.afterCreate();
                if (self.options.afterCreate) {
                    self.options.afterCreate.call(self);
                }
            }
        });
        statusbar.removeClass('statusbar').addClass('ke-statusbar')
            .append('<span class="ke-inline-block ke-statusbar-center-icon"></span>')
            .append('<span class="ke-inline-block ke-statusbar-right-icon"></span>');
        if (self._fullscreenResizeHandler) {
            K(window).unbind('resize', self._fullscreenResizeHandler);
            self._fullscreenResizeHandler = null;
        }
        function initResize() {
            if (statusbar.height() === 0) {
                setTimeout(initResize, 100);
                return;
            }
            self.resize(width, height, false);
        }
        initResize();
        if (fullscreenMode) {
            self._fullscreenResizeHandler = function(e) {
                if (self.isCreated) {
                    self.resize(_docElement().clientWidth, _docElement().clientHeight, false);
                }
            };
            K(window).bind('resize', self._fullscreenResizeHandler);
            toolbar.select('fullscreen');
            statusbar.first().css('visibility', 'hidden');
            statusbar.last().css('visibility', 'hidden');
        } else {
            if (_GECKO) {
                K(window).bind('scroll', function(e) {
                    self._scrollPos = _getScrollPos();
                });
            }
            if (self.resizeType > 0) {
                _drag({
                    moveEl : container,
                    clickEl : statusbar,
                    moveFn : function(x, y, width, height, diffX, diffY) {
                        height += diffY;
                        self.resize(null, height);
                    }
                });
            } else {
                statusbar.first().css('visibility', 'hidden');
            }
            if (self.resizeType === 2) {
                _drag({
                    moveEl : container,
                    clickEl : statusbar.last(),
                    moveFn : function(x, y, width, height, diffX, diffY) {
                        width += diffX;
                        height += diffY;
                        self.resize(width, height);
                    }
                });
            } else {
                statusbar.last().css('visibility', 'hidden');
            }
        }
        return self;
    },
    remove : function() {
        var self = this;
        if (!self.isCreated) {
            return self;
        }
        self.beforeRemove();
        self.srcElement.data('kindeditor', '');
        if (self.menu) {
            self.hideMenu();
        }
        _each(self.dialogs, function() {
            self.hideDialog();
        });
        K(document).unbind('mousedown', self._docMousedownFn);
        self.toolbar.remove();
        self.edit.remove();
        self.statusbar.last().unbind();
        self.statusbar.unbind();
        self.container.remove();
        self.container = self.toolbar = self.edit = self.menu = null;
        self.dialogs = [];
        self.isCreated = false;
        return self;
    },
    resize : function(width, height, updateProp) {
        var self = this;
        updateProp = _undef(updateProp, true);
        if (width) {
            if (!/%/.test(width)) {
                width = _removeUnit(width);
                width = width < self.minWidth ? self.minWidth : width;
            }
            self.container.css('width', _addUnit(width));
            if (updateProp) {
                self.width = _addUnit(width);
            }
        }
        if (height) {
            height = _removeUnit(height);
            editHeight = _removeUnit(height) - self.toolbar.div.height() - self.statusbar.height();
            editHeight = editHeight < self.minHeight ? self.minHeight : editHeight;
            self.edit.setHeight(editHeight);
            if (updateProp) {
                self.height = _addUnit(height);
            }
        }
        return self;
    },
    select : function() {
        this.isCreated && this.cmd.select();
        return this;
    },
    html : function(val) {
        var self = this;
        if (val === undefined) {
            return self.isCreated ? self.edit.html() : _elementVal(self.srcElement);
        }
        self.isCreated ? self.edit.html(val) : _elementVal(self.srcElement, val);
        if (self.isCreated) {
            self.cmd.selection();
        }
        return self;
    },
    fullHtml : function() {
        return this.isCreated ? this.edit.html(undefined, true) : '';
    },
    text : function(val) {
        var self = this;
        if (val === undefined) {
            return _trim(self.html().replace(/<(?!img|embed).*?>/ig, '').replace(/&nbsp;/ig, ' '));
        } else {
            return self.html(_escape(val));
        }
    },
    isEmpty : function() {
        return _trim(this.text().replace(/\r\n|\n|\r/, '')) === '';
    },
    isDirty : function() {
        return _trim(this.initContent.replace(/\r\n|\n|\r|t/g, '')) !== _trim(this.html().replace(/\r\n|\n|\r|t/g, ''));
    },
    selectedHtml : function() {
        var val = this.isCreated ? this.cmd.range.html() : '';
        val = _removeBookmarkTag(_removeTempTag(val));
        return val;
    },
    count : function(mode) {
        var self = this;
        mode = (mode || 'html').toLowerCase();
        if (mode === 'html') {
            return self.html().length;
        }
        if (mode === 'text') {
            return self.text().replace(/<(?:img|embed).*?>/ig, 'K').replace(/\r\n|\n|\r/g, '').length;
        }
        return 0;
    },
    exec : function(key) {
        key = key.toLowerCase();
        var self = this, cmd = self.cmd,
            changeFlag = _inArray(key, 'selectall,copy,paste,print'.split(',')) < 0;
        if (changeFlag) {
            self.addBookmark(false);
        }
        cmd[key].apply(cmd, _toArray(arguments, 1));
        if (changeFlag) {
            self.updateState();
            self.addBookmark(false);
            if (self.options.afterChange) {
                self.options.afterChange.call(self);
            }
        }
        return self;
    },
    insertHtml : function(val, quickMode) {
        if (!this.isCreated) {
            return this;
        }
        val = this.beforeSetHtml(val);
        this.exec('inserthtml', val, quickMode);
        return this;
    },
    appendHtml : function(val) {
        this.html(this.html() + val);
        if (this.isCreated) {
            var cmd = this.cmd;
            cmd.range.selectNodeContents(cmd.doc.body).collapse(false);
            cmd.select();
        }
        return this;
    },
    sync : function() {
        _elementVal(this.srcElement, this.html());
        return this;
    },
    focus : function() {
        this.isCreated ? this.edit.focus() : this.srcElement[0].focus();
        return this;
    },
    blur : function() {
        this.isCreated ? this.edit.blur() : this.srcElement[0].blur();
        return this;
    },
    addBookmark : function(checkSize) {
        checkSize = _undef(checkSize, true);
        var self = this, edit = self.edit,
            body = edit.doc.body,
            html = _removeTempTag(body.innerHTML), bookmark;
        if (checkSize && self._undoStack.length > 0) {
            var prev = self._undoStack[self._undoStack.length - 1];
            if (Math.abs(html.length - _removeBookmarkTag(prev.html).length) < self.minChangeSize) {
                return self;
            }
        }
        if (edit.designMode && !self._firstAddBookmark) {
            var range = self.cmd.range;
            bookmark = range.createBookmark(true);
            bookmark.html = _removeTempTag(body.innerHTML);
            range.moveToBookmark(bookmark);
        } else {
            bookmark = {
                html : html
            };
        }
        self._firstAddBookmark = false;
        _addBookmarkToStack(self._undoStack, bookmark);
        return self;
    },
    undo : function() {
        return _undoToRedo.call(this, this._undoStack, this._redoStack);
    },
    redo : function() {
        return _undoToRedo.call(this, this._redoStack, this._undoStack);
    },
    fullscreen : function(bool) {
        this.fullscreenMode = (bool === undefined ? !this.fullscreenMode : bool);
        this.addBookmark(false);
        return this.remove().create();
    },
    readonly : function(isReadonly) {
        isReadonly = _undef(isReadonly, true);
        var self = this, edit = self.edit, doc = edit.doc;
        if (self.designMode) {
            self.toolbar.disableAll(isReadonly, []);
        } else {
            _each(self.noDisableItems, function() {
                self.toolbar[isReadonly ? 'disable' : 'enable'](this);
            });
        }
        if (_IE) {
            doc.body.contentEditable = !isReadonly;
        } else {
            doc.designMode = isReadonly ? 'off' : 'on';
        }
        edit.textarea[0].disabled = isReadonly;
    },
    createMenu : function(options) {
        var self = this,
            name = options.name,
            knode = self.toolbar.get(name),
            pos = knode.pos();
        options.x = pos.x;
        options.y = pos.y + knode.height();
        options.z = self.options.zIndex;
        options.shadowMode = _undef(options.shadowMode, self.shadowMode);
        if (options.selectedColor !== undefined) {
            options.cls = 'ke-colorpicker-' + self.themeType;
            options.noColor = self.lang('noColor');
            self.menu = _colorpicker(options);
        } else {
            options.cls = 'ke-menu-' + self.themeType;
            options.centerLineMode = false;
            self.menu = _menu(options);
        }
        return self.menu;
    },
    hideMenu : function() {
        this.menu.remove();
        this.menu = null;
        return this;
    },
    hideContextmenu : function() {
        this.contextmenu.remove();
        this.contextmenu = null;
        return this;
    },
    createDialog : function(options) {
        var self = this, name = options.name;
        options.z = self.options.zIndex;
        options.shadowMode = _undef(options.shadowMode, self.shadowMode);
        options.closeBtn = _undef(options.closeBtn, {
            name : self.lang('close'),
            click : function(e) {
                self.hideDialog();
                if (_IE && self.cmd) {
                    self.cmd.select();
                }
            }
        });
        options.noBtn = _undef(options.noBtn, {
            name : self.lang(options.yesBtn ? 'no' : 'close'),
            click : function(e) {
                self.hideDialog();
                if (_IE && self.cmd) {
                    self.cmd.select();
                }
            }
        });
        if (self.dialogAlignType != 'page') {
            options.alignEl = self.container;
        }
        options.cls = 'ke-dialog-' + self.themeType;
        if (self.dialogs.length > 0) {
            var firstDialog = self.dialogs[0],
                parentDialog = self.dialogs[self.dialogs.length - 1];
            firstDialog.setMaskIndex(parentDialog.z + 2);
            options.z = parentDialog.z + 3;
            options.showMask = false;
        }
        var dialog = _dialog(options);
        self.dialogs.push(dialog);
        return dialog;
    },
    hideDialog : function() {
        var self = this;
        if (self.dialogs.length > 0) {
            self.dialogs.pop().remove();
        }
        if (self.dialogs.length > 0) {
            var firstDialog = self.dialogs[0],
                parentDialog = self.dialogs[self.dialogs.length - 1];
            firstDialog.setMaskIndex(parentDialog.z - 1);
        }
        return self;
    },
    errorDialog : function(html) {
        var self = this;
        var dialog = self.createDialog({
            width : 750,
            title : self.lang('uploadError'),
            body : '<div style="padding:10px 20px;"><iframe frameborder="0" style="width:708px;height:400px;"></iframe></div>'
        });
        var iframe = K('iframe', dialog.div), doc = K.iframeDoc(iframe);
        doc.open();
        doc.write(html);
        doc.close();
        K(doc.body).css('background-color', '#FFF');
        iframe[0].contentWindow.focus();
        return self;
    }
};
function _editor(options) {
    return new KEditor(options);
}
_instances = [];
function _create(expr, options) {
    options = options || {};
    options.basePath = _undef(options.basePath, K.basePath);
    options.themesPath = _undef(options.themesPath, options.basePath + 'themes/');
    options.langPath = _undef(options.langPath, options.basePath + 'lang/');
    options.pluginsPath = _undef(options.pluginsPath, options.basePath + 'plugins/');
    if (_undef(options.loadStyleMode, K.options.loadStyleMode)) {
        var themeType = _undef(options.themeType, K.options.themeType);
        _loadStyle(options.themesPath + 'default/default.css');
        _loadStyle(options.themesPath + themeType + '/' + themeType + '.css');
    }
    function create(editor) {
        _each(_plugins, function(name, fn) {
            if (_isFunction(fn)) {
                fn.call(editor, KindEditor);
            }
        });
        return editor.create();
    }
    var knode = K(expr);
    if (!knode || knode.length === 0) {
        return;
    }
    if (knode.length > 1) {
        knode.each(function() {
            _create(this, options);
        });
        return _instances[0];
    }
    options.srcElement = knode[0];
    var editor = new KEditor(options);
    _instances.push(editor);
    if (_language[editor.langType]) {
        return create(editor);
    }
    _loadScript(editor.langPath + editor.langType + '.js?ver=' + encodeURIComponent(K.DEBUG ? _TIME : _VERSION), function() {
        create(editor);
    });
    return editor;
}
function _eachEditor(expr, fn) {
    K(expr).each(function(i, el) {
        K.each(_instances, function(j, editor) {
            if (editor && editor.srcElement[0] == el) {
                fn.call(editor, j);
                return false;
            }
        });
    });
}
K.remove = function(expr) {
    _eachEditor(expr, function(i) {
        this.remove();
        _instances.splice(i, 1);
    });
};
K.sync = function(expr) {
    _eachEditor(expr, function() {
        this.sync();
    });
};
K.html = function(expr, val) {
    _eachEditor(expr, function() {
        this.html(val);
    });
};
K.insertHtml = function(expr, val) {
    _eachEditor(expr, function() {
        this.insertHtml(val);
    });
};
K.appendHtml = function(expr, val) {
    _eachEditor(expr, function() {
        this.appendHtml(val);
    });
};
if (_IE && _V < 7) {
    _nativeCommand(document, 'BackgroundImageCache', true);
}
K.EditorClass = KEditor;
K.editor = _editor;
K.create = _create;
K.instances = _instances;
K.plugin = _plugin;
K.lang = _lang;
_plugin('core', function(K) {
    var self = this,
        shortcutKeys = {
            undo : 'Z', redo : 'Y', bold : 'B', italic : 'I', underline : 'U', print : 'P', selectall : 'A'
        };
    self.afterSetHtml(function() {
        if (self.options.afterChange) {
            self.options.afterChange.call(self);
        }
    });
    self.afterCreate(function() {
        if (self.syncType != 'form') {
            return;
        }
        var el = K(self.srcElement), hasForm = false;
        while ((el = el.parent())) {
            if (el.name == 'form') {
                hasForm = true;
                break;
            }
        }
        if (hasForm) {
            el.bind('submit', function(e) {
                self.sync();
                K(window).bind('unload', function() {
                    self.edit.textarea.remove();
                });
            });
            var resetBtn = K('[type="reset"]', el);
            resetBtn.click(function() {
                self.html(self.initContent);
                self.cmd.selection();
            });
            self.beforeRemove(function() {
                el.unbind();
                resetBtn.unbind();
            });
        }
    });
    self.clickToolbar('source', function() {
        if (self.edit.designMode) {
            self.toolbar.disableAll(true);
            self.edit.design(false);
            self.toolbar.select('source');
        } else {
            self.toolbar.disableAll(false);
            self.edit.design(true);
            self.toolbar.unselect('source');
            if (_GECKO) {
                setTimeout(function() {
                    self.cmd.selection();
                }, 0);
            } else {
                self.cmd.selection();
            }
        }
        self.designMode = self.edit.designMode;
    });
    self.afterCreate(function() {
        if (!self.designMode) {
            self.toolbar.disableAll(true).select('source');
        }
    });
    self.clickToolbar('fullscreen', function() {
        self.fullscreen();
    });
    if (self.fullscreenShortcut) {
        var loaded = false;
        self.afterCreate(function() {
            K(self.edit.doc, self.edit.textarea).keyup(function(e) {
                if (e.which == 27) {
                    setTimeout(function() {
                        self.fullscreen();
                    }, 0);
                }
            });
            if (loaded) {
                if (_IE && !self.designMode) {
                    return;
                }
                self.focus();
            }
            if (!loaded) {
                loaded = true;
            }
        });
    }
    _each('undo,redo'.split(','), function(i, name) {
        if (shortcutKeys[name]) {
            self.afterCreate(function() {
                _ctrl(this.edit.doc, shortcutKeys[name], function() {
                    self.clickToolbar(name);
                });
            });
        }
        self.clickToolbar(name, function() {
            self[name]();
        });
    });
    self.clickToolbar('formatblock', function() {
        var blocks = self.lang('formatblock.formatBlock'),
            heights = {
                h1 : 28,
                h2 : 24,
                h3 : 18,
                H4 : 14,
                p : 12
            },
            curVal = self.cmd.val('formatblock'),
            menu = self.createMenu({
                name : 'formatblock',
                width : self.langType == 'en' ? 200 : 150
            });
        _each(blocks, function(key, val) {
            var style = 'font-size:' + heights[key] + 'px;';
            if (key.charAt(0) === 'h') {
                style += 'font-weight:bold;';
            }
            menu.addItem({
                title : '<span style="' + style + '" unselectable="on">' + val + '</span>',
                height : heights[key] + 12,
                checked : (curVal === key || curVal === val),
                click : function() {
                    self.select().exec('formatblock', '<' + key + '>').hideMenu();
                }
            });
        });
    });
    self.clickToolbar('fontname', function() {
        var curVal = self.cmd.val('fontname'),
            menu = self.createMenu({
                name : 'fontname',
                width : 150
            });
        _each(self.lang('fontname.fontName'), function(key, val) {
            menu.addItem({
                title : '<span style="font-family: ' + key + ';" unselectable="on">' + val + '</span>',
                checked : (curVal === key.toLowerCase() || curVal === val.toLowerCase()),
                click : function() {
                    self.exec('fontname', key).hideMenu();
                }
            });
        });
    });
    self.clickToolbar('fontsize', function() {
        var curVal = self.cmd.val('fontsize'),
            menu = self.createMenu({
                name : 'fontsize',
                width : 150
            });
        _each(self.fontSizeTable, function(i, val) {
            menu.addItem({
                title : '<span style="font-size:' + val + ';" unselectable="on">' + val + '</span>',
                height : _removeUnit(val) + 12,
                checked : curVal === val,
                click : function() {
                    self.exec('fontsize', val).hideMenu();
                }
            });
        });
    });
    _each('forecolor,hilitecolor'.split(','), function(i, name) {
        self.clickToolbar(name, function() {
            self.createMenu({
                name : name,
                selectedColor : self.cmd.val(name) || 'default',
                colors : self.colorTable,
                click : function(color) {
                    self.exec(name, color).hideMenu();
                }
            });
        });
    });
    _each(('cut,copy,paste').split(','), function(i, name) {
        self.clickToolbar(name, function() {
            self.focus();
            try {
                self.exec(name, null);
            } catch(e) {
                alert(self.lang(name + 'Error'));
            }
        });
    });
    self.clickToolbar('about', function() {
        var html = '<div style="margin:20px;">' +
            '<div>KindEditor ' + _VERSION + '</div>' +
            '<div>Copyright &copy; <a href="http://www.kindsoft.net/" target="_blank">kindsoft.net</a> All rights reserved.</div>' +
            '</div>';
        self.createDialog({
            name : 'about',
            width : 350,
            title : self.lang('about'),
            body : html
        });
    });
    self.plugin.getSelectedLink = function() {
        return self.cmd.commonAncestor('a');
    };
    self.plugin.getSelectedImage = function() {
        return _getImageFromRange(self.edit.cmd.range, function(img) {
            return !/^ke-\w+$/i.test(img[0].className);
        });
    };
    self.plugin.getSelectedFlash = function() {
        return _getImageFromRange(self.edit.cmd.range, function(img) {
            return img[0].className == 'ke-flash';
        });
    };
    self.plugin.getSelectedMedia = function() {
        return _getImageFromRange(self.edit.cmd.range, function(img) {
            return img[0].className == 'ke-media' || img[0].className == 'ke-rm';
        });
    };
    self.plugin.getSelectedAnchor = function() {
        return _getImageFromRange(self.edit.cmd.range, function(img) {
            return img[0].className == 'ke-anchor';
        });
    };
    _each('link,image,flash,media,anchor'.split(','), function(i, name) {
        var uName = name.charAt(0).toUpperCase() + name.substr(1);
        _each('edit,delete'.split(','), function(j, val) {
            self.addContextmenu({
                title : self.lang(val + uName),
                click : function() {
                    self.loadPlugin(name, function() {
                        self.plugin[name][val]();
                        self.hideMenu();
                    });
                },
                cond : self.plugin['getSelected' + uName],
                width : 150,
                iconClass : val == 'edit' ? 'ke-icon-' + name : undefined
            });
        });
        self.addContextmenu({ title : '-' });
    });
    self.plugin.getSelectedTable = function() {
        return self.cmd.commonAncestor('table');
    };
    self.plugin.getSelectedRow = function() {
        return self.cmd.commonAncestor('tr');
    };
    self.plugin.getSelectedCell = function() {
        return self.cmd.commonAncestor('td');
    };
    _each(('prop,cellprop,colinsertleft,colinsertright,rowinsertabove,rowinsertbelow,rowmerge,colmerge,' +
    'rowsplit,colsplit,coldelete,rowdelete,insert,delete').split(','), function(i, val) {
        var cond = _inArray(val, ['prop', 'delete']) < 0 ? self.plugin.getSelectedCell : self.plugin.getSelectedTable;
        self.addContextmenu({
            title : self.lang('table' + val),
            click : function() {
                self.loadPlugin('table', function() {
                    self.plugin.table[val]();
                    self.hideMenu();
                });
            },
            cond : cond,
            width : 170,
            iconClass : 'ke-icon-table' + val
        });
    });
    self.addContextmenu({ title : '-' });
    _each(('selectall,justifyleft,justifycenter,justifyright,justifyfull,insertorderedlist,' +
        'insertunorderedlist,indent,outdent,subscript,superscript,hr,print,' +
        'bold,italic,underline,strikethrough,removeformat,unlink').split(','), function(i, name) {
        if (shortcutKeys[name]) {
            self.afterCreate(function() {
                _ctrl(this.edit.doc, shortcutKeys[name], function() {
                    self.cmd.selection();
                    self.clickToolbar(name);
                });
            });
        }
        self.clickToolbar(name, function() {
            self.focus().exec(name, null);
        });
    });
    self.afterCreate(function() {
        var doc = self.edit.doc, cmd, bookmark, div,
            cls = '__kindeditor_paste__', pasting = false;
        function movePastedData() {
            cmd.range.moveToBookmark(bookmark);
            cmd.select();
            if (_WEBKIT) {
                K('div.' + cls, div).each(function() {
                    K(this).after('<br />').remove(true);
                });
                K('span.Apple-style-span', div).remove(true);
                K('span.Apple-tab-span', div).remove(true);
                K('span[style]', div).each(function() {
                    if (K(this).css('white-space') == 'nowrap') {
                        K(this).remove(true);
                    }
                });
                K('meta', div).remove();
            }
            var html = div[0].innerHTML;
            div.remove();
            if (html === '') {
                return;
            }
            if (_WEBKIT) {
                html = html.replace(/(<br>)\1/ig, '$1');
            }
            if (self.pasteType === 2) {
                html = html.replace(/(<(?:p|p\s[^>]*)>) *(<\/p>)/ig, '');
                if (/schemas-microsoft-com|worddocument|mso-\w+/i.test(html)) {
                    html = _clearMsWord(html, self.filterMode ? self.htmlTags : K.options.htmlTags);
                } else {
                    html = _formatHtml(html, self.filterMode ? self.htmlTags : null);
                    html = self.beforeSetHtml(html);
                }
            }
            if (self.pasteType === 1) {
                html = html.replace(/&nbsp;/ig, ' ');
                html = html.replace(/\n\s*\n/g, '\n');
                html = html.replace(/<br[^>]*>/ig, '\n');
                html = html.replace(/<\/p><p[^>]*>/ig, '\n');
                html = html.replace(/<[^>]+>/g, '');
                html = html.replace(/ {2}/g, ' &nbsp;');
                if (self.newlineTag == 'p') {
                    if (/\n/.test(html)) {
                        html = html.replace(/^/, '<p>').replace(/$/, '<br /></p>').replace(/\n/g, '<br /></p><p>');
                    }
                } else {
                    html = html.replace(/\n/g, '<br />$&');
                }
            }
            self.insertHtml(html, true);
        }
        
        
        
        K(doc.body).bind('paste', function(e){
            var imgReader = function( item ){
                var blob = item.getAsFile(),
                    reader = new FileReader();
             // 读取文件后将其显示在网页中
                reader.onload = function( e ){
                    var img = new Image();
                        
                    img.src = e.target.result;
                 
                    $("#imgSrc").val(img.src);
                      var loc =window.location.href;
                      var url=loc.substring(0,loc.indexOf("matrix-web")+11)+"admin/uploadFile/base64Image2Png";
                     // var url="http://127.0.0.1:8080/matrix-web/admin/base64Image/imgSrc";
                      console.log(url);
                    $.AjaxProxy({a : false,c : false,p:{base64Image:img.src}}).invoke(url,function(loj){
                         self.insertHtml("<img src='"+loj.attr("result").info+"' >", true);    
                    })
                };
                // 读取文件
                reader.readAsDataURL( blob );
            };
            
            
             //添加到事件对象中的访问系统剪贴板的接口
            var clipboardData = e.event.clipboardData,
                i = 0,
                items, item, types;
 
            if( clipboardData ){
                items = clipboardData.items;
 
                if( !items ){
                    return;
                }
 
                item = items[0];
                // 保存在剪贴板中的数据类型
                types = clipboardData.types || [];
 
                for( ; i < types.length; i++ ){
                    if( types[i] === 'Files' ){
                        item = items[i];
                        break;
                    }
                }
                // 判断是否为图片数据
                if( item && item.kind === 'file' && item.type.match(/^image\//i) ){
                     // 读取该图片      
                    imgReader( item );
                }
            }
            
            
            
             if (self.pasteType === 0) {
                e.stop();
                return;
            }
            if (pasting) {
                return;
            }
            pasting = true;
            K('div.' + cls, doc).remove();
            cmd = self.cmd.selection();
            bookmark = cmd.range.createBookmark();
            div = K('<div class="' + cls + '"></div>', doc).css({
                position : 'absolute',
                width : '1px',
                height : '1px',
                overflow : 'hidden',
                left : '-1981px',
                top : K(bookmark.start).pos().y + 'px',
                'white-space' : 'nowrap'
            });
            K(doc.body).append(div);
            if (_IE) {
                var rng = cmd.range.get(true);
                rng.moveToElementText(div[0]);
                rng.select();
                rng.execCommand('paste');
                e.preventDefault();
            } else {
                cmd.range.selectNodeContents(div[0]);
                cmd.select();
            }
            setTimeout(function() {
                movePastedData();
                pasting = false;
            }, 0);
        });
    });
    self.beforeGetHtml(function(html) {
        if (_IE && _V <= 8) {
            html = html.replace(/<div\s+[^>]*data-ke-input-tag="([^"]*)"[^>]*>([\s\S]*?)<\/div>/ig, function(full, tag) {
                return unescape(tag);
            });
            html = html.replace(/(<input )((?:\s+[^>]*)?>)/ig, function($0, $1, $2) {
                if (!/\s+type="[^"]+"/i.test($0)) {
                    return $1 + ' type="text"' + $2;
                }
                return $0;
            });
        }
        return html.replace(/(<(?:noscript|noscript\s[^>]*)>)([\s\S]*?)(<\/noscript>)/ig, function($0, $1, $2, $3) {
            return $1 + _unescape($2).replace(/\s+/g, ' ') + $3;
        })
        .replace(/<img[^>]*class="?ke-(flash|rm|media)"?[^>]*>/ig, function(full) {
            var imgAttrs = _getAttrList(full);
            var styles = _getCssList(imgAttrs.style || '');
            var attrs = _mediaAttrs(imgAttrs['data-ke-tag']);
            var width = _undef(styles.width, '');
            var height = _undef(styles.height, '');
            if (/px/i.test(width)) {
                width = _removeUnit(width);
            }
            if (/px/i.test(height)) {
                height = _removeUnit(height);
            }
            attrs.width = _undef(imgAttrs.width, width);
            attrs.height = _undef(imgAttrs.height, height);
            return _mediaEmbed(attrs);
        })
        .replace(/<img[^>]*class="?ke-anchor"?[^>]*>/ig, function(full) {
            var imgAttrs = _getAttrList(full);
            return '<a name="' + unescape(imgAttrs['data-ke-name']) + '"></a>';
        })
        .replace(/<div\s+[^>]*data-ke-script-attr="([^"]*)"[^>]*>([\s\S]*?)<\/div>/ig, function(full, attr, code) {
            return '<script' + unescape(attr) + '>' + unescape(code) + '</script>';
        })
        .replace(/<div\s+[^>]*data-ke-noscript-attr="([^"]*)"[^>]*>([\s\S]*?)<\/div>/ig, function(full, attr, code) {
            return '<noscript' + unescape(attr) + '>' + unescape(code) + '</noscript>';
        })
        .replace(/(<[^>]*)data-ke-src="([^"]*)"([^>]*>)/ig, function(full, start, src, end) {
            full = full.replace(/(\s+(?:href|src)=")[^"]*(")/i, function($0, $1, $2) {
                return $1 + _unescape(src) + $2;
            });
            full = full.replace(/\s+data-ke-src="[^"]*"/i, '');
            return full;
        })
        .replace(/(<[^>]+\s)data-ke-(on\w+="[^"]*"[^>]*>)/ig, function(full, start, end) {
            return start + end;
        });
    });
    self.beforeSetHtml(function(html) {
        if (_IE && _V <= 8) {
            html = html.replace(/<input [^>]*>|<(select|button)[^>]*>[\s\S]*?<\/\1>/ig, function(full) {
                var attrs = _getAttrList(full);
                var styles = _getCssList(attrs.style || '');
                if (styles.display == 'none') {
                    return '<div class="ke-display-none" data-ke-input-tag="' + escape(full) + '"></div>';
                }
                return full;
            });
        }
        return html.replace(/<embed[^>]*type="([^"]+)"[^>]*>(?:<\/embed>)?/ig, function(full) {
            var attrs = _getAttrList(full);
            attrs.src = _undef(attrs.src, '');
            attrs.width = _undef(attrs.width, 0);
            attrs.height = _undef(attrs.height, 0);
            return _mediaImg(self.themesPath + 'common/blank.gif', attrs);
        })
        .replace(/<a[^>]*name="([^"]+)"[^>]*>(?:<\/a>)?/ig, function(full) {
            var attrs = _getAttrList(full);
            if (attrs.href !== undefined) {
                return full;
            }
            return '<img class="ke-anchor" src="' + self.themesPath + 'common/anchor.gif" data-ke-name="' + escape(attrs.name) + '" />';
        })
        .replace(/<script([^>]*)>([\s\S]*?)<\/script>/ig, function(full, attr, code) {
            return '<div class="ke-script" data-ke-script-attr="' + escape(attr) + '">' + escape(code) + '</div>';
        })
        .replace(/<noscript([^>]*)>([\s\S]*?)<\/noscript>/ig, function(full, attr, code) {
            return '<div class="ke-noscript" data-ke-noscript-attr="' + escape(attr) + '">' + escape(code) + '</div>';
        })
        .replace(/(<[^>]*)(href|src)="([^"]*)"([^>]*>)/ig, function(full, start, key, src, end) {
            if (full.match(/\sdata-ke-src="[^"]*"/i)) {
                return full;
            }
            full = start + key + '="' + src + '"' + ' data-ke-src="' + _escape(src) + '"' + end;
            return full;
        })
        .replace(/(<[^>]+\s)(on\w+="[^"]*"[^>]*>)/ig, function(full, start, end) {
            return start + 'data-ke-' + end;
        })
        .replace(/<table[^>]*\s+border="0"[^>]*>/ig, function(full) {
            if (full.indexOf('ke-zeroborder') >= 0) {
                return full;
            }
            return _addClassToTag(full, 'ke-zeroborder');
        });
    });
});
})(window);