emojionearea.js
90.4 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
/*!
* EmojioneArea v3.3.1
* https://github.com/mervick/emojionearea
* Copyright Andrey Izman and other contributors
* Released under the MIT license
* Date: 2018-01-18T00:05Z
*/
window = ( typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {} );
document = window.document || {};
; ( function ( factory, global ) {
if ( typeof require === "function" && typeof exports === "object" && typeof module === "object" ) {
// CommonJS
factory( require( "jquery" ) );
} else if ( typeof define === "function" && define.amd ) {
// AMD
define( [ "jquery" ], factory );
} else {
// Normal script tag
factory( global.jQuery );
}
}( function ( $ ) {
"use strict";
var unique = 0;
var eventStorage = {};
var possibleEvents = {};
var emojione = window.emojione;
var readyCallbacks = [];
function emojioneReady (fn) {
if (emojione) {
fn();
} else {
readyCallbacks.push(fn);
}
};
var blankImg = 'data:image/gif;base64,R0lGODlhAQABAJH/AP///wAAAMDAwAAAACH5BAEAAAIALAAAAAABAAEAAAICVAEAOw==';
var slice = [].slice;
var css_class = "emojionearea";
var emojioneSupportMode = 0;
var invisibleChar = '​';
function trigger(self, event, args) {
var result = true, j = 1;
if (event) {
event = event.toLowerCase();
do {
var _event = j==1 ? '@' + event : event;
if (eventStorage[self.id][_event] && eventStorage[self.id][_event].length) {
$.each(eventStorage[self.id][_event], function (i, fn) {
return result = fn.apply(self, args|| []) !== false;
});
}
} while (result && !!j--);
}
return result;
}
function attach(self, element, events, target) {
target = target || function (event, callerEvent) { return $(callerEvent.currentTarget) };
$.each(events, function(event, link) {
event = $.isArray(events) ? link : event;
(possibleEvents[self.id][link] || (possibleEvents[self.id][link] = []))
.push([element, event, target]);
});
}
function getTemplate(template, unicode, shortname) {
var imageType = emojione.imageType, imagePath;
if (imageType=='svg'){
imagePath = emojione.imagePathSVG;
} else {
imagePath = emojione.imagePathPNG;
}
var friendlyName = '';
if (shortname) {
friendlyName = shortname.substr(1, shortname.length - 2).replace(/_/g, ' ').replace(/\w\S*/g, function(txt) { return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();});
}
var fname = '';
if (unicode.uc_base && emojioneSupportMode > 4) {
fname = unicode.uc_base;
unicode = unicode.uc_output.toUpperCase();
} else {
fname = unicode;
}
return template
.replace('{name}', shortname || '')
.replace('{friendlyName}', friendlyName)
.replace('{img}', imagePath + (emojioneSupportMode < 2 ? fname.toUpperCase() : fname) + '.' + imageType)
.replace('{uni}', unicode)
.replace('{alt}', emojione.convert(unicode));
};
function shortnameTo(str, template, clear) {
return str.replace(/:?\+?[\w_\-]+:?/g, function(shortname) {
shortname = ":" + shortname.replace(/:$/,'').replace(/^:/,'') + ":";
var unicode = emojione.emojioneList[shortname];
if (unicode) {
if (emojioneSupportMode > 4) {
return getTemplate(template, unicode, shortname);
} else {
if (emojioneSupportMode > 3) unicode = unicode.unicode;
return getTemplate(template, unicode[unicode.length-1], shortname);
}
}
return clear ? '' : shortname;
});
};
function pasteHtmlAtCaret(html) {
var sel, range;
if (window.getSelection) {
sel = window.getSelection();
if (sel.getRangeAt && sel.rangeCount) {
range = sel.getRangeAt(0);
range.deleteContents();
var el = document.createElement("div");
el.innerHTML = html;
var frag = document.createDocumentFragment(), node, lastNode;
while ( (node = el.firstChild) ) {
lastNode = frag.appendChild(node);
}
range.insertNode(frag);
if (lastNode) {
range = range.cloneRange();
range.setStartAfter(lastNode);
range.collapse(true);
sel.removeAllRanges();
sel.addRange(range);
}
}
} else if (document.selection && document.selection.type != "Control") {
document.selection.createRange().pasteHTML(html);
}
}
function getEmojioneVersion() {
return window.emojioneVersion || '3.1.2';
};
function isObject(variable) {
return typeof variable === 'object';
};
function detectVersion(emojione) {
var version;
if (emojione.cacheBustParam) {
version = emojione.cacheBustParam;
if (!isObject(emojione['jsEscapeMap'])) return '1.5.2';
if (version === "?v=1.2.4") return '2.0.0';
if (version === "?v=2.0.1") return '2.1.0'; // v2.0.1 || v2.1.0
if (version === "?v=2.1.1") return '2.1.1';
if (version === "?v=2.1.2") return '2.1.2';
if (version === "?v=2.1.3") return '2.1.3';
if (version === "?v=2.1.4") return '2.1.4';
if (version === "?v=2.2.7") return '2.2.7';
return '2.2.7';
} else {
return emojione.emojiVersion;
}
};
function getSupportMode(version) {
switch (version) {
case '1.5.2': return 0;
case '2.0.0': return 1;
case '2.1.0':
case '2.1.1': return 2;
case '2.1.2': return 3;
case '2.1.3':
case '2.1.4':
case '2.2.7': return 4;
case '3.0.1':
case '3.0.2':
case '3.0.3':
case '3.0': return 5;
case '3.1.0':
case '3.1.1':
case '3.1.2':
case '3.1':
default: return 6;
}
};
function getDefaultOptions () {
if ($.fn.emojioneArea && $.fn.emojioneArea.defaults) {
return $.fn.emojioneArea.defaults;
}
var defaultOptions = {
attributes: {
dir : "ltr",
spellcheck : false,
autocomplete : "off",
autocorrect : "off",
autocapitalize : "off",
},
search : true,
placeholder : null,
emojiPlaceholder : ":smiley:",
searchPlaceholder : "SEARCH",
container : null,
hideSource : true,
shortnames : true,
sprite : true,
pickerPosition : "top", // top | bottom | right
filtersPosition : "top", // top | bottom
hidePickerOnBlur : true,
buttonTitle : "Use the TAB key to insert emoji faster",
tones : true,
tonesStyle : "bullet", // bullet | radio | square | checkbox
inline : null, // null - auto
saveEmojisAs : "unicode", // unicode | shortname | image
shortcuts : true,
autocomplete : true,
autocompleteTones : false,
standalone : false,
useInternalCDN : true, // Use the self loading mechanism
imageType : "png", // Default image type used by internal CDN
recentEmojis : true,
textcomplete: {
maxCount : 15,
placement : null // null - default | top | absleft | absright
}
};
var supportMode = !emojione ? getSupportMode(getEmojioneVersion()) : getSupportMode(detectVersion(emojione));
if (supportMode > 4) {
defaultOptions.filters = {
tones: {
title: "Diversity",
emoji: "open_hands raised_hands clap pray thumbsup thumbsdown punch fist left_facing_fist right_facing_fist " +
"fingers_crossed v metal ok_hand point_left point_right point_up_2 point_down point_up raised_hand " +
"raised_back_of_hand hand_splayed vulcan wave call_me muscle middle_finger writing_hand selfie nail_care ear " +
"nose baby boy girl man woman blond-haired_woman blond_haired_person blond-haired_man older_man older_woman " +
"man_with_chinese_cap woman_wearing_turban person_wearing_turban man_wearing_turban woman_police_officer " +
"police_officer man_police_officer woman_construction_worker construction_worker man_construction_worker " +
"woman_guard guard man_guard woman_detective detective man_detective woman_health_worker man_health_worker " +
"woman_farmer man_farmer woman_cook man_cook woman_student man_student woman_singer man_singer woman_teacher " +
"man_teacher woman_factory_worker man_factory_worker woman_technologist man_technologist woman_office_worker " +
"man_office_worker woman_mechanic man_mechanic woman_scientist man_scientist woman_artist man_artist " +
"woman_firefighter man_firefighter woman_pilot man_pilot woman_astronaut man_astronaut woman_judge " +
"man_judge mrs_claus santa princess prince bride_with_veil man_in_tuxedo angel pregnant_woman woman_bowing " +
"person_bowing man_bowing person_tipping_hand man_tipping_hand woman_tipping_hand person_gesturing_no " +
"man_gesturing_no woman_gesturing_no person_gesturing_ok man_gesturing_ok woman_gesturing_ok " +
"person_raising_hand man_raising_hand woman_raising_hand woman_facepalming man_facepalming person_facepalming " +
"woman_shrugging man_shrugging person_shrugging person_pouting man_pouting woman_pouting person_frowning " +
"man_frowning woman_frowning person_getting_haircut man_getting_haircut woman_getting_haircut " +
"person_getting_massage man_getting_face_massage woman_getting_face_massage levitate dancer man_dancing " +
"woman_walking person_walking man_walking woman_running person_running man_running adult child older_adult " +
"bearded_person woman_with_headscarf mage fairy vampire merperson elf love_you_gesture palms_up_together " +
"woman_mage man_mage woman_fairy man_fairy woman_vampire man_vampire mermaid merman woman_elf man_elf " +
"snowboarder woman_lifting_weights person_lifting_weights man_lifting_weights woman_cartwheeling " +
"man_cartwheeling person_doing_cartwheel woman_bouncing_ball person_bouncing_ball man_bouncing_ball " +
"woman_playing_handball man_playing_handball person_playing_handball woman_golfing person_golfing man_golfing " +
"woman_surfing person_surfing man_surfing woman_swimming person_swimming man_swimming woman_playing_water_polo " +
"man_playing_water_polo person_playing_water_polo woman_rowing_boat person_rowing_boat man_rowing_boat " +
"horse_racing woman_biking person_biking man_biking woman_mountain_biking person_mountain_biking " +
"man_mountain_biking woman_juggling man_juggling person_juggling breast_feeding person_in_steamy_room " +
"person_climbing person_in_lotus_position woman_in_steamy_room man_in_steamy_room woman_climbing " +
"man_climbing woman_in_lotus_position man_in_lotus_position bath sleeping_accommodation"
},
recent: {
icon: "clock3",
title: "Recent",
emoji: ""
},
smileys_people: {
icon: "yum",
title: "Smileys & People",
emoji: "grinning smiley smile grin laughing sweat_smile joy rofl relaxed blush innocent slight_smile upside_down " +
"wink relieved heart_eyes kissing_heart kissing kissing_smiling_eyes kissing_closed_eyes yum " +
"stuck_out_tongue_winking_eye stuck_out_tongue_closed_eyes stuck_out_tongue money_mouth hugging nerd sunglasses " +
"clown cowboy smirk unamused disappointed pensive worried confused slight_frown frowning2 persevere confounded " +
"tired_face weary triumph angry rage no_mouth neutral_face expressionless hushed frowning anguished open_mouth " +
"astonished dizzy_face flushed scream fearful cold_sweat cry disappointed_relieved drooling_face sob sweat sleepy " +
"sleeping rolling_eyes thinking lying_face grimacing zipper_mouth nauseated_face sneezing_face mask thermometer_face " +
"head_bandage smiling_imp imp japanese_ogre japanese_goblin poop ghost skull skull_crossbones alien space_invader " +
"robot jack_o_lantern smiley_cat smile_cat joy_cat heart_eyes_cat smirk_cat kissing_cat scream_cat crying_cat_face " +
"pouting_cat open_hands raised_hands clap pray handshake thumbsup thumbsdown punch fist left_facing_fist " +
"right_facing_fist fingers_crossed v metal ok_hand point_left point_right point_up_2 point_down point_up " +
"raised_hand raised_back_of_hand hand_splayed vulcan wave call_me muscle middle_finger writing_hand selfie " +
"nail_care ring lipstick kiss lips tongue ear nose footprints eye eyes speaking_head bust_in_silhouette " +
"busts_in_silhouette baby boy girl man woman blond-haired_woman blond_haired_person older_man older_woman " +
"man_with_chinese_cap woman_wearing_turban person_wearing_turban woman_police_officer police_officer " +
"woman_construction_worker construction_worker woman_guard guard woman_detective detective woman_health_worker " +
"man_health_worker woman_farmer man_farmer woman_cook man_cook woman_student man_student woman_singer man_singer " +
"woman_teacher man_teacher woman_factory_worker man_factory_worker woman_technologist man_technologist " +
"woman_office_worker man_office_worker woman_mechanic man_mechanic woman_scientist man_scientist woman_artist " +
"man_artist woman_firefighter man_firefighter woman_pilot man_pilot woman_astronaut man_astronaut woman_judge " +
"man_judge mrs_claus santa princess prince bride_with_veil man_in_tuxedo angel pregnant_woman woman_bowing " +
"person_bowing person_tipping_hand man_tipping_hand person_gesturing_no man_gesturing_no person_gesturing_ok " +
"man_gesturing_ok person_raising_hand man_raising_hand woman_facepalming man_facepalming woman_shrugging " +
"man_shrugging person_pouting man_pouting person_frowning man_frowning person_getting_haircut man_getting_haircut " +
"person_getting_massage man_getting_face_massage levitate dancer man_dancing people_with_bunny_ears_partying " +
"men_with_bunny_ears_partying woman_walking person_walking woman_running person_running couple two_women_holding_hands " +
"two_men_holding_hands couple_with_heart couple_ww couple_mm couplekiss kiss_ww kiss_mm family family_mwg family_mwgb " +
"family_mwbb family_mwgg family_wwb family_wwg family_wwgb family_wwbb family_wwgg family_mmb family_mmg family_mmgb " +
"family_mmbb family_mmgg family_woman_boy family_woman_girl family_woman_girl_boy family_woman_boy_boy " +
"family_woman_girl_girl family_man_boy family_man_girl family_man_girl_boy family_man_boy_boy family_man_girl_girl " +
"womans_clothes shirt jeans necktie dress bikini kimono high_heel sandal boot mans_shoe athletic_shoe womans_hat " +
"tophat mortar_board crown helmet_with_cross school_satchel pouch purse handbag briefcase eyeglasses dark_sunglasses " +
"closed_umbrella umbrella2 face_with_raised_eyebrow star_struck crazy_face shushing_face face_with_symbols_over_mouth " +
"face_with_hand_over_mouth face_vomiting exploding_head face_with_monocle adult child older_adult bearded_person " +
"woman_with_headscarf brain billed_cap scarf gloves coat socks love_you_gesture palms_up_together woman_mage " +
"man_mage woman_fairy man_fairy woman_vampire man_vampire mermaid merman woman_elf man_elf woman_genie man_genie " +
"woman_zombie man_zombie"
},
animals_nature: {
icon: "hamster",
title: "Animals & Nature",
emoji: "dog cat mouse hamster rabbit fox bear panda_face koala tiger lion_face cow pig pig_nose frog monkey_face see_no_evil " +
"hear_no_evil speak_no_evil monkey chicken penguin bird baby_chick hatching_chick hatched_chick duck eagle owl bat wolf boar " +
"horse unicorn bee bug butterfly snail shell beetle ant spider spider_web turtle snake lizard scorpion crab squid octopus shrimp " +
"tropical_fish fish blowfish dolphin shark whale whale2 crocodile leopard tiger2 water_buffalo ox cow2 deer dromedary_camel camel " +
"elephant rhino gorilla racehorse pig2 goat ram sheep dog2 poodle cat2 rooster turkey dove rabbit2 mouse2 rat chipmunk feet " +
"dragon dragon_face cactus christmas_tree evergreen_tree deciduous_tree palm_tree seedling herb shamrock four_leaf_clover " +
"bamboo tanabata_tree leaves fallen_leaf maple_leaf mushroom ear_of_rice bouquet tulip rose wilted_rose sunflower blossom " +
"cherry_blossom hibiscus earth_americas earth_africa earth_asia full_moon waning_gibbous_moon last_quarter_moon " +
"waning_crescent_moon new_moon waxing_crescent_moon first_quarter_moon waxing_gibbous_moon new_moon_with_face " +
"full_moon_with_face sun_with_face first_quarter_moon_with_face last_quarter_moon_with_face crescent_moon dizzy star star2 " +
"sparkles zap fire boom comet sunny white_sun_small_cloud partly_sunny white_sun_cloud white_sun_rain_cloud rainbow cloud " +
"cloud_rain thunder_cloud_rain cloud_lightning cloud_snow snowman2 snowman snowflake wind_blowing_face dash cloud_tornado " +
"fog ocean droplet sweat_drops umbrella giraffe zebra hedgehog sauropod t_rex cricket"
},
food_drink: {
icon: "pizza",
title: "Food & Drink",
emoji: "green_apple apple pear tangerine lemon banana watermelon grapes strawberry melon cherries peach pineapple kiwi " +
"avocado tomato eggplant cucumber carrot corn hot_pepper potato sweet_potato chestnut peanuts honey_pot croissant " +
"bread french_bread cheese egg cooking bacon pancakes fried_shrimp poultry_leg meat_on_bone pizza hotdog hamburger " +
"fries stuffed_flatbread taco burrito salad shallow_pan_of_food spaghetti ramen stew fish_cake sushi bento curry " +
"rice_ball rice rice_cracker oden dango shaved_ice ice_cream icecream cake birthday custard lollipop candy " +
"chocolate_bar popcorn doughnut cookie milk baby_bottle coffee tea sake beer beers champagne_glass wine_glass " +
"tumbler_glass cocktail tropical_drink champagne spoon fork_and_knife fork_knife_plate dumpling fortune_cookie " +
"takeout_box chopsticks bowl_with_spoon cup_with_straw coconut broccoli pie pretzel cut_of_meat sandwich canned_food"
},
activity: {
icon: "basketball",
title: "Activity",
emoji: "soccer basketball football baseball tennis volleyball rugby_football 8ball ping_pong badminton goal hockey field_hockey " +
"cricket_game golf bow_and_arrow fishing_pole_and_fish boxing_glove martial_arts_uniform ice_skate ski skier snowboarder " +
"woman_lifting_weights person_lifting_weights person_fencing women_wrestling men_wrestling woman_cartwheeling " +
"man_cartwheeling woman_bouncing_ball person_bouncing_ball woman_playing_handball man_playing_handball woman_golfing " +
"person_golfing woman_surfing person_surfing woman_swimming person_swimming woman_playing_water_polo " +
"man_playing_water_polo woman_rowing_boat person_rowing_boat horse_racing woman_biking person_biking " +
"woman_mountain_biking person_mountain_biking running_shirt_with_sash medal military_medal first_place second_place " +
"third_place trophy rosette reminder_ribbon ticket tickets circus_tent woman_juggling man_juggling performing_arts art " +
"clapper microphone headphones musical_score musical_keyboard drum saxophone trumpet guitar violin game_die dart bowling " +
"video_game slot_machine sled breast_feeding curling_stone woman_in_steamy_room man_in_steamy_room woman_climbing " +
"man_climbing woman_in_lotus_position man_in_lotus_position"
},
travel_places: {
icon: "rocket",
title: "Travel & Places",
emoji: "red_car taxi blue_car bus trolleybus race_car police_car ambulance fire_engine minibus truck articulated_lorry tractor " +
"scooter bike motor_scooter motorcycle rotating_light oncoming_police_car oncoming_bus oncoming_automobile oncoming_taxi " +
"aerial_tramway mountain_cableway suspension_railway railway_car train mountain_railway monorail bullettrain_side " +
"bullettrain_front light_rail steam_locomotive train2 metro tram station helicopter airplane_small airplane " +
"airplane_departure airplane_arriving rocket satellite_orbital seat canoe sailboat motorboat speedboat cruise_ship " +
"ferry ship anchor construction fuelpump busstop vertical_traffic_light traffic_light map moyai statue_of_liberty " +
"fountain tokyo_tower european_castle japanese_castle stadium ferris_wheel roller_coaster carousel_horse beach_umbrella " +
"beach island mountain mountain_snow mount_fuji volcano desert camping tent railway_track motorway construction_site " +
"factory house house_with_garden homes house_abandoned office department_store post_office european_post_office hospital " +
"bank hotel convenience_store school love_hotel wedding classical_building church mosque synagogue kaaba shinto_shrine " +
"japan rice_scene park sunrise sunrise_over_mountains stars sparkler fireworks city_sunset city_dusk cityscape " +
"night_with_stars milky_way bridge_at_night foggy flying_saucer"
},
objects: {
icon: "bulb",
title: "Objects",
emoji: "watch iphone calling computer keyboard desktop printer mouse_three_button trackball joystick compression minidisc " +
"floppy_disk cd dvd vhs camera camera_with_flash video_camera movie_camera projector film_frames telephone_receiver " +
"telephone pager fax tv radio microphone2 level_slider control_knobs stopwatch timer alarm_clock clock hourglass " +
"hourglass_flowing_sand satellite battery electric_plug bulb flashlight candle wastebasket oil money_with_wings " +
"dollar yen euro pound moneybag credit_card gem scales wrench hammer hammer_pick tools pick nut_and_bolt gear " +
"chains gun bomb knife dagger crossed_swords shield smoking coffin urn amphora crystal_ball prayer_beads barber " +
"alembic telescope microscope hole pill syringe thermometer toilet potable_water shower bathtub bath bellhop key " +
"key2 door couch bed sleeping_accommodation frame_photo shopping_bags shopping_cart gift balloon flags ribbon " +
"confetti_ball tada dolls izakaya_lantern wind_chime envelope envelope_with_arrow incoming_envelope e-mail " +
"love_letter inbox_tray outbox_tray package label mailbox_closed mailbox mailbox_with_mail mailbox_with_no_mail " +
"postbox postal_horn scroll page_with_curl page_facing_up bookmark_tabs bar_chart chart_with_upwards_trend " +
"chart_with_downwards_trend notepad_spiral calendar_spiral calendar date card_index card_box ballot_box " +
"file_cabinet clipboard file_folder open_file_folder dividers newspaper2 newspaper notebook " +
"notebook_with_decorative_cover ledger closed_book green_book blue_book orange_book books book bookmark link " +
"paperclip paperclips triangular_ruler straight_ruler pushpin round_pushpin scissors pen_ballpoint pen_fountain " +
"black_nib paintbrush crayon pencil pencil2 mag mag_right lock_with_ink_pen closed_lock_with_key lock unlock orange_heart"
},
symbols: {
icon: "heartpulse",
title: "Symbols",
emoji: "heart yellow_heart green_heart blue_heart purple_heart black_heart broken_heart heart_exclamation two_hearts " +
"revolving_hearts heartbeat heartpulse sparkling_heart cupid gift_heart heart_decoration peace cross star_and_crescent " +
"om_symbol wheel_of_dharma star_of_david six_pointed_star menorah yin_yang orthodox_cross place_of_worship ophiuchus " +
"aries taurus gemini cancer leo virgo libra scorpius sagittarius capricorn aquarius pisces id atom accept radioactive " +
"biohazard mobile_phone_off vibration_mode u6709 u7121 u7533 u55b6 u6708 eight_pointed_black_star vs white_flower " +
"ideograph_advantage secret congratulations u5408 u6e80 u5272 u7981 a b ab cl o2 sos x o octagonal_sign no_entry " +
"name_badge no_entry_sign 100 anger hotsprings no_pedestrians do_not_litter no_bicycles non-potable_water underage " +
"no_mobile_phones no_smoking exclamation grey_exclamation question grey_question bangbang interrobang low_brightness " +
"high_brightness part_alternation_mark warning children_crossing trident fleur-de-lis beginner recycle " +
"white_check_mark u6307 chart sparkle eight_spoked_asterisk negative_squared_cross_mark globe_with_meridians " +
"diamond_shape_with_a_dot_inside m cyclone zzz atm wc wheelchair parking u7a7a sa passport_control customs " +
"baggage_claim left_luggage mens womens baby_symbol restroom put_litter_in_its_place cinema signal_strength koko " +
"symbols information_source abc abcd capital_abcd ng ok up cool new free zero one two three four five six seven " +
"eight nine keycap_ten 1234 hash asterisk arrow_forward pause_button play_pause stop_button record_button eject " +
"track_next track_previous fast_forward rewind arrow_double_up arrow_double_down arrow_backward arrow_up_small " +
"arrow_down_small arrow_right arrow_left arrow_up arrow_down arrow_upper_right arrow_lower_right arrow_lower_left " +
"arrow_upper_left arrow_up_down left_right_arrow arrow_right_hook leftwards_arrow_with_hook arrow_heading_up " +
"arrow_heading_down twisted_rightwards_arrows repeat repeat_one arrows_counterclockwise arrows_clockwise " +
"musical_note notes heavy_plus_sign heavy_minus_sign heavy_division_sign heavy_multiplication_x heavy_dollar_sign " +
"currency_exchange tm copyright registered wavy_dash curly_loop loop end back on top soon heavy_check_mark " +
"ballot_box_with_check radio_button white_circle black_circle red_circle blue_circle small_red_triangle " +
"small_red_triangle_down small_orange_diamond small_blue_diamond large_orange_diamond large_blue_diamond " +
"white_square_button black_square_button black_small_square white_small_square black_medium_small_square " +
"white_medium_small_square black_medium_square white_medium_square black_large_square white_large_square speaker " +
"mute sound loud_sound bell no_bell mega loudspeaker speech_left eye_in_speech_bubble speech_balloon thought_balloon " +
"anger_right spades clubs hearts diamonds black_joker flower_playing_cards mahjong clock1 clock2 clock3 clock4 clock5 " +
"clock6 clock7 clock8 clock9 clock10 clock11 clock12 clock130 clock230 clock330 clock430 clock530 clock630 " +
"clock730 clock830 clock930 clock1030 clock1130 clock1230"
},
flags: {
icon: "flag_gb",
title: "Flags",
emoji: "flag_white flag_black checkered_flag triangular_flag_on_post rainbow_flag flag_af flag_ax flag_al flag_dz flag_as " +
"flag_ad flag_ao flag_ai flag_aq flag_ag flag_ar flag_am flag_aw flag_au flag_at flag_az flag_bs flag_bh flag_bd flag_bb " +
"flag_by flag_be flag_bz flag_bj flag_bm flag_bt flag_bo flag_ba flag_bw flag_br flag_io flag_vg flag_bn flag_bg flag_bf " +
"flag_bi flag_kh flag_cm flag_ca flag_ic flag_cv flag_bq flag_ky flag_cf flag_td flag_cl flag_cn flag_cx flag_cc flag_co " +
"flag_km flag_cg flag_cd flag_ck flag_cr flag_ci flag_hr flag_cu flag_cw flag_cy flag_cz flag_dk flag_dj flag_dm flag_do " +
"flag_ec flag_eg flag_sv flag_gq flag_er flag_ee flag_et flag_eu flag_fk flag_fo flag_fj flag_fi flag_fr flag_gf flag_pf " +
"flag_tf flag_ga flag_gm flag_ge flag_de flag_gh flag_gi flag_gr flag_gl flag_gd flag_gp flag_gu flag_gt flag_gg flag_gn " +
"flag_gw flag_gy flag_ht flag_hn flag_hk flag_hu flag_is flag_in flag_id flag_ir flag_iq flag_ie flag_im flag_il flag_it " +
"flag_jm flag_jp crossed_flags flag_je flag_jo flag_kz flag_ke flag_ki flag_xk flag_kw flag_kg flag_la flag_lv flag_lb " +
"flag_ls flag_lr flag_ly flag_li flag_lt flag_lu flag_mo flag_mk flag_mg flag_mw flag_my flag_mv flag_ml flag_mt flag_mh " +
"flag_mq flag_mr flag_mu flag_yt flag_mx flag_fm flag_md flag_mc flag_mn flag_me flag_ms flag_ma flag_mz flag_mm flag_na " +
"flag_nr flag_np flag_nl flag_nc flag_nz flag_ni flag_ne flag_ng flag_nu flag_nf flag_kp flag_mp flag_no flag_om flag_pk " +
"flag_pw flag_ps flag_pa flag_pg flag_py flag_pe flag_ph flag_pn flag_pl flag_pt flag_pr flag_qa flag_re flag_ro flag_ru " +
"flag_rw flag_ws flag_sm flag_st flag_sa flag_sn flag_rs flag_sc flag_sl flag_sg flag_sx flag_sk flag_si flag_gs flag_sb " +
"flag_so flag_za flag_kr flag_ss flag_es flag_lk flag_bl flag_sh flag_kn flag_lc flag_pm flag_vc flag_sd flag_sr flag_sz " +
"flag_se flag_ch flag_sy flag_tw flag_tj flag_tz flag_th flag_tl flag_tg flag_tk flag_to flag_tt flag_tn flag_tr flag_tm " +
"flag_tc flag_tv flag_vi flag_ug flag_ua flag_ae flag_gb flag_us flag_uy flag_uz flag_vu flag_va flag_ve flag_vn flag_wf " +
"flag_eh flag_ye flag_zm flag_zw flag_ac flag_ta flag_bv flag_hm flag_sj flag_um flag_ea flag_cp flag_dg flag_mf " +
"united_nations england scotland wales"
}
};
} else {
defaultOptions.filters = {
tones: {
title: "Diversity",
emoji: "santa runner surfer swimmer lifter ear nose point_up_2 point_down point_left point_right punch " +
"wave ok_hand thumbsup thumbsdown clap open_hands boy girl man woman cop bride_with_veil person_with_blond_hair " +
"man_with_gua_pi_mao man_with_turban older_man grandma baby construction_worker princess angel " +
"information_desk_person guardsman dancer nail_care massage haircut muscle spy hand_splayed middle_finger " +
"vulcan no_good ok_woman bow raising_hand raised_hands person_frowning person_with_pouting_face pray rowboat " +
"bicyclist mountain_bicyclist walking bath metal point_up basketball_player fist raised_hand v writing_hand"
},
recent: {
icon: "clock3",
title: "Recent",
emoji: ""
},
smileys_people: {
icon: "yum",
title: "Smileys & People",
emoji: "grinning grimacing grin joy smiley smile sweat_smile laughing innocent wink blush slight_smile " +
"upside_down relaxed yum relieved heart_eyes kissing_heart kissing kissing_smiling_eyes " +
"kissing_closed_eyes stuck_out_tongue_winking_eye stuck_out_tongue_closed_eyes stuck_out_tongue " +
"money_mouth nerd sunglasses hugging smirk no_mouth neutral_face expressionless unamused rolling_eyes " +
"thinking flushed disappointed worried angry rage pensive confused slight_frown frowning2 persevere " +
"confounded tired_face weary triumph open_mouth scream fearful cold_sweat hushed frowning anguished " +
"cry disappointed_relieved sleepy sweat sob dizzy_face astonished zipper_mouth mask thermometer_face " +
"head_bandage sleeping zzz poop smiling_imp imp japanese_ogre japanese_goblin skull ghost alien robot " +
"smiley_cat smile_cat joy_cat heart_eyes_cat smirk_cat kissing_cat scream_cat crying_cat_face " +
"pouting_cat raised_hands clap wave thumbsup thumbsdown punch fist v ok_hand raised_hand open_hands " +
"muscle pray point_up point_up_2 point_down point_left point_right middle_finger hand_splayed metal " +
"vulcan writing_hand nail_care lips tongue ear nose eye eyes bust_in_silhouette busts_in_silhouette " +
"speaking_head baby boy girl man woman person_with_blond_hair older_man older_woman man_with_gua_pi_mao " +
"man_with_turban cop construction_worker guardsman spy santa angel princess bride_with_veil walking " +
"runner dancer dancers couple two_men_holding_hands two_women_holding_hands bow information_desk_person " +
"no_good ok_woman raising_hand person_with_pouting_face person_frowning haircut massage couple_with_heart " +
"couple_ww couple_mm couplekiss kiss_ww kiss_mm family family_mwg family_mwgb family_mwbb family_mwgg " +
"family_wwb family_wwg family_wwgb family_wwbb family_wwgg family_mmb family_mmg family_mmgb family_mmbb " +
"family_mmgg womans_clothes shirt jeans necktie dress bikini kimono lipstick kiss footprints high_heel " +
"sandal boot mans_shoe athletic_shoe womans_hat tophat helmet_with_cross mortar_board crown school_satchel " +
"pouch purse handbag briefcase eyeglasses dark_sunglasses ring closed_umbrella"
},
animals_nature: {
icon: "hamster",
title: "Animals & Nature",
emoji: "dog cat mouse hamster rabbit bear panda_face koala tiger lion_face cow pig pig_nose frog " +
"octopus monkey_face see_no_evil hear_no_evil speak_no_evil monkey chicken penguin bird baby_chick " +
"hatching_chick hatched_chick wolf boar horse unicorn bee bug snail beetle ant spider scorpion crab " +
"snake turtle tropical_fish fish blowfish dolphin whale whale2 crocodile leopard tiger2 water_buffalo " +
"ox cow2 dromedary_camel camel elephant goat ram sheep racehorse pig2 rat mouse2 rooster turkey dove " +
"dog2 poodle cat2 rabbit2 chipmunk feet dragon dragon_face cactus christmas_tree evergreen_tree " +
"deciduous_tree palm_tree seedling herb shamrock four_leaf_clover bamboo tanabata_tree leaves " +
"fallen_leaf maple_leaf ear_of_rice hibiscus sunflower rose tulip blossom cherry_blossom bouquet " +
"mushroom chestnut jack_o_lantern shell spider_web earth_americas earth_africa earth_asia full_moon " +
"waning_gibbous_moon last_quarter_moon waning_crescent_moon new_moon waxing_crescent_moon " +
"first_quarter_moon waxing_gibbous_moon new_moon_with_face full_moon_with_face first_quarter_moon_with_face " +
"last_quarter_moon_with_face sun_with_face crescent_moon star star2 dizzy sparkles comet sunny " +
"white_sun_small_cloud partly_sunny white_sun_cloud white_sun_rain_cloud cloud cloud_rain " +
"thunder_cloud_rain cloud_lightning zap fire boom snowflake cloud_snow snowman2 snowman wind_blowing_face " +
"dash cloud_tornado fog umbrella2 umbrella droplet sweat_drops ocean"
},
food_drink: {
icon: "pizza",
title: "Food & Drink",
emoji: "green_apple apple pear tangerine lemon banana watermelon grapes strawberry melon cherries peach " +
"pineapple tomato eggplant hot_pepper corn sweet_potato honey_pot bread cheese poultry_leg meat_on_bone " +
"fried_shrimp egg hamburger fries hotdog pizza spaghetti taco burrito ramen stew fish_cake sushi bento " +
"curry rice_ball rice rice_cracker oden dango shaved_ice ice_cream icecream cake birthday custard candy " +
"lollipop chocolate_bar popcorn doughnut cookie beer beers wine_glass cocktail tropical_drink champagne " +
"sake tea coffee baby_bottle fork_and_knife fork_knife_plate"
},
activity: {
icon: "basketball",
title: "Activity",
emoji: "soccer basketball football baseball tennis volleyball rugby_football 8ball golf golfer ping_pong " +
"badminton hockey field_hockey cricket ski skier snowboarder ice_skate bow_and_arrow fishing_pole_and_fish " +
"rowboat swimmer surfer bath basketball_player lifter bicyclist mountain_bicyclist horse_racing levitate " +
"trophy running_shirt_with_sash medal military_medal reminder_ribbon rosette ticket tickets performing_arts " +
"art circus_tent microphone headphones musical_score musical_keyboard saxophone trumpet guitar violin " +
"clapper video_game space_invader dart game_die slot_machine bowling"
},
travel_places: {
icon: "rocket",
title: "Travel & Places",
emoji: "red_car taxi blue_car bus trolleybus race_car police_car ambulance fire_engine minibus truck " +
"articulated_lorry tractor motorcycle bike rotating_light oncoming_police_car oncoming_bus " +
"oncoming_automobile oncoming_taxi aerial_tramway mountain_cableway suspension_railway railway_car " +
"train monorail bullettrain_side bullettrain_front light_rail mountain_railway steam_locomotive train2 " +
"metro tram station helicopter airplane_small airplane airplane_departure airplane_arriving sailboat " +
"motorboat speedboat ferry cruise_ship rocket satellite_orbital seat anchor construction fuelpump busstop " +
"vertical_traffic_light traffic_light checkered_flag ship ferris_wheel roller_coaster carousel_horse " +
"construction_site foggy tokyo_tower factory fountain rice_scene mountain mountain_snow mount_fuji volcano " +
"japan camping tent park motorway railway_track sunrise sunrise_over_mountains desert beach island " +
"city_sunset city_dusk cityscape night_with_stars bridge_at_night milky_way stars sparkler fireworks " +
"rainbow homes european_castle japanese_castle stadium statue_of_liberty house house_with_garden " +
"house_abandoned office department_store post_office european_post_office hospital bank hotel " +
"convenience_store school love_hotel wedding classical_building church mosque synagogue kaaba shinto_shrine"
},
objects: {
icon: "bulb",
title: "Objects",
emoji: "watch iphone calling computer keyboard desktop printer mouse_three_button trackball joystick " +
"compression minidisc floppy_disk cd dvd vhs camera camera_with_flash video_camera movie_camera projector " +
"film_frames telephone_receiver telephone pager fax tv radio microphone2 level_slider control_knobs " +
"stopwatch timer alarm_clock clock hourglass_flowing_sand hourglass satellite battery electric_plug bulb " +
"flashlight candle wastebasket oil money_with_wings dollar yen euro pound moneybag credit_card gem scales " +
"wrench hammer hammer_pick tools pick nut_and_bolt gear chains gun bomb knife dagger crossed_swords shield " +
"smoking skull_crossbones coffin urn amphora crystal_ball prayer_beads barber alembic telescope microscope " +
"hole pill syringe thermometer label bookmark toilet shower bathtub key key2 couch sleeping_accommodation " +
"bed door bellhop frame_photo map beach_umbrella moyai shopping_bags balloon flags ribbon gift confetti_ball " +
"tada dolls wind_chime crossed_flags izakaya_lantern envelope envelope_with_arrow incoming_envelope e-mail " +
"love_letter postbox mailbox_closed mailbox mailbox_with_mail mailbox_with_no_mail package postal_horn " +
"inbox_tray outbox_tray scroll page_with_curl bookmark_tabs bar_chart chart_with_upwards_trend " +
"chart_with_downwards_trend page_facing_up date calendar calendar_spiral card_index card_box ballot_box " +
"file_cabinet clipboard notepad_spiral file_folder open_file_folder dividers newspaper2 newspaper notebook " +
"closed_book green_book blue_book orange_book notebook_with_decorative_cover ledger books book link " +
"paperclip paperclips scissors triangular_ruler straight_ruler pushpin round_pushpin triangular_flag_on_post " +
"flag_white flag_black closed_lock_with_key lock unlock lock_with_ink_pen pen_ballpoint pen_fountain " +
"black_nib pencil pencil2 crayon paintbrush mag mag_right"
},
symbols: {
icon: "heartpulse",
title: "Symbols",
emoji: "heart yellow_heart green_heart blue_heart purple_heart broken_heart heart_exclamation two_hearts " +
"revolving_hearts heartbeat heartpulse sparkling_heart cupid gift_heart heart_decoration peace cross " +
"star_and_crescent om_symbol wheel_of_dharma star_of_david six_pointed_star menorah yin_yang orthodox_cross " +
"place_of_worship ophiuchus aries taurus gemini cancer leo virgo libra scorpius sagittarius capricorn " +
"aquarius pisces id atom u7a7a u5272 radioactive biohazard mobile_phone_off vibration_mode u6709 u7121 " +
"u7533 u55b6 u6708 eight_pointed_black_star vs accept white_flower ideograph_advantage secret congratulations " +
"u5408 u6e80 u7981 a b ab cl o2 sos no_entry name_badge no_entry_sign x o anger hotsprings no_pedestrians " +
"do_not_litter no_bicycles non-potable_water underage no_mobile_phones exclamation grey_exclamation question " +
"grey_question bangbang interrobang 100 low_brightness high_brightness trident fleur-de-lis part_alternation_mark " +
"warning children_crossing beginner recycle u6307 chart sparkle eight_spoked_asterisk negative_squared_cross_mark " +
"white_check_mark diamond_shape_with_a_dot_inside cyclone loop globe_with_meridians m atm sa passport_control " +
"customs baggage_claim left_luggage wheelchair no_smoking wc parking potable_water mens womens baby_symbol " +
"restroom put_litter_in_its_place cinema signal_strength koko ng ok up cool new free zero one two three four " +
"five six seven eight nine ten 1234 arrow_forward pause_button play_pause stop_button record_button track_next " +
"track_previous fast_forward rewind twisted_rightwards_arrows repeat repeat_one arrow_backward arrow_up_small " +
"arrow_down_small arrow_double_up arrow_double_down arrow_right arrow_left arrow_up arrow_down arrow_upper_right " +
"arrow_lower_right arrow_lower_left arrow_upper_left arrow_up_down left_right_arrow arrows_counterclockwise " +
"arrow_right_hook leftwards_arrow_with_hook arrow_heading_up arrow_heading_down hash asterisk information_source " +
"abc abcd capital_abcd symbols musical_note notes wavy_dash curly_loop heavy_check_mark arrows_clockwise " +
"heavy_plus_sign heavy_minus_sign heavy_division_sign heavy_multiplication_x heavy_dollar_sign currency_exchange " +
"copyright registered tm end back on top soon ballot_box_with_check radio_button white_circle black_circle " +
"red_circle large_blue_circle small_orange_diamond small_blue_diamond large_orange_diamond large_blue_diamond " +
"small_red_triangle black_small_square white_small_square black_large_square white_large_square small_red_triangle_down " +
"black_medium_square white_medium_square black_medium_small_square white_medium_small_square black_square_button " +
"white_square_button speaker sound loud_sound mute mega loudspeaker bell no_bell black_joker mahjong spades " +
"clubs hearts diamonds flower_playing_cards thought_balloon anger_right speech_balloon clock1 clock2 clock3 " +
"clock4 clock5 clock6 clock7 clock8 clock9 clock10 clock11 clock12 clock130 clock230 clock330 clock430 " +
"clock530 clock630 clock730 clock830 clock930 clock1030 clock1130 clock1230 eye_in_speech_bubble"
},
flags: {
icon: "flag_gb",
title: "Flags",
emoji: "ac af al dz ad ao ai ag ar am aw au at az bs bh bd bb by be bz bj bm bt bo ba bw br bn bg bf bi " +
"cv kh cm ca ky cf td flag_cl cn co km cg flag_cd cr hr cu cy cz dk dj dm do ec eg sv gq er ee et fk fo " +
"fj fi fr pf ga gm ge de gh gi gr gl gd gu gt gn gw gy ht hn hk hu is in flag_id ir iq ie il it ci jm jp " +
"je jo kz ke ki xk kw kg la lv lb ls lr ly li lt lu mo mk mg mw my mv ml mt mh mr mu mx fm md mc mn me " +
"ms ma mz mm na nr np nl nc nz ni ne flag_ng nu kp no om pk pw ps pa pg py pe ph pl pt pr qa ro ru rw " +
"sh kn lc vc ws sm st flag_sa sn rs sc sl sg sk si sb so za kr es lk sd sr sz se ch sy tw tj tz th tl " +
"tg to tt tn tr flag_tm flag_tm ug ua ae gb us vi uy uz vu va ve vn wf eh ye zm zw re ax ta io bq cx " +
"cc gg im yt nf pn bl pm gs tk bv hm sj um ic ea cp dg as aq vg ck cw eu gf tf gp mq mp sx ss tc "
}
};
};
return defaultOptions;
};
function getOptions(options) {
var default_options = getDefaultOptions();
if (options && options['filters']) {
var filters = default_options.filters;
$.each(options['filters'], function(filter, data) {
if (!isObject(data) || $.isEmptyObject(data)) {
delete filters[filter];
return;
}
$.each(data, function(key, val) {
filters[filter][key] = val;
});
});
options['filters'] = filters;
}
return $.extend({}, default_options, options);
};
var saveSelection, restoreSelection;
if (window.getSelection && document.createRange) {
saveSelection = function(el) {
var sel = window.getSelection && window.getSelection();
if (sel && sel.rangeCount > 0) {
return sel.getRangeAt(0);
}
};
restoreSelection = function(el, sel) {
var range = document.createRange();
range.setStart(sel.startContainer, sel.startOffset);
range.setEnd(sel.endContainer, sel.endOffset)
sel = window.getSelection();
sel.removeAllRanges();
sel.addRange(range);
}
} else if (document.selection && document.body.createTextRange) {
saveSelection = function(el) {
return document.selection.createRange();
};
restoreSelection = function(el, sel) {
var textRange = document.body.createTextRange();
textRange.moveToElementText(el);
textRange.setStart(sel.startContanier, sel.startOffset);
textRange.setEnd(sel.endContainer, sel.endOffset);
textRange.select();
};
}
var uniRegexp;
function unicodeTo(str, template) {
return str.replace(uniRegexp, function(unicodeChar) {
var map = emojione[(emojioneSupportMode === 0 ? 'jsecapeMap' : 'jsEscapeMap')];
if (typeof unicodeChar !== 'undefined' && unicodeChar in map) {
return getTemplate(template, map[unicodeChar]);
}
return unicodeChar;
});
}
function htmlFromText(str, self) {
str = str
.replace(/&/g, '&')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/"/g, '"')
.replace(/'/g, ''')
.replace(/`/g, '`')
.replace(/(?:\r\n|\r|\n)/g, '\n')
.replace(/(\n+)/g, '<div>$1</div>')
.replace(/\n/g, '<br/>')
.replace(/<br\/><\/div>/g, '</div>');
if (self.shortnames) {
str = emojione.shortnameToUnicode(str);
}
return unicodeTo(str, self.emojiTemplate)
.replace(/\t/g, ' ')
.replace(/ /g, ' ');
}
function textFromHtml(str, self) {
str = str
.replace(/ /g, '\n')
.replace(/	/g, '\t')
.replace(/<img[^>]*alt="([^"]+)"[^>]*>/ig, '$1')
.replace(/\n|\r/g, '')
.replace(/<br[^>]*>/ig, '\n')
.replace(/(?:<(?:div|p|ol|ul|li|pre|code|object)[^>]*>)+/ig, '<div>')
.replace(/(?:<\/(?:div|p|ol|ul|li|pre|code|object)>)+/ig, '</div>')
.replace(/\n<div><\/div>/ig, '\n')
.replace(/<div><\/div>\n/ig, '\n')
.replace(/(?:<div>)+<\/div>/ig, '\n')
.replace(/([^\n])<\/div><div>/ig, '$1\n')
.replace(/(?:<\/div>)+/ig, '</div>')
.replace(/([^\n])<\/div>([^\n])/ig, '$1\n$2')
.replace(/<\/div>/ig, '')
.replace(/([^\n])<div>/ig, '$1\n')
.replace(/\n<div>/ig, '\n')
.replace(/<div>\n/ig, '\n\n')
.replace(/<(?:[^>]+)?>/g, '')
.replace(new RegExp(invisibleChar, 'g'), '')
.replace(/ /g, ' ')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/"/g, '"')
.replace(/'/g, "'")
.replace(/`/g, '`')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/&/g, '&');
switch (self.saveEmojisAs) {
case 'image':
str = unicodeTo(str, self.emojiTemplate);
break;
case 'shortname':
str = emojione.toShort(str);
}
return str;
}
function calcButtonPosition() {
var self = this,
offset = self.editor[0].offsetWidth - self.editor[0].clientWidth,
current = parseInt(self.button.css('marginRight'));
if (current !== offset) {
self.button.css({marginRight: offset});
if (self.floatingPicker) {
self.picker.css({right: parseInt(self.picker.css('right')) - current + offset});
}
}
}
function lazyLoading() {
var self = this;
if (!self.sprite && self.lasyEmoji[0]) {
var pickerTop = self.picker.offset().top,
pickerBottom = pickerTop + self.picker.height() + 20;
self.lasyEmoji.each(function() {
var e = $(this), top = e.offset().top;
if (top > pickerTop && top < pickerBottom) {
e.attr("src", e.data("src")).removeClass("lazy-emoji");
}
})
self.lasyEmoji = self.lasyEmoji.filter(".lazy-emoji");
}
}
function selector (prefix, skip_dot) {
return (skip_dot ? '' : '.') + css_class + (prefix ? ("-" + prefix) : "");
}
function div(prefix) {
var parent = $('<div/>', isObject(prefix) ? prefix : {"class" : selector(prefix, true)});
$.each(slice.call(arguments).slice(1), function(i, child) {
if ($.isFunction(child)) {
child = child.call(parent);
}
if (child) {
$(child).appendTo(parent);
}
});
return parent;
}
function getRecent () {
return localStorage.getItem("recent_emojis") || "";
}
function updateRecent(self, show) {
var emojis = getRecent();
if (!self.recent || self.recent !== emojis || show) {
if (emojis.length) {
var skinnable = self.scrollArea.is(".skinnable"),
scrollTop, height;
if (!skinnable) {
scrollTop = self.scrollArea.scrollTop();
if (show) {
self.recentCategory.show();
}
height = self.recentCategory.is(":visible") ? self.recentCategory.height() : 0;
}
var items = shortnameTo(emojis, self.emojiBtnTemplate, true).split('|').join('');
self.recentCategory.children(".emojibtn").remove();
$(items).insertAfter(self.recentCategory.children(".emojionearea-category-title"));
self.recentCategory.children(".emojibtn").on("click", function() {
self.trigger("emojibtn.click", $(this));
});
self.recentFilter.show();
if (!skinnable) {
self.recentCategory.show();
var height2 = self.recentCategory.height();
if (height !== height2) {
self.scrollArea.scrollTop(scrollTop + height2 - height);
}
}
} else {
if (self.recentFilter.hasClass("active")) {
self.recentFilter.removeClass("active").next().addClass("active");
}
self.recentCategory.hide();
self.recentFilter.hide();
}
self.recent = emojis;
}
};
function setRecent(self, emoji) {
var recent = getRecent();
var emojis = recent.split("|");
var index = emojis.indexOf(emoji);
if (index !== -1) {
emojis.splice(index, 1);
}
emojis.unshift(emoji);
if (emojis.length > 9) {
emojis.pop();
}
localStorage.setItem("recent_emojis", emojis.join("|"));
updateRecent(self);
};
// see https://github.com/Modernizr/Modernizr/blob/master/feature-detects/storage/localstorage.js
function supportsLocalStorage () {
var test = 'test';
try {
localStorage.setItem(test, test);
localStorage.removeItem(test);
return true;
} catch(e) {
return false;
}
}
function init(self, source, options) {
//calcElapsedTime('init', function() {
options = getOptions(options);
self.sprite = options.sprite && emojioneSupportMode < 3;
self.inline = options.inline === null ? source.is("INPUT") : options.inline;
self.shortnames = options.shortnames;
self.saveEmojisAs = options.saveEmojisAs;
self.standalone = options.standalone;
self.emojiTemplate = '<img alt="{alt}" class="emojione' + (self.sprite ? '-{uni}" src="' + blankImg + '"/>' : 'emoji" src="{img}"/>');
self.emojiTemplateAlt = self.sprite ? '<i class="emojione-{uni}"/>' : '<img class="emojioneemoji" src="{img}"/>';
self.emojiBtnTemplate = '<i class="emojibtn" role="button" data-name="{name}" title="{friendlyName}">' + self.emojiTemplateAlt + '</i>';
self.recentEmojis = options.recentEmojis && supportsLocalStorage();
var pickerPosition = options.pickerPosition;
self.floatingPicker = pickerPosition === 'top' || pickerPosition === 'bottom';
self.source = source;
if (source.is(":disabled") || source.is(".disabled")) {
self.disable();
}
var sourceValFunc = source.is("TEXTAREA") || source.is("INPUT") ? "val" : "text",
editor, button, picker, tones, filters, filtersBtns, search, emojisList, categories, categoryBlocks, scrollArea,
app = div({
"class" : css_class + ((self.standalone) ? " " + css_class + "-standalone " : " ") + (source.attr("class") || ""),
role: "application"
},
editor = self.editor = div("editor").attr({
contenteditable: (self.standalone) ? false : true,
placeholder: options.placeholder || source.data("placeholder") || source.attr("placeholder") || "",
tabindex: 0
}),
button = self.button = div('button',
div('button-open'),
div('button-close')
).attr('title', options.buttonTitle),
picker = self.picker = div('picker',
div('wrapper',
filters = div('filters'),
search = div('search',
options.search ?
function() {
self.search = $("<input/>", {
"placeholder": options.searchPlaceholder || "",
"type": "text",
"class": "search"
});
this.append(self.search);
} : null
),
tones = div('tones',
function() {
if (options.tones) {
this.addClass(selector('tones-' + options.tonesStyle, true));
for (var i = 0; i <= 5; i++) {
this.append($("<i/>", {
"class": "btn-tone btn-tone-" + i + (!i ? " active" : ""),
"data-skin": i,
role: "button"
}));
}
}
}
),
scrollArea = div('scroll-area',
emojisList = div('emojis-list')
)
)
).addClass(selector('picker-position-' + options.pickerPosition, true))
.addClass(selector('filters-position-' + options.filtersPosition, true))
.addClass('hidden')
);
self.searchSel = null;
editor.data(source.data());
$.each(options.attributes, function(attr, value) {
editor.attr(attr, value);
});
var mainBlock = div('category-block').attr({"data-tone": 0}).prependTo(emojisList);
$.each(options.filters, function(filter, params) {
var skin = 0;
if (filter === 'recent' && !self.recentEmojis) {
return;
}
if (filter !== 'tones') {
$("<i/>", {
"class": selector("filter", true) + " " + selector("filter-" + filter, true),
"data-filter": filter,
title: params.title
})
.wrapInner(shortnameTo(params.icon, self.emojiTemplateAlt))
.appendTo(filters);
} else if (options.tones) {
skin = 5;
} else {
return;
}
do {
var category,
items = params.emoji.replace(/[\s,;]+/g, '|');
if (skin === 0) {
category = div('category').attr({
name: filter,
"data-tone": skin
}).appendTo(mainBlock);
} else {
category = div('category-block').attr({
name: filter,
"data-tone": skin
}).appendTo(emojisList);
}
if (skin > 0) {
category.hide();
items = items.split('|').join('_tone' + skin + '|') + '_tone' + skin;
}
if (filter === 'recent') {
items = getRecent();
}
items = shortnameTo(items,
self.sprite ?
'<i class="emojibtn" role="button" data-name="{name}" title="{friendlyName}"><i class="emojione-{uni}"></i></i>' :
'<i class="emojibtn" role="button" data-name="{name}" title="{friendlyName}"><img class="emojioneemoji lazy-emoji" data-src="{img}"/></i>',
true).split('|').join('');
category.html(items);
$('<div class="emojionearea-category-title"/>').text(params.title).prependTo(category);
} while (--skin > 0);
});
options.filters = null;
if (!self.sprite) {
self.lasyEmoji = emojisList.find(".lazy-emoji");
}
filtersBtns = filters.find(selector("filter"));
filtersBtns.eq(0).addClass("active");
categoryBlocks = emojisList.find(selector("category-block"))
categories = emojisList.find(selector("category"))
self.recentFilter = filtersBtns.filter('[data-filter="recent"]');
self.recentCategory = categories.filter("[name=recent]");
self.scrollArea = scrollArea;
if (options.container) {
$(options.container).wrapInner(app);
} else {
app.insertAfter(source);
}
if (options.hideSource) {
source.hide();
}
self.setText(source[sourceValFunc]());
source[sourceValFunc](self.getText());
calcButtonPosition.apply(self);
// if in standalone mode and no value is set, initialise with a placeholder
if (self.standalone && !self.getText().length) {
var placeholder = $(source).data("emoji-placeholder") || options.emojiPlaceholder;
self.setText(placeholder);
editor.addClass("has-placeholder");
}
// attach() must be called before any .on() methods !!!
// 1) attach() stores events into possibleEvents{},
// 2) .on() calls bindEvent() and stores handlers into eventStorage{},
// 3) bindEvent() finds events in possibleEvents{} and bind founded via jQuery.on()
// 4) attached events via jQuery.on() calls trigger()
// 5) trigger() calls handlers stored into eventStorage{}
attach(self, emojisList.find(".emojibtn"), {click: "emojibtn.click"});
attach(self, window, {resize: "!resize"});
attach(self, tones.children(), {click: "tone.click"});
attach(self, [picker, button], {mousedown: "!mousedown"}, editor);
attach(self, button, {click: "button.click"});
attach(self, editor, {paste :"!paste"}, editor);
attach(self, editor, ["focus", "blur"], function() { return self.stayFocused ? false : editor; } );
attach(self, picker, {mousedown: "picker.mousedown", mouseup: "picker.mouseup", click: "picker.click",
keyup: "picker.keyup", keydown: "picker.keydown", keypress: "picker.keypress"});
attach(self, editor, ["mousedown", "mouseup", "click", "keyup", "keydown", "keypress"]);
attach(self, picker.find(".emojionearea-filter"), {click: "filter.click"});
if (options.search) {
attach(self, self.search, {keyup: "search.keypress", focus: "search.focus", blur: "search.blur"});
}
var noListenScroll = false;
scrollArea.on('scroll', function () {
if (!noListenScroll) {
lazyLoading.call(self);
if (scrollArea.is(":not(.skinnable)")) {
var item = categories.eq(0), scrollTop = scrollArea.offset().top;
categories.each(function (i, e) {
if ($(e).offset().top - scrollTop >= 10) {
return false;
}
item = $(e);
});
var filter = filtersBtns.filter('[data-filter="' + item.attr("name") + '"]');
if (filter[0] && !filter.is(".active")) {
filtersBtns.removeClass("active");
filter.addClass("active");
}
}
}
});
self.on("@filter.click", function(filter) {
var isActive = filter.is(".active");
if (scrollArea.is(".skinnable")) {
if (isActive) return;
tones.children().eq(0).click();
}
noListenScroll = true;
if (!isActive) {
filtersBtns.filter(".active").removeClass("active");
filter.addClass("active");
}
var headerOffset = categories.filter('[name="' + filter.data('filter') + '"]').offset().top,
scroll = scrollArea.scrollTop(),
offsetTop = scrollArea.offset().top;
scrollArea.stop().animate({
scrollTop: headerOffset + scroll - offsetTop - 2
}, 200, 'swing', function () {
lazyLoading.call(self);
noListenScroll = false;
});
})
.on("@picker.show", function() {
if (self.recentEmojis) {
updateRecent(self);
}
lazyLoading.call(self);
})
.on("@tone.click", function(tone) {
tones.children().removeClass("active");
var skin = tone.addClass("active").data("skin");
if (skin) {
scrollArea.addClass("skinnable");
categoryBlocks.hide().filter("[data-tone=" + skin + "]").show();
filtersBtns.removeClass("active");//.not('[data-filter="recent"]').eq(0).addClass("active");
} else {
scrollArea.removeClass("skinnable");
categoryBlocks.hide().filter("[data-tone=0]").show();
filtersBtns.eq(0).click();
}
lazyLoading.call(self);
if (options.search) {
self.trigger('search.keypress');
}
})
.on("@button.click", function(button) {
if (button.is(".active")) {
self.hidePicker();
} else {
self.showPicker();
self.searchSel = null;
}
})
.on("@!paste", function(editor, event) {
var pasteText = function(text) {
var caretID = "caret-" + (new Date()).getTime();
var html = htmlFromText(text, self);
pasteHtmlAtCaret(html);
pasteHtmlAtCaret('<i id="' + caretID +'"></i>');
editor.scrollTop(editorScrollTop);
var caret = $("#" + caretID),
top = caret.offset().top - editor.offset().top,
height = editor.height();
if (editorScrollTop + top >= height || editorScrollTop > top) {
editor.scrollTop(editorScrollTop + top - 2 * height/3);
}
caret.remove();
self.stayFocused = false;
calcButtonPosition.apply(self);
trigger(self, 'paste', [editor, text, html]);
};
if (event.originalEvent.clipboardData) {
var text = event.originalEvent.clipboardData.getData('text/plain');
pasteText(text);
if (event.preventDefault){
event.preventDefault();
} else {
event.stop();
}
event.returnValue = false;
event.stopPropagation();
return false;
}
self.stayFocused = true;
// insert invisible character for fix caret position
pasteHtmlAtCaret('<span>' + invisibleChar + '</span>');
var sel = saveSelection(editor[0]),
editorScrollTop = editor.scrollTop(),
clipboard = $("<div/>", {contenteditable: true})
.css({position: "fixed", left: "-999px", width: "1px", height: "1px", top: "20px", overflow: "hidden"})
.appendTo($("BODY"))
.focus();
window.setTimeout(function() {
editor.focus();
restoreSelection(editor[0], sel);
var text = textFromHtml(clipboard.html().replace(/\r\n|\n|\r/g, '<br>'), self);
clipboard.remove();
pasteText(text);
}, 200);
})
.on("@emojibtn.click", function(emojibtn) {
editor.removeClass("has-placeholder");
if (self.searchSel !== null) {
editor.focus();
restoreSelection(editor[0], self.searchSel);
self.searchSel = null;
}
if (self.standalone) {
editor.html(shortnameTo(emojibtn.data("name"), self.emojiTemplate));
self.trigger("blur");
} else {
saveSelection(editor[0]);
pasteHtmlAtCaret(shortnameTo(emojibtn.data("name"), self.emojiTemplate));
}
if (self.recentEmojis) {
setRecent(self, emojibtn.data("name"));
}
// self.search.val('').trigger("change");
self.trigger('search.keypress');
})
.on("@!resize @keyup @emojibtn.click", calcButtonPosition)
.on("@!mousedown", function(editor, event) {
if ($(event.target).hasClass('search')) {
// Allow search clicks
self.stayFocused = true;
if (self.searchSel === null) {
self.searchSel = saveSelection(editor[0]);
}
} else {
if (!app.is(".focused")) {
editor.focus();
}
event.preventDefault();
}
return false;
})
.on("@change", function() {
var html = self.editor.html().replace(/<\/?(?:div|span|p)[^>]*>/ig, '');
// clear input: chrome adds <br> when contenteditable is empty
if (!html.length || /^<br[^>]*>$/i.test(html)) {
self.editor.html(self.content = '');
}
source[sourceValFunc](self.getText());
})
.on("@focus", function() {
app.addClass("focused");
})
.on("@blur", function() {
app.removeClass("focused");
if (options.hidePickerOnBlur) {
self.hidePicker();
}
var content = self.editor.html();
if (self.content !== content) {
self.content = content;
trigger(self, 'change', [self.editor]);
source.blur().trigger("change");
} else {
source.blur();
}
if (options.search) {
self.search.val('');
self.trigger('search.keypress', true);
}
});
if (options.search) {
self.on("@search.focus", function() {
self.stayFocused = true;
self.search.addClass("focused");
})
.on("@search.keypress", function(hide) {
var filterBtns = picker.find(".emojionearea-filter");
var activeTone = (options.tones ? tones.find("i.active").data("skin") : 0);
var term = self.search.val().replace( / /g, "_" ).replace(/"/g, "\\\"");
if (term && term.length) {
if (self.recentFilter.hasClass("active")) {
self.recentFilter.removeClass("active").next().addClass("active");
}
self.recentCategory.hide();
self.recentFilter.hide();
categoryBlocks.each(function() {
var matchEmojis = function(category, activeTone) {
var $matched = category.find('.emojibtn[data-name*="' + term + '"]');
if ($matched.length === 0) {
if (category.data('tone') === activeTone) {
category.hide();
}
filterBtns.filter('[data-filter="' + category.attr('name') + '"]').hide();
} else {
var $notMatched = category.find('.emojibtn:not([data-name*="' + term + '"])');
$notMatched.hide();
$matched.show();
if (category.data('tone') === activeTone) {
category.show();
}
filterBtns.filter('[data-filter="' + category.attr('name') + '"]').show();
}
}
var $block = $(this);
if ($block.data('tone') === 0) {
categories.filter(':not([name="recent"])').each(function() {
matchEmojis($(this), 0);
})
} else {
matchEmojis($block, activeTone);
}
});
if (!noListenScroll) {
scrollArea.trigger('scroll');
} else {
lazyLoading.call(self);
}
} else {
updateRecent(self, true);
categoryBlocks.filter('[data-tone="' + tones.find("i.active").data("skin") + '"]:not([name="recent"])').show();
$('.emojibtn', categoryBlocks).show();
filterBtns.show();
if (!hide) {
lazyLoading.call(self);
}
}
})
.on("@search.blur", function() {
self.stayFocused = false;
self.search.removeClass("focused");
self.trigger("blur");
});
}
if (options.shortcuts) {
self.on("@keydown", function(_, e) {
if (!e.ctrlKey) {
if (e.which == 9) {
e.preventDefault();
button.click();
}
else if (e.which == 27) {
e.preventDefault();
if (button.is(".active")) {
self.hidePicker();
}
}
}
});
}
if (isObject(options.events) && !$.isEmptyObject(options.events)) {
$.each(options.events, function(event, handler) {
self.on(event.replace(/_/g, '.'), handler);
});
}
if (options.autocomplete) {
var autocomplete = function() {
var textcompleteOptions = {
maxCount: options.textcomplete.maxCount,
placement: options.textcomplete.placement
};
if (options.shortcuts) {
textcompleteOptions.onKeydown = function (e, commands) {
if (!e.ctrlKey && e.which == 13) {
return commands.KEY_ENTER;
}
};
}
var map = $.map(emojione.emojioneList, function (_, emoji) {
return !options.autocompleteTones ? /_tone[12345]/.test(emoji) ? null : emoji : emoji;
});
map.sort();
editor.textcomplete([
{
id: css_class,
match: /\B(:[\-+\w]*)$/,
search: function (term, callback) {
callback($.map(map, function (emoji) {
return emoji.indexOf(term) === 0 ? emoji : null;
}));
},
template: function (value) {
return shortnameTo(value, self.emojiTemplate) + " " + value.replace(/:/g, '');
},
replace: function (value) {
return shortnameTo(value, self.emojiTemplate);
},
cache: true,
index: 1
}
], textcompleteOptions);
if (options.textcomplete.placement) {
// Enable correct positioning for textcomplete
if ($(editor.data('textComplete').option.appendTo).css("position") == "static") {
$(editor.data('textComplete').option.appendTo).css("position", "relative");
}
}
};
var initAutocomplete = function() {
if (self.disabled) {
var enable = function () {
self.off('enabled', enable);
autocomplete();
};
self.on('enabled', enable);
} else {
autocomplete();
}
}
if ($.fn.textcomplete) {
initAutocomplete();
} else {
$.ajax({
url: "https://cdn.rawgit.com/yuku-t/jquery-textcomplete/v1.3.4/dist/jquery.textcomplete.js",
dataType: "script",
cache: true,
success: initAutocomplete
});
}
}
if (self.inline) {
app.addClass(selector('inline', true));
self.on("@keydown", function(_, e) {
if (e.which == 13) {
e.preventDefault();
}
});
}
if (/firefox/i.test(navigator.userAgent)) {
// disabling resize images on Firefox
document.execCommand("enableObjectResizing", false, false);
}
self.isReady = true;
self.trigger("onLoad", editor);
self.trigger("ready", editor);
//}, self.id === 1); // calcElapsedTime()
};
var cdn = {
defaultBase: "https://cdnjs.cloudflare.com/ajax/libs/emojione/",
defaultBase3: "https://cdn.jsdelivr.net/",
base: null,
isLoading: false
};
function loadEmojione(options) {
var emojioneVersion = getEmojioneVersion()
options = getOptions(options);
if (!cdn.isLoading) {
if (!emojione || getSupportMode(detectVersion(emojione)) < 2) {
cdn.isLoading = true;
var emojioneJsCdnUrlBase;
if (getSupportMode(emojioneVersion) > 5) {
emojioneJsCdnUrlBase = cdn.defaultBase3 + "npm/emojione@" + emojioneVersion;
} else if (getSupportMode(emojioneVersion) > 4) {
emojioneJsCdnUrlBase = cdn.defaultBase3 + "emojione/" + emojioneVersion;
} else {
emojioneJsCdnUrlBase = cdn.defaultBase + "/" + emojioneVersion;
}
$.ajax({
url: emojioneJsCdnUrlBase + "/lib/js/emojione.min.js",
dataType: "script",
cache: true,
success: function () {
emojione = window.emojione;
emojioneVersion = detectVersion(emojione);
emojioneSupportMode = getSupportMode(emojioneVersion);
var sprite;
if (emojioneSupportMode > 4) {
cdn.base = cdn.defaultBase3 + "emojione/assets/" + emojioneVersion;
sprite = cdn.base + "/sprites/emojione-sprite-" + emojione.emojiSize + ".css";
} else {
cdn.base = cdn.defaultBase + emojioneVersion + "/assets";
sprite = cdn.base + "/sprites/emojione.sprites.css";
}
if (options.sprite) {
if (document.createStyleSheet) {
document.createStyleSheet(sprite);
} else {
$('<link/>', {rel: 'stylesheet', href: sprite}).appendTo('head');
}
}
while (readyCallbacks.length) {
readyCallbacks.shift().call();
}
cdn.isLoading = false;
}
});
} else {
emojioneVersion = detectVersion(emojione);
emojioneSupportMode = getSupportMode(emojioneVersion);
if (emojioneSupportMode > 4) {
cdn.base = cdn.defaultBase3 + "emojione/assets/" + emojioneVersion;
} else {
cdn.base = cdn.defaultBase + emojioneVersion + "/assets";
}
}
}
emojioneReady(function() {
var emojiSize = "";
if (options.useInternalCDN) {
if (emojioneSupportMode > 4) emojiSize = emojione.emojiSize + "/";
emojione.imagePathPNG = cdn.base + "/png/" + emojiSize;
emojione.imagePathSVG = cdn.base + "/svg/" + emojiSize;
emojione.imagePathSVGSprites = cdn.base + "/sprites/emojione.sprites.svg";
emojione.imageType = options.imageType;
}
if (getSupportMode(emojioneVersion) > 4) {
uniRegexp = emojione.regUnicode;
emojione.imageType = options.imageType || "png";
} else {
uniRegexp = new RegExp("<object[^>]*>.*?<\/object>|<span[^>]*>.*?<\/span>|<(?:object|embed|svg|img|div|span|p|a)[^>]*>|(" + emojione.unicodeRegexp + ")", "gi");
}
});
};
var EmojioneArea = function(element, options) {
var self = this;
loadEmojione(options);
eventStorage[self.id = ++unique] = {};
possibleEvents[self.id] = {};
emojioneReady(function() {
init(self, element, options);
});
};
function bindEvent(self, event) {
event = event.replace(/^@/, '');
var id = self.id;
if (possibleEvents[id][event]) {
$.each(possibleEvents[id][event], function(i, ev) {
// ev[0] = element
// ev[1] = event
// ev[2] = target
$.each($.isArray(ev[0]) ? ev[0] : [ev[0]], function(i, el) {
$(el).on(ev[1], function() {
var args = slice.call(arguments),
target = $.isFunction(ev[2]) ? ev[2].apply(self, [event].concat(args)) : ev[2];
if (target) {
trigger(self, event, [target].concat(args));
}
});
});
});
possibleEvents[id][event] = null;
}
}
EmojioneArea.prototype.on = function(events, handler) {
if (events && $.isFunction(handler)) {
var self = this;
$.each(events.toLowerCase().split(' '), function(i, event) {
bindEvent(self, event);
(eventStorage[self.id][event] || (eventStorage[self.id][event] = [])).push(handler);
});
}
return this;
};
EmojioneArea.prototype.off = function(events, handler) {
if (events) {
var id = this.id;
$.each(events.toLowerCase().replace(/_/g, '.').split(' '), function(i, event) {
if (eventStorage[id][event] && !/^@/.test(event)) {
if (handler) {
$.each(eventStorage[id][event], function(j, fn) {
if (fn === handler) {
eventStorage[id][event] = eventStorage[id][event].splice(j, 1);
}
});
} else {
eventStorage[id][event] = [];
}
}
});
}
return this;
};
EmojioneArea.prototype.trigger = function() {
var args = slice.call(arguments),
call_args = [this].concat(args.slice(0,1));
call_args.push(args.slice(1));
return trigger.apply(this, call_args);
};
EmojioneArea.prototype.setFocus = function () {
var self = this;
emojioneReady(function () {
self.editor.focus();
});
return self;
};
EmojioneArea.prototype.setText = function (str) {
var self = this;
emojioneReady(function () {
self.editor.html(htmlFromText(str, self));
self.content = self.editor.html();
trigger(self, 'change', [self.editor]);
calcButtonPosition.apply(self);
});
return self;
}
EmojioneArea.prototype.getText = function() {
return textFromHtml(this.editor.html(), this);
}
EmojioneArea.prototype.showPicker = function () {
var self = this;
if (self._sh_timer) {
window.clearTimeout(self._sh_timer);
}
self.picker.removeClass("hidden");
self._sh_timer = window.setTimeout(function() {
self.button.addClass("active");
}, 50);
trigger(self, "picker.show", [self.picker]);
return self;
}
EmojioneArea.prototype.hidePicker = function () {
var self = this;
if (self._sh_timer) {
window.clearTimeout(self._sh_timer);
}
self.button.removeClass("active");
self._sh_timer = window.setTimeout(function() {
self.picker.addClass("hidden");
}, 500);
trigger(self, "picker.hide", [self.picker]);
return self;
}
EmojioneArea.prototype.enable = function () {
var self = this;
var next = function () {
self.disabled = false;
self.editor.prop('contenteditable', true);
self.button.show();
var editor = self[(self.standalone) ? "button" : "editor"];
editor.parent().removeClass('emojionearea-disable');
trigger(self, 'enabled', [editor]);
};
self.isReady ? next() : self.on("ready", next);
return self;
}
EmojioneArea.prototype.disable = function () {
var self = this;
self.disabled = true;
var next = function () {
self.editor.prop('contenteditable', false);
self.hidePicker();
self.button.hide();
var editor = self[(self.standalone) ? "button" : "editor"];
editor.parent().addClass('emojionearea-disable');
trigger(self, 'disabled', [editor]);
};
self.isReady ? next() : self.on("ready", next);
return self;
}
$.fn.emojioneArea = function(options) {
return this.each(function() {
if (!!this.emojioneArea) return this.emojioneArea;
$.data(this, 'emojioneArea', this.emojioneArea = new EmojioneArea($(this), options));
return this.emojioneArea;
});
};
$.fn.emojioneArea.defaults = getDefaultOptions();
$.fn.emojioneAreaText = function(options) {
var self = this, pseudoSelf = {
shortnames: (options && typeof options.shortnames !== 'undefined' ? options.shortnames : true),
emojiTemplate: '<img alt="{alt}" class="emojione' + (options && options.sprite && emojioneSupportMode < 3 ? '-{uni}" src="' + blankImg : 'emoji" src="{img}') + '"/>'
};
loadEmojione(options);
emojioneReady(function() {
self.each(function() {
var $this = $(this);
if (!$this.hasClass('emojionearea-text')) {
$this.addClass('emojionearea-text').html(htmlFromText(($this.is('TEXTAREA') || $this.is('INPUT') ? $this.val() : $this.text()), pseudoSelf));
}
return $this;
});
});
return this;
};
}, window ) );